text stringlengths 9 39.2M | dir stringlengths 26 295 | lang stringclasses 185
values | created_date timestamp[us] | updated_date timestamp[us] | repo_name stringlengths 1 97 | repo_full_name stringlengths 7 106 | star int64 1k 183k | len_tokens int64 1 13.8M |
|---|---|---|---|---|---|---|---|---|
```php
<?php
declare(strict_types=1);
namespace App\Middleware;
use App\Exception\Http\NotLoggedInException;
use App\Http\ServerRequest;
use Exception;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Server\RequestHandlerInterface;
/**
* Require that the user be logged in to view this page.
*/
final class RequireLogin extends AbstractMiddleware
{
public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface
{
try {
$request->getUser();
} catch (Exception) {
throw NotLoggedInException::create($request);
}
return $handler->handle($request);
}
}
``` | /content/code_sandbox/backend/src/Middleware/RequireLogin.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 134 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware;
use App\Http\ServerRequest;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Message\ServerRequestInterface;
use Psr\Http\Server\MiddlewareInterface;
use Psr\Http\Server\RequestHandlerInterface;
use TypeError;
abstract class AbstractMiddleware implements MiddlewareInterface
{
public function process(ServerRequestInterface $request, RequestHandlerInterface $handler): ResponseInterface
{
if (!($request instanceof ServerRequest)) {
throw new TypeError('Invalid server request.');
}
return $this->__invoke($request, $handler);
}
abstract public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface;
}
``` | /content/code_sandbox/backend/src/Middleware/AbstractMiddleware.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 143 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware;
use App\Http\ServerRequest;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Server\RequestHandlerInterface;
/**
* Apply a rate limit for requests on this page and throw an exception if the limit is exceeded.
*/
final class RateLimit extends AbstractMiddleware
{
public function __construct(
private readonly string $rlGroup = 'default',
private readonly int $rlInterval = 5,
private readonly int $rlLimit = 2
) {
}
public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface
{
$rateLimit = $request->getRateLimit();
$rateLimit->checkRequestRateLimit($request, $this->rlGroup, $this->rlInterval, $this->rlLimit);
return $handler->handle($request);
}
public static function forDownloads(): self
{
return new self('downloads', 30, 10);
}
}
``` | /content/code_sandbox/backend/src/Middleware/RateLimit.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 213 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware;
use App\Exception\WrappedException;
use App\Http\ServerRequest;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Server\RequestHandlerInterface;
use Throwable;
/**
* Wrap all exceptions thrown past this point with rich metadata.
*/
final class WrapExceptionsWithRequestData extends AbstractMiddleware
{
public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface
{
try {
return $handler->handle($request);
} catch (WrappedException $e) {
// Don't modify WrappedExceptions
throw $e;
} catch (Throwable $e) {
throw new WrappedException($request, $e);
}
}
}
``` | /content/code_sandbox/backend/src/Middleware/WrapExceptionsWithRequestData.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 154 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware;
use App\Acl;
use App\Auth;
use App\Container\EnvironmentAwareTrait;
use App\Customization;
use App\Entity\AuditLog;
use App\Entity\Repository\UserRepository;
use App\Http\ServerRequest;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Server\RequestHandlerInterface;
/**
* Get the current user entity object and assign it into the request if it exists.
*/
final class GetCurrentUser extends AbstractMiddleware
{
use EnvironmentAwareTrait;
public function __construct(
private readonly UserRepository $userRepo,
private readonly Acl $acl,
private readonly Customization $customization
) {
}
public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface
{
// Initialize the Auth for this request.
$auth = new Auth(
userRepo: $this->userRepo,
session: $request->getSession(),
);
$auth->setEnvironment($this->environment);
$user = ($auth->isLoggedIn()) ? $auth->getLoggedInUser() : null;
$request = $request
->withAttribute(ServerRequest::ATTR_AUTH, $auth)
->withAttribute(ServerRequest::ATTR_USER, $user);
// Initialize Customization (timezones, locales, etc) based on the current logged in user.
$customization = $this->customization->withRequest($request);
// Initialize ACL (can only be initialized after Customization as it contains localizations).
$acl = $this->acl->withRequest($request);
$request = $request
->withAttribute(ServerRequest::ATTR_LOCALE, $customization->getLocale())
->withAttribute(ServerRequest::ATTR_CUSTOMIZATION, $customization)
->withAttribute(ServerRequest::ATTR_ACL, $acl);
// Set the Audit Log user.
AuditLog::setCurrentUser($user);
$response = $handler->handle($request);
AuditLog::setCurrentUser();
return $response;
}
}
``` | /content/code_sandbox/backend/src/Middleware/GetCurrentUser.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 430 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware;
use App\Http\ServerRequest;
use JsonException;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Server\RequestHandlerInterface;
use const JSON_THROW_ON_ERROR;
/**
* When sending data using multipart forms (that also include uploaded files, for example),
* it isn't possible to encode JSON values (i.e. booleans) in the other submitted values.
*
* This allows an alternative body format, where the entirety of the JSON-parseable body is
* set in any multipart parameter, parsed, and then assigned to the "parsedBody"
* attribute of the PSR-7 request. This implementation is transparent to any controllers
* using this code.
*/
final class HandleMultipartJson extends AbstractMiddleware
{
public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface
{
$parsedBody = $request->getParsedBody();
if (!empty($parsedBody)) {
$parsedBody = array_filter(
(array)$parsedBody,
static function ($value) {
return $value && 'null' !== $value;
}
);
if (1 === count($parsedBody)) {
$bodyField = current($parsedBody);
if (is_string($bodyField)) {
try {
$parsedBody = json_decode($bodyField, true, 512, JSON_THROW_ON_ERROR);
$request = $request->withParsedBody($parsedBody);
} catch (JsonException) {
}
}
}
}
return $handler->handle($request);
}
}
``` | /content/code_sandbox/backend/src/Middleware/HandleMultipartJson.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 338 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware;
use App\Container\SettingsAwareTrait;
use App\Environment;
use App\Http\ServerRequest;
use App\Session\Csrf;
use App\Session\Flash;
use Mezzio\Session\Cache\CacheSessionPersistence;
use Mezzio\Session\LazySession;
use Mezzio\Session\SessionPersistenceInterface;
use Psr\Cache\CacheItemPoolInterface;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Server\RequestHandlerInterface;
use Symfony\Component\Cache\Adapter\ArrayAdapter;
use Symfony\Component\Cache\Adapter\ProxyAdapter;
/**
* Inject the session object into the request.
*/
final class InjectSession extends AbstractMiddleware
{
use SettingsAwareTrait;
private CacheItemPoolInterface $cachePool;
public function __construct(
CacheItemPoolInterface $psrCache,
private readonly Environment $environment
) {
if ($environment->isCli()) {
$psrCache = new ArrayAdapter();
}
$this->cachePool = new ProxyAdapter($psrCache, 'session.');
}
public function getSessionPersistence(ServerRequest $request): SessionPersistenceInterface
{
$alwaysUseSsl = $this->readSettings()->getAlwaysUseSsl();
$isHttpsUrl = ('https' === $request->getUri()->getScheme());
return new CacheSessionPersistence(
cache: $this->cachePool,
cookieName: 'app_session',
cookiePath: '/',
cacheLimiter: 'nocache',
cacheExpire: 43200,
lastModified: time(),
persistent: true,
cookieSecure: $alwaysUseSsl && $isHttpsUrl,
cookieHttpOnly: true,
autoRegenerate: false
);
}
public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface
{
$sessionPersistence = $this->getSessionPersistence($request);
$session = new LazySession($sessionPersistence, $request);
$csrf = new Csrf($request, $session, $this->environment);
$flash = new Flash($session);
$request = $request->withAttribute(ServerRequest::ATTR_SESSION, $session)
->withAttribute(ServerRequest::ATTR_SESSION_CSRF, $csrf)
->withAttribute(ServerRequest::ATTR_SESSION_FLASH, $flash);
$response = $handler->handle($request);
return $sessionPersistence->persistSession($session, $response);
}
}
``` | /content/code_sandbox/backend/src/Middleware/InjectSession.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 515 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware\Auth;
use App\Acl;
use App\Container\EnvironmentAwareTrait;
use App\Customization;
use App\Entity\AuditLog;
use App\Entity\Repository\UserRepository;
use App\Exception\Http\InvalidRequestAttribute;
use App\Http\ServerRequest;
use App\Middleware\AbstractMiddleware;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Server\RequestHandlerInterface;
abstract class AbstractAuth extends AbstractMiddleware
{
use EnvironmentAwareTrait;
public function __construct(
protected readonly UserRepository $userRepo,
protected readonly Acl $acl,
protected readonly Customization $customization
) {
}
public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface
{
$customization = $this->customization->withRequest($request);
// Initialize ACL (can only be initialized after Customization as it contains localizations).
$acl = $this->acl->withRequest($request);
$request = $request
->withAttribute(ServerRequest::ATTR_LOCALE, $customization->getLocale())
->withAttribute(ServerRequest::ATTR_CUSTOMIZATION, $customization)
->withAttribute(ServerRequest::ATTR_ACL, $acl);
// Set the Audit Log user.
try {
$currentUser = $request->getUser();
} catch (InvalidRequestAttribute) {
$currentUser = null;
}
AuditLog::setCurrentUser($currentUser);
$response = $handler->handle($request);
AuditLog::setCurrentUser();
return $response;
}
}
``` | /content/code_sandbox/backend/src/Middleware/Auth/AbstractAuth.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 331 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware\Auth;
use App\Auth;
use App\Http\ServerRequest;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Server\RequestHandlerInterface;
final class StandardAuth extends AbstractAuth
{
public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface
{
// Initialize the Auth for this request.
$auth = new Auth(
userRepo: $this->userRepo,
session: $request->getSession(),
);
$auth->setEnvironment($this->environment);
$user = ($auth->isLoggedIn()) ? $auth->getLoggedInUser() : null;
$request = $request
->withAttribute(ServerRequest::ATTR_AUTH, $auth)
->withAttribute(ServerRequest::ATTR_USER, $user);
return parent::__invoke($request, $handler);
}
}
``` | /content/code_sandbox/backend/src/Middleware/Auth/StandardAuth.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 186 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware\Auth;
final class PublicAuth extends AbstractAuth
{
}
``` | /content/code_sandbox/backend/src/Middleware/Auth/PublicAuth.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 25 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware\Auth;
use App\Acl;
use App\Auth;
use App\Customization;
use App\Entity\Repository\ApiKeyRepository;
use App\Entity\Repository\UserRepository;
use App\Entity\User;
use App\Exception\Http\CsrfValidationException;
use App\Http\ServerRequest;
use App\Security\SplitToken;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Message\ServerRequestInterface;
use Psr\Http\Server\RequestHandlerInterface;
final class ApiAuth extends AbstractAuth
{
public const string API_CSRF_NAMESPACE = 'api';
public function __construct(
protected ApiKeyRepository $apiKeyRepo,
UserRepository $userRepo,
Acl $acl,
Customization $customization
) {
parent::__construct($userRepo, $acl, $customization);
}
public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface
{
// Initialize the Auth for this request.
$user = $this->getApiUser($request);
$request = $request->withAttribute(ServerRequest::ATTR_USER, $user);
return parent::__invoke($request, $handler);
}
private function getApiUser(ServerRequest $request): ?User
{
$apiKey = $this->getApiKey($request);
if (!empty($apiKey)) {
$apiUser = $this->apiKeyRepo->authenticate($apiKey);
if (null !== $apiUser) {
return $apiUser;
}
}
// Fallback to session login if available.
$auth = new Auth(
userRepo: $this->userRepo,
session: $request->getSession(),
);
$auth->setEnvironment($this->environment);
if ($auth->isLoggedIn()) {
$user = $auth->getLoggedInUser();
if ('GET' === $request->getMethod()) {
return $user;
}
$csrfKey = $request->getHeaderLine('X-API-CSRF');
if (empty($csrfKey) && !$this->environment->isTesting()) {
return null;
}
$csrf = $request->getCsrf();
try {
$csrf->verify($csrfKey, self::API_CSRF_NAMESPACE);
return $user;
} catch (CsrfValidationException) {
}
}
return null;
}
private function getApiKey(ServerRequestInterface $request): ?string
{
// Check authorization header
$authHeaders = $request->getHeader('Authorization');
$authHeader = $authHeaders[0] ?? '';
if (preg_match("/Bearer\s+(.*)$/i", $authHeader, $matches)) {
$apiKey = $matches[1];
if (SplitToken::isValidKeyString($apiKey)) {
return $apiKey;
}
}
// Check API key header
$apiKeyHeaders = $request->getHeader('X-API-Key');
if (!empty($apiKeyHeaders[0]) && SplitToken::isValidKeyString($apiKeyHeaders[0])) {
return $apiKeyHeaders[0];
}
// Check cookies
$cookieParams = $request->getCookieParams();
if (!empty($cookieParams['token']) && SplitToken::isValidKeyString($cookieParams['token'])) {
return $cookieParams['token'];
}
// Check URL parameters as last resort
$queryParams = $request->getQueryParams();
$queryApiKey = $queryParams['api_key'] ?? null;
if (!empty($queryApiKey) && SplitToken::isValidKeyString($queryApiKey)) {
return $queryApiKey;
}
return null;
}
}
``` | /content/code_sandbox/backend/src/Middleware/Auth/ApiAuth.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 777 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware\Module;
use App\Container\EnvironmentAwareTrait;
use App\Enums\GlobalPermissions;
use App\Http\ServerRequest;
use App\Middleware\AbstractMiddleware;
use App\Middleware\Auth\ApiAuth;
use App\Version;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Server\RequestHandlerInterface;
use const PHP_MAJOR_VERSION;
use const PHP_MINOR_VERSION;
final class PanelLayout extends AbstractMiddleware
{
use EnvironmentAwareTrait;
public function __construct(
private readonly Version $version
) {
}
public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface
{
$view = $request->getView();
$customization = $request->getCustomization();
$user = $request->getUser();
$auth = $request->getAuth();
$acl = $request->getAcl();
$router = $request->getRouter();
$globalProps = $view->getGlobalProps();
$csrf = $request->getCsrf();
$globalProps->set('apiCsrf', $csrf->generate(ApiAuth::API_CSRF_NAMESPACE));
$globalProps->set('panelProps', [
'instanceName' => $customization->getInstanceName(),
'userDisplayName' => $user->getDisplayName(),
'homeUrl' => $router->named('dashboard'),
'adminUrl' => $router->named('admin:index:index'),
'profileUrl' => $router->named('profile:index'),
'logoutUrl' => ($auth->isMasqueraded())
? $router->named('account:endmasquerade')
: $router->named('account:logout'),
'showAdmin' => $acl->isAllowed(GlobalPermissions::View),
'version' => $this->version->getVersionText(),
'platform' => ($this->environment->isDocker() ? 'Docker' : 'Ansible')
. ' • PHP ' . PHP_MAJOR_VERSION . '.' . PHP_MINOR_VERSION,
]);
return $handler->handle($request);
}
}
``` | /content/code_sandbox/backend/src/Middleware/Module/PanelLayout.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 448 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware\Module;
use App\Container\EnvironmentAwareTrait;
use App\Container\SettingsAwareTrait;
use App\Entity\User;
use App\Exception\Http\InvalidRequestAttribute;
use App\Exception\WrappedException;
use App\Http\ServerRequest;
use App\Middleware\AbstractMiddleware;
use App\Utilities\Urls;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Server\RequestHandlerInterface;
use Symfony\Component\VarDumper\Caster\ReflectionCaster;
use Symfony\Component\VarDumper\Cloner\VarCloner;
use Symfony\Component\VarDumper\Dumper\CliDumper;
use Symfony\Component\VarDumper\VarDumper;
use Throwable;
/**
* Handle API calls and wrap exceptions in JSON formatting.
*/
final class Api extends AbstractMiddleware
{
use EnvironmentAwareTrait;
use SettingsAwareTrait;
public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface
{
$request = $request->withAttribute(ServerRequest::ATTR_IS_API, true);
try {
if ($this->environment->isDevelopment()) {
$this->registerCliDumper();
}
$response = $handler->handle($request);
return $this->setAccessControl($request, $response);
} catch (Throwable $e) {
throw new WrappedException($request, $e);
}
}
private function registerCliDumper(): void
{
$cloner = new VarCloner();
$cloner->addCasters(ReflectionCaster::UNSET_CLOSURE_FILE_INFO);
$dumper = new CliDumper('php://output');
VarDumper::setHandler(
static function ($var) use ($cloner, $dumper): void {
$dumper->dump($cloner->cloneVar($var));
}
);
}
private function setAccessControl(
ServerRequest $request,
ResponseInterface $response
): ResponseInterface {
try {
$apiUser = $request->getUser();
} catch (InvalidRequestAttribute) {
$apiUser = null;
}
$settings = $this->readSettings();
// Check for a user-set CORS header override.
$acaoHeader = trim($settings->getApiAccessControl());
if (!empty($acaoHeader)) {
if ('*' === $acaoHeader) {
$response = $response->withHeader('Access-Control-Allow-Origin', '*');
} else {
// Return the proper ACAO header matching the origin (if one exists).
$origin = $request->getHeaderLine('Origin');
if (!empty($origin)) {
$rawOrigins = array_map('trim', explode(',', $acaoHeader));
$baseUrl = $settings->getBaseUrl();
if (null !== $baseUrl) {
$rawOrigins[] = $baseUrl;
}
$origins = [];
foreach ($rawOrigins as $rawOrigin) {
$uri = Urls::tryParseUserUrl(
$rawOrigin,
'System Setting Access-Control-Allow-Origin'
);
if (null !== $uri) {
if (empty($uri->getScheme())) {
$origins[] = (string)($uri->withScheme('http'));
$origins[] = (string)($uri->withScheme('https'));
} else {
$origins[] = (string)$uri;
}
}
}
$origins = array_unique($origins);
if (in_array($origin, $origins, true)) {
$response = $response
->withHeader('Access-Control-Allow-Origin', $origin)
->withHeader('Vary', 'Origin');
}
}
}
} elseif ($apiUser instanceof User || in_array($request->getMethod(), ['GET', 'OPTIONS'])) {
// Default behavior:
// Only set global CORS for GET requests and API-authenticated requests;
// Session-authenticated, non-GET requests should only be made in a same-host situation.
$response = $response->withHeader('Access-Control-Allow-Origin', '*');
}
return $response;
}
}
``` | /content/code_sandbox/backend/src/Middleware/Module/Api.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 884 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware\Cache;
use App\Http\ServerRequest;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Server\RequestHandlerInterface;
use Slim\Routing\RouteContext;
class SetStaticFileCache extends SetCache
{
public function __construct(
protected string $longCacheParam = 'timestamp'
) {
parent::__construct(0, 0);
}
public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface
{
$response = $handler->handle($request);
$routeArgs = RouteContext::fromRequest($request)->getRoute()?->getArguments();
$hasLongCacheParam = !empty($routeArgs[$this->longCacheParam]);
return ($hasLongCacheParam)
? $this->responseWithCacheLifetime($response, self::CACHE_ONE_YEAR, self::CACHE_ONE_DAY)
: $this->responseWithCacheLifetime($response, self::CACHE_ONE_HOUR, self::CACHE_ONE_MINUTE);
}
}
``` | /content/code_sandbox/backend/src/Middleware/Cache/SetStaticFileCache.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 217 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware\Cache;
use App\Http\ServerRequest;
use App\Middleware\AbstractMiddleware;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Server\RequestHandlerInterface;
final class SetDefaultCache extends AbstractMiddleware
{
public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface
{
$response = $handler->handle($request);
if (!$this->hasCacheLifetime($response)) {
return $response->withHeader('Pragma', 'no-cache')
->withHeader('Expires', gmdate('D, d M Y H:i:s \G\M\T', 0))
->withHeader('Cache-Control', 'private, no-cache, no-store')
->withHeader('X-Accel-Buffering', 'no') // Nginx
->withHeader('X-Accel-Expires', '0'); // CloudFlare/nginx
}
return $response;
}
private function hasCacheLifetime(ResponseInterface $response): bool
{
if ($response->hasHeader('Pragma')) {
return (!str_contains($response->getHeaderLine('Pragma'), 'no-cache'));
}
return (!str_contains($response->getHeaderLine('Cache-Control'), 'no-cache'));
}
}
``` | /content/code_sandbox/backend/src/Middleware/Cache/SetDefaultCache.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 275 |
```php
<?php
declare(strict_types=1);
namespace App\Utilities;
use Carbon\CarbonInterface;
final class DateRange
{
public function __construct(
private readonly CarbonInterface $start,
private readonly CarbonInterface $end,
) {
}
public function getStart(): CarbonInterface
{
return $this->start;
}
public function getStartTimestamp(): int
{
return $this->start->getTimestamp();
}
public function getEnd(): CarbonInterface
{
return $this->end;
}
public function getEndTimestamp(): int
{
return $this->end->getTimestamp();
}
public function contains(CarbonInterface $time): bool
{
return $time->between($this->start, $this->end);
}
public function isWithin(self $toCompare): bool
{
return $this->getEnd() >= $toCompare->getStart()
&& $this->getStart() <= $toCompare->getEnd();
}
}
``` | /content/code_sandbox/backend/src/Utilities/DateRange.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 220 |
```php
<?php
declare(strict_types=1);
namespace App\Utilities;
final class Time
{
public static function displayTimeToSeconds(string|float|int $seconds = null): ?float
{
if (null === $seconds || '' === $seconds) {
return null;
}
if (is_float($seconds)) {
return $seconds;
}
if (is_int($seconds)) {
return (float)$seconds;
}
if (str_contains($seconds, ':')) {
$sec = 0;
foreach (array_reverse(explode(':', $seconds)) as $k => $v) {
$sec += (60 ** (int)$k) * (int)$v;
}
return $sec;
}
return (float)$seconds;
}
}
``` | /content/code_sandbox/backend/src/Utilities/Time.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 170 |
```php
<?php
declare(strict_types=1);
namespace App\Middleware\Cache;
use App\Http\ServerRequest;
use App\Middleware\AbstractMiddleware;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Server\RequestHandlerInterface;
class SetCache extends AbstractMiddleware
{
public const int CACHE_ONE_MINUTE = 60;
public const int CACHE_ONE_HOUR = 3600;
public const int CACHE_ONE_DAY = 86400;
public const int CACHE_ONE_MONTH = 2592000;
public const int CACHE_ONE_YEAR = 31536000;
public function __construct(
protected int $browserLifetime,
protected ?int $serverLifetime = null
) {
$this->serverLifetime ??= $this->browserLifetime;
}
public function __invoke(ServerRequest $request, RequestHandlerInterface $handler): ResponseInterface
{
$response = $handler->handle($request);
return $this->responseWithCacheLifetime(
$response,
$this->browserLifetime,
$this->serverLifetime
);
}
protected function responseWithCacheLifetime(
ResponseInterface $response,
int $browserLifetime,
?int $serverLifetime = null
): ResponseInterface {
$serverLifetime ??= $browserLifetime;
return $response->withoutHeader('Pragma')
->withHeader('Expires', gmdate('D, d M Y H:i:s \G\M\T', time() + $browserLifetime))
->withHeader('Cache-Control', 'public, max-age=' . $browserLifetime)
->withHeader('X-Accel-Buffering', 'yes') // Nginx
->withHeader('X-Accel-Expires', (string)$serverLifetime); // CloudFlare/nginx
}
}
``` | /content/code_sandbox/backend/src/Middleware/Cache/SetCache.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 372 |
```php
<?php
declare(strict_types=1);
namespace App\Utilities;
final class Types
{
public static function string(
mixed $input,
string $defaultIfNull = '',
bool $countEmptyAsNull = false
): string {
return self::stringOrNull($input, $countEmptyAsNull) ?? $defaultIfNull;
}
public static function stringOrNull(
mixed $input,
bool $countEmptyAsNull = false
): ?string {
if (null === $input) {
return null;
}
if ($countEmptyAsNull) {
if ('' === $input) {
return null;
}
$input = trim((string)$input);
return (!empty($input)) ? $input : null;
}
return (string)$input;
}
public static function int(mixed $input, int $defaultIfNull = 0): int
{
return self::intOrNull($input) ?? $defaultIfNull;
}
public static function intOrNull(mixed $input): ?int
{
if (null === $input || is_int($input)) {
return $input;
}
return (is_numeric($input))
? (int)$input
: null;
}
public static function float(mixed $input, float $defaultIfNull = 0.0): float
{
return self::floatOrNull($input) ?? $defaultIfNull;
}
public static function floatOrNull(mixed $input): ?float
{
if (null === $input || is_float($input)) {
return $input;
}
return (is_numeric($input))
? (float)$input
: null;
}
public static function bool(mixed $input, bool $defaultIfNull = false, bool $broadenValidBools = false): bool
{
return self::boolOrNull($input, $broadenValidBools) ?? $defaultIfNull;
}
public static function boolOrNull(mixed $input, bool $broadenValidBools = false): ?bool
{
if (null === $input || is_bool($input)) {
return $input;
}
if (is_int($input)) {
return 0 !== $input;
}
if ($broadenValidBools) {
$value = trim((string)$input);
return str_starts_with(strtolower($value), 'y')
|| 'true' === strtolower($value)
|| '1' === $value;
}
return (bool)$input;
}
public static function array(mixed $input, array $defaultIfNull = []): array
{
return self::arrayOrNull($input) ?? $defaultIfNull;
}
public static function arrayOrNull(mixed $input): ?array
{
if (null === $input || is_array($input)) {
return $input;
}
return (array)$input;
}
}
``` | /content/code_sandbox/backend/src/Utilities/Types.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 648 |
```php
<?php
declare(strict_types=1);
namespace App\Utilities;
use FilesystemIterator;
use InvalidArgumentException;
use RecursiveDirectoryIterator;
use RecursiveIteratorIterator;
use SplFileInfo;
use Symfony\Component\Filesystem\Filesystem;
use Symfony\Component\Filesystem\Path;
use function stripos;
use function strlen;
/**
* Static class that facilitates the uploading, reading and deletion of files in a controlled directory.
*/
final class File
{
/**
* @param string $path
*/
public static function sanitizePathPrefix(string $path): string
{
$pattern = '/:\/\//';
$path = preg_replace($pattern, '', $path) ?? $path;
if (preg_match($pattern, $path)) {
return self::sanitizePathPrefix($path);
}
return $path;
}
/**
* Sanitize a user-specified filename for storage.
* Credit to: path_to_url
*
* @param string $str
*/
public static function sanitizeFileName(string $str): string
{
return Strings::getProgrammaticString($str);
}
public static function generateTempPath(string $pattern = ''): string
{
$prefix = Path::getFilenameWithoutExtension($pattern) ?: 'temp';
$extension = Path::getExtension($pattern) ?: 'log';
return (new Filesystem())->tempnam(
sys_get_temp_dir(),
$prefix . '_',
'.' . $extension
);
}
public static function validateTempPath(string $path): string
{
$tempDir = sys_get_temp_dir();
$fullPath = Path::makeAbsolute($path, $tempDir);
if (!Path::isBasePath($tempDir, $fullPath)) {
throw new InvalidArgumentException(
sprintf('Path "%s" is not within "%s".', $fullPath, $tempDir)
);
}
return $fullPath;
}
/**
* Given a "from" and "to" directory, update the given path to be relative to the "to" directory.
* If $preserveFolderStructure is set to "true" (default), this will preserve the folder structure
* that's underneath "fromDir". If it's set to "false", it will use the basename of the files and
* drop them directly into the "toDir".
*/
public static function renameDirectoryInPath(
string $path,
string $fromDir,
string $toDir,
bool $preserveFolderStructure = true
): string {
if (!$preserveFolderStructure) {
$basename = basename($path);
return ('' === $toDir)
? $basename
: $toDir . '/' . $basename;
}
if ('' === $fromDir && '' !== $toDir) {
// Just prepend the new directory.
return $toDir . '/' . $path;
}
if (0 === stripos($path, $fromDir)) {
$newBasePath = ltrim(substr($path, strlen($fromDir)), '/');
if ('' !== $toDir) {
return $toDir . '/' . $newBasePath;
}
return $newBasePath;
}
return $path;
}
/**
* Clear all contents of a directory, without removing the directory itself.
*/
public static function clearDirectoryContents(string $targetDir): void
{
$targetDir = rtrim($targetDir, '/\\');
$flags = FilesystemIterator::SKIP_DOTS;
$deleteIterator = new RecursiveIteratorIterator(
new RecursiveDirectoryIterator($targetDir, $flags),
RecursiveIteratorIterator::CHILD_FIRST
);
$fsUtils = new Filesystem();
/** @var SplFileInfo $file */
foreach ($deleteIterator as $file) {
$fsUtils->remove((string)$file);
}
}
public static function moveDirectoryContents(
string $originDir,
string $targetDir,
bool $clearDirectoryFirst = false
): void {
if ($clearDirectoryFirst) {
self::clearDirectoryContents($targetDir);
}
$targetDir = rtrim($targetDir, '/\\');
$originDir = rtrim($originDir, '/\\');
$originDirLen = strlen($originDir);
$flags = FilesystemIterator::SKIP_DOTS;
$iterator = new RecursiveIteratorIterator(
new RecursiveDirectoryIterator($originDir, $flags),
RecursiveIteratorIterator::SELF_FIRST
);
$fsUtils = new Filesystem();
$fsUtils->mkdir($targetDir);
/** @var SplFileInfo $file */
foreach ($iterator as $file) {
if (
$file->getPathname() === $targetDir
|| $file->getRealPath() === $targetDir
) {
continue;
}
$target = $targetDir . substr($file->getPathname(), $originDirLen);
if (is_link((string)$file)) {
$fsUtils->symlink($file->getLinkTarget(), $target);
} elseif (is_dir((string)$file)) {
$fsUtils->mkdir($target);
} elseif (is_file((string)$file)) {
$fsUtils->rename((string)$file, $target, true);
}
}
}
public static function getFirstExistingFile(array $files): string
{
foreach ($files as $file) {
if (file_exists($file)) {
return $file;
}
}
throw new InvalidArgumentException('No existing files found.');
}
public static function getFirstExistingDirectory(array $dirs): string
{
foreach ($dirs as $dir) {
if (is_dir($dir)) {
return $dir;
}
}
throw new InvalidArgumentException('No existing directories found.');
}
}
``` | /content/code_sandbox/backend/src/Utilities/File.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 1,252 |
```php
<?php
declare(strict_types=1);
namespace App\Utilities;
use RuntimeException;
use voku\helper\UTF8;
final class Strings
{
/**
* Truncate text (adding "..." if needed)
*/
public static function truncateText(string $text, int $limit = 80, string $pad = '...'): string
{
if (mb_strlen($text) <= $limit) {
return $text;
}
$wrappedText = self::mbWordwrap($text, $limit, '{N}', true);
$shortenedText = mb_substr(
$wrappedText,
0,
strpos($wrappedText, '{N}') ?: null
);
// Prevent the padding string from bumping up against punctuation.
$punctuation = ['.', ',', ';', '?', '!'];
if (in_array(mb_substr($shortenedText, -1), $punctuation, true)) {
$shortenedText = mb_substr($shortenedText, 0, -1);
}
return $shortenedText . $pad;
}
/**
* Generate a randomized password of specified length.
*
* @param int $length
*/
public static function generatePassword(int $length = 8): string
{
// String of all possible characters. Avoids using certain letters and numbers that closely resemble others.
$keyspace = '234679ACDEFGHJKLMNPQRTWXYZacdefghjkmnpqrtwxyz';
$str = '';
$max = mb_strlen($keyspace, '8bit') - 1;
for ($i = 0; $i < $length; ++$i) {
/** @noinspection RandomApiMigrationInspection */
$str .= $keyspace[rand(0, $max)];
}
return $str;
}
/**
* UTF-8 capable replacement for wordwrap function.
*
* @param string $str
* @param int $width
* @param non-empty-string $break
* @param bool $cut
*/
public static function mbWordwrap(string $str, int $width = 75, string $break = "\n", bool $cut = false): string
{
$lines = explode($break, $str);
foreach ($lines as &$line) {
$line = rtrim($line);
if (mb_strlen($line) <= $width) {
continue;
}
$words = explode(' ', $line);
$line = '';
$actual = '';
foreach ($words as $word) {
if (mb_strlen($actual . $word) <= $width) {
$actual .= $word . ' ';
} else {
if ($actual != '') {
$line .= rtrim($actual) . $break;
}
$actual = $word;
if ($cut) {
while (mb_strlen($actual) > $width) {
$line .= mb_substr($actual, 0, $width) . $break;
$actual = mb_substr($actual, $width);
}
}
$actual .= ' ';
}
}
$line .= trim($actual);
}
return implode($break, $lines);
}
/**
* Truncate URL in text-presentable format (i.e. "path_to_url" becomes "example.com")
*
* @param string|null $url
* @param int $length
*/
public static function truncateUrl(?string $url, int $length = 40): string
{
if (null === $url) {
return '';
}
/** @noinspection HttpUrlsUsage */
$url = str_replace(['path_to_url 'path_to_url 'www.'], '', $url);
return self::truncateText(rtrim($url, '/'), $length);
}
public static function getProgrammaticString(string $str): string
{
$result = mb_ereg_replace("([^\w\s\d\-_~,;\[\]\(\).])", '', $str);
if (null === $result || false === $result) {
throw new RuntimeException('Cannot parse input string.');
}
$result = mb_ereg_replace("([\.]{2,})", '.', $result);
if (null === $result || false === $result) {
throw new RuntimeException('Cannot parse input string.');
}
$result = str_replace(' ', '_', $result);
return mb_strtolower($result);
}
public static function stringToUtf8(?string $original): string
{
$original ??= '';
$string = UTF8::encode('UTF-8', $original);
$string = UTF8::fix_simple_utf8($string);
return UTF8::clean(
$string,
true,
true,
true,
true,
true
);
}
}
``` | /content/code_sandbox/backend/src/Utilities/Strings.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 1,049 |
```php
<?php
declare(strict_types=1);
namespace App\Utilities;
use JsonException;
use RuntimeException;
final class Json
{
public static function loadFromFile(
string $path,
bool $throwOnError = true
): array {
if (is_file($path)) {
$fileContents = file_get_contents($path);
if (false !== $fileContents) {
try {
return (array)json_decode($fileContents, true, 512, JSON_THROW_ON_ERROR);
} catch (JsonException $e) {
if ($throwOnError) {
throw new RuntimeException(
sprintf(
'Could not parse JSON at "%s": %s',
$path,
$e->getMessage()
)
);
}
}
} elseif ($throwOnError) {
throw new RuntimeException(sprintf('Error reading file: "%s"', $path));
}
} elseif ($throwOnError) {
throw new RuntimeException(sprintf('File not found: "%s"', $path));
}
return [];
}
}
``` | /content/code_sandbox/backend/src/Utilities/Json.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 219 |
```php
<?php
declare(strict_types=1);
namespace App\Utilities;
use GuzzleHttp\Psr7\Uri;
use LogicException;
use Psr\Http\Message\UriInterface;
use RuntimeException;
use Throwable;
final class Urls
{
public static function getUri(
?string $url,
bool $mustBeAbsolute = true
): UriInterface {
if (null === $url) {
throw new RuntimeException('URL field is empty.');
}
$url = trim($url);
if (empty($url)) {
throw new RuntimeException('URL field is empty.');
}
$uri = new Uri($url);
if ($mustBeAbsolute) {
if ('' === $uri->getHost() && '' === $uri->getScheme()) {
return self::getUri('path_to_url . $url);
}
if ('' === $uri->getScheme()) {
$uri = $uri->withScheme('http');
}
}
if (!in_array($uri->getScheme(), ['', 'http', 'https'], true)) {
throw new RuntimeException('Invalid URL scheme.');
}
if ('/' === $uri->getPath()) {
$uri = $uri->withPath('');
}
if (Uri::isDefaultPort($uri)) {
$uri = $uri->withPort(null);
}
return $uri;
}
public static function parseUserUrl(
?string $url,
string $context,
bool $mustBeAbsolute = true
): UriInterface {
try {
return self::getUri($url, $mustBeAbsolute);
} catch (Throwable $e) {
throw new LogicException(
message: sprintf('Could not parse %s URL "%s": %s', $context, $url, $e->getMessage()),
previous: $e
);
}
}
public static function tryParseUserUrl(
?string $url,
string $context,
bool $mustBeAbsolute = true
): ?UriInterface {
if (empty($url)) {
return null;
}
try {
return self::getUri($url, $mustBeAbsolute);
} catch (Throwable $e) {
Logger::getInstance()->notice(
sprintf('Could not parse %s URL "%s"', $context, $url),
[
'exception' => $e,
]
);
return null;
}
}
}
``` | /content/code_sandbox/backend/src/Utilities/Urls.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 521 |
```php
<?php
declare(strict_types=1);
namespace App\Utilities;
use Symfony\Component\Console\Output\OutputInterface;
final class Spinner
{
public const array DEFAULT_FRAMES = [
'',
'',
'',
'',
];
private readonly int $length;
private int $current = 0;
public function __construct(
private readonly ?OutputInterface $output = null,
private readonly array $frames = self::DEFAULT_FRAMES
) {
$this->length = count($this->frames);
}
private function write(string $ln): void
{
if (null !== $this->output) {
$this->output->write($ln);
} else {
echo $ln;
}
}
public function tick(string $message): void
{
$next = $this->next();
$this->write(chr(27) . '[0G');
$this->write(sprintf('%s %s', $this->frames[$next], $message));
}
private function next(): int
{
$prev = $this->current;
$this->current = $prev + 1;
if ($this->current >= $this->length) {
$this->current = 0;
}
return $prev;
}
}
``` | /content/code_sandbox/backend/src/Utilities/Spinner.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 278 |
```php
<?php
declare(strict_types=1);
namespace App\Utilities;
use Monolog\Logger as MonologLogger;
use Monolog\Registry;
final class Logger
{
public const string INSTANCE_NAME = 'app';
public static function getInstance(): MonologLogger
{
return Registry::getInstance(self::INSTANCE_NAME);
}
}
``` | /content/code_sandbox/backend/src/Utilities/Logger.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 71 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Container\SettingsAwareTrait;
use App\Service\Avatar\AvatarServiceInterface;
use App\Service\Avatar\Disabled;
use App\Service\Avatar\Gravatar;
use App\Service\Avatar\Libravatar;
final class Avatar
{
use SettingsAwareTrait;
public const int DEFAULT_SIZE = 64;
public const string DEFAULT_AVATAR = 'path_to_url
public const string SERVICE_LIBRAVATAR = 'libravatar';
public const string SERVICE_GRAVATAR = 'gravatar';
public const string SERVICE_DISABLED = 'disabled';
public const string DEFAULT_SERVICE = self::SERVICE_LIBRAVATAR;
public function getAvatarService(): AvatarServiceInterface
{
$settings = $this->readSettings();
return match ($settings->getAvatarService()) {
self::SERVICE_LIBRAVATAR => new Libravatar(),
self::SERVICE_GRAVATAR => new Gravatar(),
default => new Disabled()
};
}
public function getAvatar(?string $email, int $size = self::DEFAULT_SIZE): string
{
$avatarService = $this->getAvatarService();
$default = $this->readSettings()->getAvatarDefaultUrl();
if (empty($email)) {
return $default;
}
return $avatarService->getAvatar($email, $size, $default);
}
}
``` | /content/code_sandbox/backend/src/Service/Avatar.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 300 |
```php
<?php
declare(strict_types=1);
namespace App\Utilities;
final class Arrays
{
/**
* Flatten an array from format:
* [
* 'user' => [
* 'id' => 1,
* 'name' => 'test',
* ]
* ]
*
* to format:
* [
* 'user.id' => 1,
* 'user.name' => 'test',
* ]
*
* This function is used to create replacements for variables in strings.
*
* @param object|array $array
* @param string $separator
* @param string|null $prefix
*
* @return mixed[]
*/
public static function flattenArray(object|array $array, string $separator = '.', ?string $prefix = null): array
{
if (is_object($array)) {
// Quick and dirty conversion from object to array.
$array = self::objectToArray($array);
}
$return = [];
foreach ($array as $key => $value) {
$returnKey = (string)($prefix ? $prefix . $separator . $key : $key);
if (is_array($value)) {
$return = array_merge($return, self::flattenArray($value, $separator, $returnKey));
} else {
$return[$returnKey] = $value;
}
}
return $return;
}
/**
* @param object $source
*
* @return mixed[]
*/
public static function objectToArray(object $source): array
{
return json_decode(
json_encode($source, JSON_THROW_ON_ERROR),
true,
512,
JSON_THROW_ON_ERROR
);
}
/**
* array_merge_recursive does indeed merge arrays, but it converts values with duplicate
* keys to arrays rather than overwriting the value in the first array with the duplicate
* value in the second array, as array_merge does. I.e., with array_merge_recursive,
* this happens (documented behavior):
*
* array_merge_recursive(array('key' => 'org value'), array('key' => 'new value'));
* => array('key' => array('org value', 'new value'));
*
* array_merge_recursive_distinct does not change the datatypes of the values in the arrays.
* Matching keys' values in the second array overwrite those in the first array, as is the
* case with array_merge, i.e.:
*
* array_merge_recursive_distinct(array('key' => 'org value'), array('key' => 'new value'));
* => array('key' => array('new value'));
*
* Parameters are passed by reference, though only for performance reasons. They're not
* altered by this function.
*
* @param array $array1
* @param array $array2
*
* @return mixed[]
*
* @author Daniel <daniel (at) danielsmedegaardbuus (dot) dk>
* @author Gabriel Sobrinho <gabriel (dot) sobrinho (at) gmail (dot) com>
* @noinspection PhpParameterByRefIsNotUsedAsReferenceInspection
*/
public static function arrayMergeRecursiveDistinct(array &$array1, array &$array2): array
{
$merged = $array1;
foreach ($array2 as $key => &$value) {
if (is_array($value) && isset($merged[$key]) && is_array($merged[$key])) {
$merged[$key] = self::arrayMergeRecursiveDistinct($merged[$key], $value);
} else {
$merged[$key] = $value;
}
}
return $merged;
}
/**
* @template T of object
*
* @param array<array-key, T> $objects
* @param callable $keyFunction
* @return array<array-key, T>
*/
public static function keyByCallable(array $objects, callable $keyFunction): array
{
$newArray = [];
foreach ($objects as $object) {
$newArray[$keyFunction($object)] = $object;
}
return $newArray;
}
}
``` | /content/code_sandbox/backend/src/Utilities/Arrays.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 935 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use GuzzleHttp\Client;
use GuzzleHttp\HandlerStack;
final class GuzzleFactory
{
public function __construct(
private readonly array $defaultConfig = []
) {
}
public function withConfig(array $defaultConfig): self
{
return new self($defaultConfig);
}
public function withAddedConfig(array $config): self
{
return new self(array_merge($this->defaultConfig, $config));
}
public function getDefaultConfig(): array
{
return $this->defaultConfig;
}
public function getHandlerStack(): HandlerStack
{
return $this->defaultConfig['handler'] ?? HandlerStack::create();
}
public function buildClient(array $config = []): Client
{
return new Client(array_merge($this->defaultConfig, $config));
}
}
``` | /content/code_sandbox/backend/src/Service/GuzzleFactory.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 190 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Container\EnvironmentAwareTrait;
use App\Entity\Station;
use GuzzleHttp\Client;
final class Centrifugo
{
use EnvironmentAwareTrait;
public function __construct(
private readonly Client $client,
) {
}
public function isSupported(): bool
{
return !$this->environment->isTesting();
}
public function publishToStation(Station $station, mixed $message, array $triggers): void
{
$this->send([
'method' => 'publish',
'params' => [
'channel' => $this->getChannelName($station),
'data' => $this->buildStationMessage($message, $triggers),
],
]);
}
public function buildStationMessage(mixed $message, array $triggers = []): array
{
return [
'np' => $message,
'triggers' => $triggers,
'current_time' => time(),
];
}
private function send(array $body): void
{
$this->client->post(
'path_to_url
[
'json' => $body,
]
);
}
public function getChannelName(Station $station): string
{
return 'station:' . $station->getShortName();
}
}
``` | /content/code_sandbox/backend/src/Service/Centrifugo.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 296 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Entity\Interfaces\SongInterface;
use App\Entity\StationMedia;
use App\Lock\LockFactory;
use App\Version;
use GuzzleHttp\Client;
use GuzzleHttp\Psr7\UriResolver;
use GuzzleHttp\Psr7\Utils;
use GuzzleHttp\RequestOptions;
use JsonException;
use Psr\Http\Message\UriInterface;
use RuntimeException;
use Symfony\Component\Lock\Exception\LockConflictedException;
final class MusicBrainz
{
public const string API_BASE_URL = 'path_to_url
public const string COVER_ART_ARCHIVE_BASE_URL = 'path_to_url
public function __construct(
private readonly Client $httpClient,
private readonly LockFactory $lockFactory
) {
}
/**
* @param string|UriInterface $uri
* @param mixed[] $query Query string parameters to supplement defaults.
*
* @return mixed[] The decoded JSON response.
*/
public function makeRequest(
UriInterface|string $uri,
array $query = []
): array {
$rateLimitLock = $this->lockFactory->createLock(
'api_musicbrainz',
1,
false
);
try {
$rateLimitLock->acquire(true);
} catch (LockConflictedException) {
throw new RuntimeException('Could not acquire rate limiting lock.');
}
$query['fmt'] = 'json';
$uri = UriResolver::resolve(
Utils::uriFor(self::API_BASE_URL),
Utils::uriFor($uri)
);
$response = $this->httpClient->request(
'GET',
$uri,
[
RequestOptions::TIMEOUT => 7,
RequestOptions::HTTP_ERRORS => true,
RequestOptions::HEADERS => [
'User-Agent' => 'AzuraCast ' . Version::STABLE_VERSION,
'Accept' => 'application/json',
],
RequestOptions::QUERY => $query,
]
);
$responseBody = (string)$response->getBody();
return json_decode($responseBody, true, 512, JSON_THROW_ON_ERROR);
}
/**
* @return mixed[]
*/
public function findRecordingsForSong(
SongInterface $song,
string $include = 'releases'
): array {
$query = [];
if (!empty($song->getTitle())) {
$query[] = $this->quoteQuery($song->getTitle());
}
if (!empty($song->getArtist())) {
$query[] = 'artist:' . $this->quoteQuery($song->getArtist());
}
if ($song instanceof StationMedia) {
$advancedQuery = $query;
if (!empty($song->getAlbum())) {
$advancedQuery[] = 'release:' . $this->quoteQuery($song->getAlbum());
}
if (!empty($song->getIsrc())) {
$advancedQuery[] = 'isrc:' . $this->quoteQuery($song->getIsrc());
}
if (count($advancedQuery) > count($query)) {
$response = $this->makeRequest(
'recording/',
[
'query' => implode(' AND ', $advancedQuery),
'inc' => $include,
'limit' => 5,
]
);
if (!empty($response['recordings'])) {
return $response['recordings'];
}
}
}
if (empty($query)) {
return [];
}
$response = $this->makeRequest(
'recording/',
[
'query' => implode(' AND ', $query),
'inc' => $include,
'limit' => 5,
]
);
return $response['recordings'];
}
private function quoteQuery(string $query): string
{
return '"' . str_replace('"', '\'', $query) . '"';
}
public function getCoverArt(
string $recordType,
string $mbid
): ?string {
$uri = '/' . $recordType . '/' . $mbid;
$uri = UriResolver::resolve(
Utils::uriFor(self::COVER_ART_ARCHIVE_BASE_URL),
Utils::uriFor($uri)
);
$response = $this->httpClient->request(
'GET',
$uri,
[
RequestOptions::ALLOW_REDIRECTS => true,
RequestOptions::HEADERS => [
'User-Agent' => 'AzuraCast ' . Version::STABLE_VERSION,
'Accept' => 'application/json',
],
]
);
if (200 !== $response->getStatusCode()) {
return null;
}
$responseBody = (string)$response->getBody();
if (empty($responseBody)) {
return null;
}
try {
$jsonBody = json_decode($responseBody, true, 512, JSON_THROW_ON_ERROR);
} catch (JsonException) {
return null;
}
if (empty($jsonBody['images'])) {
return null; // API returned no "images".
}
foreach ($jsonBody['images'] as $image) {
if (!$image['front']) {
continue;
}
$imageUrl = $image['thumbnails'][1200]
?? $image['thumbnails']['large']
?? $image['image']
?? null;
if (!empty($imageUrl)) {
$imageUri = Utils::uriFor($imageUrl);
return (string)($imageUri->withScheme('https'));
}
}
return null;
}
}
``` | /content/code_sandbox/backend/src/Service/MusicBrainz.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 1,187 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Service\NetworkStats\NetworkData;
use App\Service\NetworkStats\NetworkData\Received;
use App\Service\NetworkStats\NetworkData\Transmitted;
use Brick\Math\BigDecimal;
final class NetworkStats
{
public static function getNetworkUsage(): array
{
$networkRaw = file('/proc/net/dev', FILE_IGNORE_NEW_LINES) ?: [];
$currentTimestamp = microtime(true);
$interfaces = [];
foreach ($networkRaw as $lineNumber => $line) {
if ($lineNumber <= 1) {
continue;
}
[$interfaceName, $interfaceData] = explode(':', $line);
$interfaceName = trim($interfaceName);
$interfaceData = preg_split('/\s+/', trim($interfaceData)) ?: [];
$interfaces[] = NetworkData::fromInterfaceData(
$interfaceName,
BigDecimal::of($currentTimestamp),
$interfaceData
);
}
return $interfaces;
}
public static function calculateDelta(NetworkData $current, NetworkData $previous): NetworkData
{
$interfaceName = $current->interfaceName;
$received = self::calculateReceivedDelta($current->received, $previous->received);
$transmitted = self::calculateTransmittedDelta($current->transmitted, $previous->transmitted);
return new NetworkData(
$interfaceName,
$current->time->minus($previous->time),
$received,
$transmitted,
true
);
}
public static function calculateReceivedDelta(Received $current, Received $previous): Received
{
return new Received(
$current->bytes->minus($previous->bytes),
$current->packets->minus($previous->packets),
$current->errs->minus($previous->errs),
$current->drop->minus($previous->drop),
$current->fifo->minus($previous->fifo),
$current->frame->minus($previous->frame),
$current->compressed->minus($previous->compressed),
$current->multicast->minus($previous->multicast)
);
}
public static function calculateTransmittedDelta(Transmitted $current, Transmitted $previous): Transmitted
{
return new Transmitted(
$current->bytes->minus($previous->bytes),
$current->packets->minus($previous->packets),
$current->errs->minus($previous->errs),
$current->drop->minus($previous->drop),
$current->fifo->minus($previous->fifo),
$current->colls->minus($previous->colls),
$current->carrier->minus($previous->carrier),
$current->compressed->minus($previous->compressed)
);
}
}
``` | /content/code_sandbox/backend/src/Service/NetworkStats.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 596 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Service\DeviceDetector\DeviceResult;
use DeviceDetector\DeviceDetector as ParentDeviceDetector;
use Psr\Cache\CacheItemPoolInterface;
use Symfony\Component\Cache\Adapter\ProxyAdapter;
final class DeviceDetector
{
private CacheItemPoolInterface $psr6Cache;
private ParentDeviceDetector $dd;
/** @var array<string, DeviceResult> */
private array $deviceResults = [];
public function __construct(
CacheItemPoolInterface $psr6Cache
) {
$this->psr6Cache = new ProxyAdapter($psr6Cache, 'device_detector.');
$this->dd = new ParentDeviceDetector();
}
public function parse(string $userAgent): DeviceResult
{
$userAgentHash = md5($userAgent);
if (isset($this->deviceResults[$userAgentHash])) {
return $this->deviceResults[$userAgentHash];
}
$cacheItem = $this->psr6Cache->getItem($userAgentHash);
if (!$cacheItem->isHit()) {
$this->dd->setUserAgent($userAgent);
$this->dd->parse();
$cacheItem->set(DeviceResult::fromDeviceDetector($userAgent, $this->dd));
/** @noinspection SummerTimeUnsafeTimeManipulationInspection */
$cacheItem->expiresAfter(86400 * 7);
$this->psr6Cache->saveDeferred($cacheItem);
}
$deviceResult = $cacheItem->get();
assert($deviceResult instanceof DeviceResult);
$this->deviceResults[$userAgentHash] = $deviceResult;
return $deviceResult;
}
public function saveCache(): bool
{
return $this->psr6Cache->commit();
}
}
``` | /content/code_sandbox/backend/src/Service/DeviceDetector.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 392 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Container\EnvironmentAwareTrait;
use RuntimeException;
use Throwable;
final class WebUpdater
{
use EnvironmentAwareTrait;
// Don't worry that this is insecure; it's only ever used for internal communications.
public const string WATCHTOWER_TOKEN = 'azur4c457';
public function __construct(
private readonly GuzzleFactory $guzzleFactory
) {
}
public function isSupported(): bool
{
return $this->environment->enableWebUpdater();
}
public function ping(): bool
{
if (!$this->isSupported()) {
return false;
}
try {
$client = $this->guzzleFactory->buildClient();
$client->get(
'path_to_url
[
'http_errors' => false,
'timeout' => 5,
]
);
return true;
} catch (Throwable) {
return false;
}
}
public function triggerUpdate(): void
{
if (!$this->isSupported()) {
throw new RuntimeException('Web updates are not supported on this installation.');
}
$client = $this->guzzleFactory->buildClient();
$client->post(
'path_to_url
[
'timeout' => 0,
'headers' => [
'Authorization' => 'Bearer ' . self::WATCHTOWER_TOKEN,
],
]
);
}
}
``` | /content/code_sandbox/backend/src/Service/WebUpdater.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 315 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Container\SettingsAwareTrait;
use Symfony\Component\Mailer\Envelope;
use Symfony\Component\Mailer\MailerInterface;
use Symfony\Component\Mime\Address;
use Symfony\Component\Mime\Email;
use Symfony\Component\Mime\RawMessage;
final class Mail implements MailerInterface
{
use SettingsAwareTrait;
public function __construct(
private readonly MailerInterface $mailer
) {
}
public function isEnabled(): bool
{
return $this->readSettings()->getMailEnabled();
}
public function createMessage(): Email
{
$settings = $this->readSettings();
$email = new Email();
$email->from(new Address($settings->getMailSenderEmail(), $settings->getMailSenderName()));
return $email;
}
public function send(RawMessage $message, Envelope $envelope = null): void
{
$this->mailer->send($message, $envelope);
}
}
``` | /content/code_sandbox/backend/src/Service/Mail.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 218 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Container\EnvironmentAwareTrait;
use App\Exception\SupervisorException;
use App\Service\ServiceControl\ServiceData;
use InvalidArgumentException;
use Supervisor\Exception\Fault\BadNameException;
use Supervisor\Exception\Fault\NotRunningException;
use Supervisor\Exception\SupervisorException as SupervisorLibException;
use Supervisor\ProcessStates;
use Supervisor\SupervisorInterface;
final class ServiceControl
{
use EnvironmentAwareTrait;
public function __construct(
private readonly SupervisorInterface $supervisor,
private readonly Centrifugo $centrifugo
) {
}
/** @return ServiceData[] */
public function getServices(): array
{
$services = [];
foreach ($this->getServiceNames() as $name => $description) {
try {
$isRunning = in_array(
$this->supervisor->getProcess($name)->getState(),
[
ProcessStates::Running,
ProcessStates::Starting,
],
true
);
} catch (BadNameException) {
$isRunning = false;
}
$services[] = new ServiceData(
$name,
$description,
$isRunning
);
}
return $services;
}
public function restart(string $service): void
{
$serviceNames = $this->getServiceNames();
if (!isset($serviceNames[$service])) {
throw new InvalidArgumentException(
sprintf('Service "%s" is not managed by AzuraCast.', $service)
);
}
try {
$this->supervisor->stopProcess($service);
} catch (NotRunningException) {
}
try {
$this->supervisor->startProcess($service);
} catch (SupervisorLibException $e) {
throw SupervisorException::fromSupervisorLibException($e, $service);
}
}
public function getServiceNames(): array
{
$services = [
'cron' => __('Runs routine synchronized tasks'),
'mariadb' => __('Database'),
'nginx' => __('Web server'),
'php-fpm' => __('PHP FastCGI Process Manager'),
'php-nowplaying' => __('Now Playing manager service'),
'php-worker' => __('PHP queue processing worker'),
'redis' => __('Cache'),
'sftpgo' => __('SFTP service'),
'centrifugo' => __('Live Now Playing updates'),
'vite' => __('Frontend Assets'),
];
if (!$this->centrifugo->isSupported()) {
unset($services['centrifugo']);
}
if (!$this->environment->useLocalDatabase()) {
unset($services['mariadb']);
}
if (!$this->environment->useLocalRedis()) {
unset($services['redis']);
}
if (!$this->environment->isDevelopment()) {
unset($services['vite']);
}
return $services;
}
}
``` | /content/code_sandbox/backend/src/Service/ServiceControl.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 627 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Service\MemoryStats\MemoryData;
final class MemoryStats
{
public static function getMemoryUsage(): MemoryData
{
$meminfoRaw = file('/proc/meminfo', FILE_IGNORE_NEW_LINES) ?: [];
$meminfo = [];
foreach ($meminfoRaw as $line) {
if (!str_contains($line, ':')) {
continue;
}
[$key, $val] = explode(':', $line);
$meminfo[$key] = trim($val);
}
return MemoryData::fromMeminfo($meminfo);
}
}
``` | /content/code_sandbox/backend/src/Service/MemoryStats.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 138 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Utilities\Json;
use InvalidArgumentException;
use LogicException;
use Symfony\Component\Filesystem\Filesystem;
use Symfony\Component\Process\Process;
final class AudioWaveform
{
/**
* @return mixed[]
*/
public static function getWaveformFor(string $path): array
{
if (!file_exists($path)) {
throw new InvalidArgumentException(sprintf('File at path "%s" not found.', $path));
}
$jsonOutPath = (new Filesystem())->tempnam(
sys_get_temp_dir(),
'awf_',
'.json'
);
$process = new Process(
[
'audiowaveform',
'-i',
$path,
'-o',
$jsonOutPath,
'--pixels-per-second',
'20',
'--bits',
'8',
]
);
$process->setTimeout(60);
$process->setIdleTimeout(3600);
$process->run();
if (0 !== $process->getExitCode()) {
throw new LogicException(sprintf(
'Cannot process waveform for file "%s": %s',
basename($path),
$process->getErrorOutput()
));
}
$input = Json::loadFromFile($jsonOutPath);
// Limit all input to a range from 0 to 1.
$data = $input['data'];
$maxVal = (float)max($data);
$newData = [];
foreach ($data as $row) {
$newData[] = round($row / $maxVal, 2);
}
$input['data'] = $newData;
return $input;
}
}
``` | /content/code_sandbox/backend/src/Service/AudioWaveform.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 369 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Container\EnvironmentAwareTrait;
use App\Container\LoggerAwareTrait;
use App\Container\SettingsAwareTrait;
use App\Entity\Repository\StationRepository;
use App\Environment;
use App\Message\AbstractMessage;
use App\Message\GenerateAcmeCertificate;
use App\Nginx\Nginx;
use App\Radio\Adapters;
use App\Utilities\File;
use Exception;
use Monolog\Handler\StreamHandler;
use Psr\Log\LogLevel;
use RuntimeException;
use skoerfgen\ACMECert\ACMECert;
use Symfony\Component\Filesystem\Filesystem;
final class Acme
{
use LoggerAwareTrait;
use EnvironmentAwareTrait;
use SettingsAwareTrait;
public const string LETSENCRYPT_PROD = 'path_to_url
public const string LETSENCRYPT_DEV = 'path_to_url
public const int THRESHOLD_DAYS = 30;
public function __construct(
private readonly StationRepository $stationRepo,
private readonly Nginx $nginx,
private readonly Adapters $adapters,
) {
}
public function __invoke(AbstractMessage $message): void
{
if ($message instanceof GenerateAcmeCertificate) {
$outputPath = $message->outputPath;
if (null !== $outputPath) {
$logHandler = new StreamHandler($outputPath, LogLevel::DEBUG, true);
$this->logger->pushHandler($logHandler);
}
try {
$this->getCertificate($message->force);
} catch (Exception $e) {
$this->logger->error(
sprintf('ACME Error: %s', $e->getMessage()),
[
'exception' => $e,
]
);
}
if (null !== $outputPath) {
$this->logger->popHandler();
}
}
}
public function getCertificate(bool $force = false): void
{
// Check folder permissions.
$acmeDir = self::getAcmeDirectory();
$fs = new Filesystem();
// Build ACME Cert class.
$directoryUrl = $this->environment->isProduction() ? self::LETSENCRYPT_PROD : self::LETSENCRYPT_DEV;
$this->logger->debug(
sprintf('ACME: Using directory URL: %s', $directoryUrl)
);
$acme = new ACMECert($directoryUrl);
// Build LetsEncrypt settings.
$settings = $this->readSettings();
$acmeEmail = $settings->getAcmeEmail();
$acmeDomain = $settings->getAcmeDomains();
if (empty($acmeEmail)) {
$acmeEmail = getenv('LETSENCRYPT_EMAIL');
if (!empty($acmeEmail)) {
$settings->setAcmeEmail($acmeEmail);
$this->writeSettings($settings);
}
}
if (empty($acmeDomain)) {
$acmeDomain = getenv('LETSENCRYPT_HOST');
if (empty($acmeDomain)) {
throw new RuntimeException('Skipping LetsEncrypt; no domain(s) set.');
} else {
$settings->setAcmeDomains($acmeDomain);
$this->writeSettings($settings);
}
}
// Account certificate registration.
if (file_exists($acmeDir . '/account_key.pem')) {
$acme->loadAccountKey('file://' . $acmeDir . '/account_key.pem');
} else {
$accountKey = $acme->generateECKey();
$acme->loadAccountKey($accountKey);
if (!empty($acmeEmail)) {
$acme->register(true, $acmeEmail);
} else {
$acme->register(true);
}
$fs->dumpFile($acmeDir . '/account_key.pem', $accountKey);
}
$domains = array_map(
'trim',
explode(',', $acmeDomain)
);
// Renewal check.
if (
!$force
&& file_exists($acmeDir . '/acme.crt')
&& empty(array_diff($domains, $acme->getSAN('file://' . $acmeDir . '/acme.crt')))
&& $acme->getRemainingDays('file://' . $acmeDir . '/acme.crt') > self::THRESHOLD_DAYS
) {
if (!$this->checkLinks($acmeDir)) {
$this->reloadServices();
}
throw new RuntimeException('Certificate does not need renewal.');
}
$fs->mkdir($acmeDir . '/challenges');
$domainConfig = [];
foreach ($domains as $domain) {
$domainConfig[$domain] = ['challenge' => 'http-01'];
}
$handler = function ($opts) use ($acmeDir, $fs) {
$fs->dumpFile(
$acmeDir . '/challenges/' . basename($opts['key']),
$opts['value']
);
return function ($opts) use ($acmeDir, $fs) {
$fs->remove($acmeDir . '/challenges/' . $opts['key']);
};
};
if (!file_exists($acmeDir . '/acme.key')) {
$acmeKey = $acme->generateECKey();
$fs->dumpFile($acmeDir . '/acme.key', $acmeKey);
}
$fullchain = $acme->getCertificateChain(
'file://' . $acmeDir . '/acme.key',
$domainConfig,
$handler
);
$fs->dumpFile($acmeDir . '/acme.crt', $fullchain);
// Symlink to the shared SSL cert.
$this->checkLinks($acmeDir);
$this->reloadServices();
$this->logger->notice('ACME certificate process successful.');
}
private function checkLinks(string $acmeDir): bool
{
$fs = new Filesystem();
if (
$fs->readlink($acmeDir . '/ssl.crt', true) === $acmeDir . '/acme.crt'
&& $fs->readlink($acmeDir . '/ssl.key', true) === $acmeDir . '/acme.key'
) {
return true;
}
$fs->remove([
$acmeDir . '/ssl.crt',
$acmeDir . '/ssl.key',
]);
$fs->symlink($acmeDir . '/acme.crt', $acmeDir . '/ssl.crt');
$fs->symlink($acmeDir . '/acme.key', $acmeDir . '/ssl.key');
return false;
}
private function reloadServices(): void
{
try {
$this->nginx->reload();
foreach ($this->stationRepo->iterateEnabledStations() as $station) {
$frontendType = $station->getFrontendType();
if (!$station->getHasStarted() || !$frontendType->supportsReload()) {
continue;
}
$frontend = $this->adapters->getFrontendAdapter($station);
if (null !== $frontend && $frontend->isRunning($station)) {
$frontend->reload($station);
}
}
} catch (Exception $e) {
$this->logger->error(
sprintf('ACME: Could not reload all adapters: %s', $e->getMessage()),
[
'exception' => $e,
]
);
}
}
public static function getAcmeDirectory(): string
{
$parentDir = Environment::getInstance()->getParentDirectory();
return File::getFirstExistingDirectory([
$parentDir . '/acme',
$parentDir . '/storage/acme',
]);
}
public static function getCertificatePaths(): array
{
$acmeDir = self::getAcmeDirectory();
return [
$acmeDir . '/ssl.crt',
$acmeDir . '/ssl.key',
];
}
}
``` | /content/code_sandbox/backend/src/Service/Acme.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 1,735 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Container\EnvironmentAwareTrait;
use Redis;
use RuntimeException;
final class RedisFactory
{
use EnvironmentAwareTrait;
protected ?Redis $instance = null;
public function isSupported(): bool
{
return !$this->environment->isTesting() && $this->environment->enableRedis();
}
public function getInstance(): Redis
{
if (!$this->isSupported()) {
throw new RuntimeException('Redis is disabled on this installation.');
}
if (null === $this->instance) {
$settings = $this->environment->getRedisSettings();
$this->instance = new Redis();
if (isset($settings['socket'])) {
$this->instance->connect($settings['socket']);
} else {
$this->instance->connect($settings['host'], $settings['port'], 15);
}
}
return $this->instance;
}
}
``` | /content/code_sandbox/backend/src/Service/RedisFactory.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 205 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Container\EnvironmentAwareTrait;
use App\Container\LoggerAwareTrait;
use App\Container\SettingsAwareTrait;
use App\Version;
use Exception;
use GuzzleHttp\Client;
final class AzuraCastCentral
{
use LoggerAwareTrait;
use EnvironmentAwareTrait;
use SettingsAwareTrait;
private const string BASE_URL = 'path_to_url
public function __construct(
private readonly Version $version,
private readonly Client $httpClient,
) {
}
/**
* Ping the AzuraCast Central server for updates and return them if there are any.
*
* @return mixed[]|null
*/
public function checkForUpdates(): ?array
{
$requestBody = [
'id' => $this->getUniqueIdentifier(),
'is_docker' => $this->environment->isDocker(),
'environment' => $this->environment->getAppEnvironmentEnum()->value,
'release_channel' => $this->version->getReleaseChannelEnum()->value,
];
$commitHash = $this->version->getCommitHash();
if ($commitHash) {
$requestBody['version'] = $commitHash;
} else {
$requestBody['release'] = Version::STABLE_VERSION;
}
$this->logger->debug(
'Update request body',
[
'body' => $requestBody,
]
);
try {
$response = $this->httpClient->request(
'POST',
self::BASE_URL . '/api/update',
['json' => $requestBody]
);
$updateDataRaw = $response->getBody()->getContents();
$updateData = json_decode($updateDataRaw, true, 512, JSON_THROW_ON_ERROR);
return $updateData['updates'] ?? null;
} catch (Exception $e) {
$this->logger->error('Error checking for updates: ' . $e->getMessage());
}
return null;
}
public function getUniqueIdentifier(): string
{
return $this->readSettings()->getAppUniqueIdentifier();
}
/**
* Ping the AzuraCast Central server to retrieve this installation's likely public-facing IP.
*
* @param bool $cached
*/
public function getIp(bool $cached = true): ?string
{
$settings = $this->readSettings();
$ip = ($cached)
? $settings->getExternalIp()
: null;
if (empty($ip)) {
try {
$response = $this->httpClient->request(
'GET',
self::BASE_URL . '/ip'
);
$bodyRaw = $response->getBody()->getContents();
$body = json_decode($bodyRaw, true, 512, JSON_THROW_ON_ERROR);
$ip = $body['ip'] ?? null;
} catch (Exception $e) {
$this->logger->error('Could not fetch remote IP: ' . $e->getMessage());
$ip = null;
}
if (!empty($ip) && $cached) {
$settings->setExternalIp($ip);
$this->writeSettings($settings);
}
}
return $ip;
}
}
``` | /content/code_sandbox/backend/src/Service/AzuraCastCentral.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 704 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Container\SettingsAwareTrait;
use App\Lock\LockFactory;
use App\Version;
use GuzzleHttp\Client;
use GuzzleHttp\RequestOptions;
use InvalidArgumentException;
use RuntimeException;
use Symfony\Component\Lock\Exception\LockConflictedException;
final class LastFm
{
use SettingsAwareTrait;
public const string API_BASE_URL = 'path_to_url
public function __construct(
private readonly Client $httpClient,
private readonly LockFactory $lockFactory
) {
}
/**
* @return string|null
*/
public function getApiKey(): ?string
{
return $this->readSettings()->getLastFmApiKey();
}
public function hasApiKey(): bool
{
return !empty($this->getApiKey());
}
/**
* @param string $apiMethod API method to call.
* @param mixed[] $query Query string parameters to supplement defaults.
*
* @return mixed[] The decoded JSON response.
*/
public function makeRequest(
string $apiMethod,
array $query = []
): array {
$apiKey = $this->getApiKey();
if (empty($apiKey)) {
throw new InvalidArgumentException('No last.fm API key provided.');
}
$rateLimitLock = $this->lockFactory->createLock(
'api_lastfm',
1,
false
);
try {
$rateLimitLock->acquire(true);
} catch (LockConflictedException) {
throw new RuntimeException('Could not acquire rate limiting lock.');
}
$query = array_merge(
$query,
[
'method' => $apiMethod,
'api_key' => $apiKey,
'format' => 'json',
]
);
$response = $this->httpClient->request(
'GET',
self::API_BASE_URL,
[
RequestOptions::HTTP_ERRORS => true,
RequestOptions::HEADERS => [
'User-Agent' => 'AzuraCast ' . Version::STABLE_VERSION,
'Accept' => 'application/json',
],
RequestOptions::QUERY => $query,
]
);
$responseBody = (string)$response->getBody();
$responseJson = json_decode($responseBody, true, 512, JSON_THROW_ON_ERROR);
if (!empty($responseJson['error'])) {
if (!empty($responseJson['message'])) {
throw new RuntimeException(
'last.fm API error: ' . $responseJson['message'],
(int)$responseJson['error']
);
}
throw $this->createExceptionFromErrorCode((int)$responseJson['error']);
}
return $responseJson;
}
private function createExceptionFromErrorCode(int $errorCode): RuntimeException
{
$errorDescriptions = [
2 => 'Invalid service - This service does not exist',
3 => 'Invalid Method - No method with that name in this package',
4 => 'Authentication Failed - You do not have permissions to access the service',
5 => 'Invalid format - This service doesn\'t exist in that format',
6 => 'Invalid parameters - Your request is missing a required parameter',
7 => 'Invalid resource specified',
8 => 'Operation failed - Something else went wrong',
9 => 'Invalid session key - Please re-authenticate',
10 => 'Invalid API key - You must be granted a valid key by last.fm',
11 => 'Service Offline - This service is temporarily offline. try again later.',
13 => 'Invalid method signature supplied',
16 => 'There was a temporary error processing your request. Please try again',
26 => 'Suspended API key - Access for your account has been suspended, please contact Last.fm',
29 => 'Rate limit exceeded - Your IP has made too many requests in a short period',
];
return new RuntimeException(
'last.fm API error: ' . ($errorDescriptions[$errorCode] ?? 'Unknown Error'),
$errorCode
);
}
}
``` | /content/code_sandbox/backend/src/Service/LastFm.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 866 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use App\Service\CpuStats\CpuData;
use Brick\Math\BigDecimal;
use Brick\Math\RoundingMode;
final class CpuStats
{
/**
* @return CpuData[]
*/
public static function getCurrentLoad(): array
{
$cpuStatsRaw = file('/proc/stat', FILE_IGNORE_NEW_LINES) ?: [];
$cpuCoreData = [];
foreach ($cpuStatsRaw as $statLine) {
$lineData = preg_split('/\s+/', $statLine) ?: [];
$lineName = array_shift($lineData) ?? '';
if ($lineName === 'cpu') {
$cpuCoreData[] = CpuData::fromCoreData('total', $lineData);
} elseif (str_starts_with($lineName, 'cpu')) {
$cpuCoreData[] = CpuData::fromCoreData($lineName, $lineData);
}
}
return $cpuCoreData;
}
public static function calculateDelta(CpuData $current, CpuData $previous): CpuData
{
$name = $current->name;
$user = $current->user - $previous->user;
$nice = $current->nice - $previous->nice;
$system = $current->system - $previous->system;
$idle = $current->idle - $previous->idle;
$iowait = null;
if ($current->iowait !== null && $previous->iowait !== null) {
$iowait = $current->iowait - $previous->iowait;
}
$irq = null;
if ($current->irq !== null && $previous->irq !== null) {
$irq = $current->irq - $previous->irq;
}
$softirq = null;
if ($current->softirq !== null && $previous->softirq !== null) {
$softirq = $current->softirq - $previous->softirq;
}
$steal = null;
if ($current->steal !== null && $previous->steal !== null) {
$steal = $current->steal - $previous->steal;
}
$guest = null;
if ($current->guest !== null && $previous->guest !== null) {
$guest = $current->guest - $previous->guest;
}
return new CpuData(
$name,
true,
$user,
$nice,
$system,
$idle,
$iowait,
$irq,
$softirq,
$steal,
$guest
);
}
public static function getUsage(CpuData $delta): BigDecimal
{
$usage = $delta->getTotalUsage();
$total = $delta->getTotal();
return BigDecimal::of($usage)
->multipliedBy(100)
->dividedBy($total, 2, RoundingMode::HALF_UP);
}
public static function getIdle(CpuData $delta): BigDecimal
{
$idle = $delta->idle;
$total = $delta->getTotal();
return BigDecimal::of($idle)
->multipliedBy(100)
->dividedBy($total, 2, RoundingMode::HALF_UP);
}
public static function getIoWait(CpuData $delta): BigDecimal
{
$ioWait = $delta->iowait;
$total = $delta->getTotal();
return BigDecimal::of($ioWait ?? 0)
->multipliedBy(100)
->dividedBy($total, 2, RoundingMode::HALF_UP);
}
public static function getSteal(CpuData $delta): BigDecimal
{
$steal = $delta->steal;
$total = $delta->getTotal();
return BigDecimal::of($steal ?? 0)
->multipliedBy(100)
->dividedBy($total, 2, RoundingMode::HALF_UP);
}
}
``` | /content/code_sandbox/backend/src/Service/CpuStats.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 890 |
```php
<?php
declare(strict_types=1);
namespace App\Service;
use Exception;
use MaxMind\Db\Reader;
use Psr\Cache\CacheItemPoolInterface;
use RuntimeException;
use Symfony\Component\Cache\Adapter\ProxyAdapter;
final class IpGeolocation
{
private bool $isInitialized = false;
private ?Reader $reader;
private ?string $readerShortName;
private string $attribution = '';
private CacheItemPoolInterface $psr6Cache;
public function __construct(CacheItemPoolInterface $psr6Cache)
{
$this->psr6Cache = new ProxyAdapter($psr6Cache, 'ip_geo.');
}
private function initialize(): void
{
if ($this->isInitialized) {
return;
}
$this->isInitialized = true;
$readers = [
IpGeolocator\GeoLite::class,
IpGeolocator\DbIp::class,
];
foreach ($readers as $reader) {
/** @var IpGeolocator\IpGeolocatorInterface $reader */
if ($reader::isAvailable()) {
$this->reader = $reader::getReader();
$this->readerShortName = $reader::getReaderShortName();
$this->attribution = $reader::getAttribution();
return;
}
}
$this->reader = null;
$this->readerShortName = null;
$this->attribution = __(
'GeoLite database not configured for this installation. See System Administration for instructions.'
);
}
public function getAttribution(): string
{
if (!$this->isInitialized) {
$this->initialize();
}
return $this->attribution;
}
public function getLocationInfo(string $ip): IpGeolocator\IpResult
{
if (!$this->isInitialized) {
$this->initialize();
}
$cacheKey = $this->readerShortName . '_' . str_replace([':', '.'], '_', $ip);
$cacheItem = $this->psr6Cache->getItem($cacheKey);
if (!$cacheItem->isHit()) {
$cacheItem->set($this->getUncachedLocationInfo($ip));
/** @noinspection SummerTimeUnsafeTimeManipulationInspection */
$cacheItem->expiresAfter(86400 * 7);
$this->psr6Cache->saveDeferred($cacheItem);
}
$ipInfo = $cacheItem->get();
return IpGeolocator\IpResult::fromIpInfo($ip, $ipInfo);
}
private function getUncachedLocationInfo(string $ip): array
{
$reader = $this->reader;
if (null === $reader) {
throw new RuntimeException('No IP Geolocation reader available.');
}
try {
$ipInfo = $reader->get($ip);
if (!empty($ipInfo)) {
return $ipInfo;
}
return [
'status' => 'error',
'message' => 'Internal/Reserved IP',
];
} catch (Exception $e) {
return [
'status' => 'error',
'message' => $e->getMessage(),
];
}
}
public function saveCache(): bool
{
return $this->psr6Cache->commit();
}
}
``` | /content/code_sandbox/backend/src/Service/IpGeolocation.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 718 |
```php
<?php
/**
* This is the implementation of the server side part of
* Flow.js client script, which sends/uploads files
* to a server in several chunks.
*
* The script receives the files in a standard way as if
* the files were uploaded using standard HTML form (multipart).
*
* This PHP script stores all the chunks of a file in a temporary
* directory (`temp`) with the extension `_part<#ChunkN>`. Once all
* the parts have been uploaded, a final destination file is
* being created from all the stored parts (appending one by one).
*
* @author Buster "Silver Eagle" Neece
* @email buster@busterneece.com
*
* @author Gregory Chris (path_to_url
* @email www.online.php@gmail.com
*
* @editor Bivek Joshi (path_to_url
* @email meetbivek@gmail.com
*/
declare(strict_types=1);
namespace App\Service;
use App\Exception\Http\FlowUploadException;
use App\Http\Response;
use App\Http\ServerRequest;
use App\Service\Flow\UploadedFile;
use Psr\Http\Message\ResponseInterface;
use Psr\Http\Message\UploadedFileInterface;
use Symfony\Component\Filesystem\Filesystem;
use const SCANDIR_SORT_NONE;
final class Flow
{
/**
* Process the request and return a response if necessary, or the completed file details if successful.
*/
public static function process(
ServerRequest $request,
Response $response,
string $tempDir = null
): UploadedFile|ResponseInterface {
if (null === $tempDir) {
$tempDir = sys_get_temp_dir() . '/uploads';
(new Filesystem())->mkdir($tempDir);
}
$params = $request->getParams();
// Handle a regular file upload that isn't using flow.
if (empty($params['flowTotalChunks']) || empty($params['flowIdentifier'])) {
// Prompt an upload if this is indeed a mistaken Flow request.
if ('GET' === $request->getMethod()) {
return $response->withStatus(204, 'No Content');
}
return self::handleStandardUpload($request, $tempDir);
}
$flowIdentifier = $params['flowIdentifier'];
$flowChunkNumber = (int)($params['flowChunkNumber'] ?? 1);
$targetSize = (int)($params['flowTotalSize'] ?? 0);
$targetChunks = (int)($params['flowTotalChunks']);
$flowFilename = $params['flowFilename'] ?? ($flowIdentifier);
// init the destination file (format <filename.ext>.part<#chunk>
$chunkBaseDir = $tempDir . '/' . $flowIdentifier;
$chunkPath = $chunkBaseDir . '/' . $flowIdentifier . '.part' . $flowChunkNumber;
$currentChunkSize = (int)($params['flowCurrentChunkSize'] ?? 0);
// Check if request is GET and the requested chunk exists or not. This makes testChunks work
if ('GET' === $request->getMethod()) {
// Force a reupload of the last chunk if all chunks are uploaded, to trigger processing below.
if (
$flowChunkNumber !== $targetChunks
&& is_file($chunkPath)
&& filesize($chunkPath) === $currentChunkSize
) {
return $response->withStatus(200, 'OK');
}
return $response->withStatus(204, 'No Content');
}
$files = $request->getUploadedFiles();
if (empty($files)) {
throw new FlowUploadException(
$request,
'No file uploaded.'
);
}
/** @var UploadedFileInterface $file */
$file = reset($files);
if ($file->getError() !== UPLOAD_ERR_OK) {
throw new FlowUploadException(
$request,
sprintf(
'Error %s in file %s',
$file->getError(),
$flowFilename
)
);
}
// the file is stored in a temporary directory
(new Filesystem())->mkdir($chunkBaseDir);
if ($file->getSize() !== $currentChunkSize) {
throw new FlowUploadException(
$request,
sprintf(
'File size of %s does not match expected size of %s',
$file->getSize(),
$currentChunkSize
)
);
}
$file->moveTo($chunkPath);
clearstatcache();
if ($flowChunkNumber === $targetChunks) {
// Handle last chunk.
if (self::allPartsExist($chunkBaseDir, $targetSize, $targetChunks)) {
return self::createFileFromChunks(
$request,
$tempDir,
$chunkBaseDir,
$flowIdentifier,
$flowFilename,
$targetChunks
);
}
// Upload succeeded, but re-trigger upload anyway for the above.
return $response->withStatus(204, 'No Content');
}
// Return an OK status to indicate that the chunk upload itself succeeded.
return $response->withStatus(200, 'OK');
}
private static function handleStandardUpload(
ServerRequest $request,
string $tempDir
): UploadedFile {
$files = $request->getUploadedFiles();
if (empty($files)) {
throw new FlowUploadException(
$request,
'No file uploaded.'
);
}
/** @var UploadedFileInterface $file */
$file = reset($files);
if ($file->getError() !== UPLOAD_ERR_OK) {
throw new FlowUploadException(
$request,
sprintf(
'Uploaded file error code: %s',
$file->getError()
)
);
}
$uploadedFile = new UploadedFile($file->getClientFilename(), null, $tempDir);
$file->moveTo($uploadedFile->getUploadedPath());
return $uploadedFile;
}
/**
* Check if all parts exist and are uploaded.
*
* @param string $chunkBaseDir
* @param int $targetSize
* @param int $targetChunkNumber
*/
private static function allPartsExist(
string $chunkBaseDir,
int $targetSize,
int $targetChunkNumber
): bool {
$chunkSize = 0;
$chunkNumber = 0;
foreach (array_diff(scandir($chunkBaseDir, SCANDIR_SORT_NONE) ?: [], ['.', '..']) as $file) {
$chunkSize += filesize($chunkBaseDir . '/' . $file);
$chunkNumber++;
}
return ($chunkSize === $targetSize && $chunkNumber === $targetChunkNumber);
}
private static function createFileFromChunks(
ServerRequest $request,
string $tempDir,
string $chunkBaseDir,
string $chunkIdentifier,
string $originalFileName,
int $numChunks
): UploadedFile {
$uploadedFile = new UploadedFile($originalFileName, null, $tempDir);
$finalPath = $uploadedFile->getUploadedPath();
$fp = fopen($finalPath, 'wb+');
if (false === $fp) {
throw new FlowUploadException(
$request,
sprintf(
'Could not open final path "%s" for writing.',
$finalPath
)
);
}
for ($i = 1; $i <= $numChunks; $i++) {
$chunkContents = file_get_contents($chunkBaseDir . '/' . $chunkIdentifier . '.part' . $i);
if (empty($chunkContents)) {
throw new FlowUploadException(
$request,
sprintf(
'Could not load chunk "%d" for writing.',
$i
)
);
}
fwrite($fp, $chunkContents);
}
fclose($fp);
// rename the temporary directory (to avoid access from other
// concurrent chunk uploads) and then delete it.
(new Filesystem())->remove([
$chunkBaseDir,
]);
return $uploadedFile;
}
}
``` | /content/code_sandbox/backend/src/Service/Flow.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 1,742 |
```php
<?php
declare(strict_types=1);
namespace App\Service\CpuStats;
use Brick\Math\BigInteger;
final class CpuData
{
public readonly string $name;
public readonly bool $isDelta;
/**
* Time spent with normal processing in user mode.
*/
public readonly int $user;
/**
* Time spent with niced processes in user mode.
*/
public readonly int $nice;
/**
* Time spent running in kernel mode.
*/
public readonly int $system;
/**
* Time spent in vacations twiddling thumbs.
*/
public readonly int $idle;
/**
* Time spent waiting for I/O to completed. This is considered idle time too.
*
* since Kernel 2.5.41
*/
public readonly ?int $iowait;
/**
* Time spent serving hardware interrupts. See the description of the intr line for more details.
*
* since 2.6.0
*/
public readonly ?int $irq;
/**
* Time spent serving software interrupts.
*
* since 2.6.0
*/
public readonly ?int $softirq;
/**
* Time stolen by other operating systems running in a virtual environment.
*
* since 2.6.11
*/
public readonly ?int $steal;
/**
* Time spent for running a virtual CPU or guest OS under the control of the kernel.
*
* since 2.6.24
*/
public readonly ?int $guest;
public function __construct(
string $name,
bool $isDelta,
int $user,
int $nice,
int $system,
int $idle,
?int $iowait = null,
?int $irq = null,
?int $softirq = null,
?int $steal = null,
?int $guest = null,
) {
$this->name = $name;
$this->isDelta = $isDelta;
$this->user = $user;
$this->nice = $nice;
$this->system = $system;
$this->idle = $idle;
$this->iowait = $iowait;
$this->irq = $irq;
$this->softirq = $softirq;
$this->steal = $steal;
$this->guest = $guest;
}
public static function fromCoreData(string $name, array $coreData): self
{
$user = (int)$coreData[0];
$nice = (int)$coreData[1];
$system = (int)$coreData[2];
$idle = (int)$coreData[3];
$iowait = null;
if (isset($coreData[4])) {
$iowait = (int)$coreData[4];
}
$irq = null;
if (isset($coreData[5])) {
$irq = (int)$coreData[5];
}
$softirq = null;
if (isset($coreData[6])) {
$softirq = (int)$coreData[6];
}
$steal = null;
if (isset($coreData[7])) {
$steal = (int)$coreData[7];
}
$guest = null;
if (isset($coreData[8])) {
$guest = (int)$coreData[8];
}
return new self(
$name,
false,
$user,
$nice,
$system,
$idle,
$iowait,
$irq,
$softirq,
$steal,
$guest
);
}
public function getTotalUsage(): BigInteger
{
return BigInteger::sum(
$this->user,
$this->nice,
$this->system,
$this->iowait ?? 0,
$this->irq ?? 0,
$this->softirq ?? 0,
$this->steal ?? 0,
$this->guest ?? 0
);
}
public function getTotal(): BigInteger
{
return BigInteger::sum(
$this->user,
$this->nice,
$this->system,
$this->idle,
$this->iowait ?? 0,
$this->irq ?? 0,
$this->softirq ?? 0,
$this->steal ?? 0,
$this->guest ?? 0
);
}
}
``` | /content/code_sandbox/backend/src/Service/CpuStats/CpuData.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 998 |
```php
<?php
declare(strict_types=1);
namespace App\Service\DeviceDetector;
use DeviceDetector\DeviceDetector;
use DeviceDetector\Parser\Client\Browser;
use DeviceDetector\Parser\OperatingSystem;
final class DeviceResult
{
public function __construct(
public readonly string $userAgent
) {
}
public ?string $client = null;
public bool $isBrowser = false;
public bool $isMobile = false;
public bool $isBot = false;
public ?string $browserFamily = null;
public ?string $osFamily = null;
public static function fromDeviceDetector(string $userAgent, DeviceDetector $dd): self
{
$record = new self($userAgent);
$record->isBot = $dd->isBot();
if ($record->isBot) {
$clientBot = (array)$dd->getBot();
$clientBotName = $clientBot['name'] ?? 'Unknown Crawler';
$clientBotType = $clientBot['category'] ?? 'Generic Crawler';
$record->client = $clientBotName . ' (' . $clientBotType . ')';
$record->browserFamily = 'Crawler';
$record->osFamily = 'Crawler';
} else {
$record->isMobile = $dd->isMobile();
$record->isBrowser = $dd->isBrowser();
$clientInfo = (array)$dd->getClient();
$clientBrowser = $clientInfo['name'] ?? 'Unknown Browser';
$clientVersion = $clientInfo['version'] ?? '0.00';
$record->browserFamily = Browser::getBrowserFamily($clientBrowser);
$clientOsInfo = (array)$dd->getOs();
$clientOs = $clientOsInfo['name'] ?? 'Unknown OS';
$record->osFamily = OperatingSystem::getOsFamily($clientOs);
$record->client = $clientBrowser . ' ' . $clientVersion . ', ' . $clientOs;
}
return $record;
}
}
``` | /content/code_sandbox/backend/src/Service/DeviceDetector/DeviceResult.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 441 |
```php
<?php
declare(strict_types=1);
namespace App\Service\NetworkStats;
use App\Service\NetworkStats\NetworkData\Received;
use App\Service\NetworkStats\NetworkData\Transmitted;
use Brick\Math\BigDecimal;
use Brick\Math\BigInteger;
final class NetworkData
{
public function __construct(
public readonly string $interfaceName,
public readonly BigDecimal $time,
public readonly Received $received,
public readonly Transmitted $transmitted,
public readonly bool $isDelta = false
) {
}
public static function fromInterfaceData(
string $interfaceName,
BigDecimal $time,
array $interfaceData
): self {
$received = new Received(
BigInteger::of($interfaceData[0] ?? 0),
BigInteger::of($interfaceData[1] ?? 0),
BigInteger::of($interfaceData[2] ?? 0),
BigInteger::of($interfaceData[3] ?? 0),
BigInteger::of($interfaceData[4] ?? 0),
BigInteger::of($interfaceData[5] ?? 0),
BigInteger::of($interfaceData[6] ?? 0),
BigInteger::of($interfaceData[7] ?? 0)
);
$transmitted = new Transmitted(
BigInteger::of($interfaceData[8] ?? 0),
BigInteger::of($interfaceData[9] ?? 0),
BigInteger::of($interfaceData[10] ?? 0),
BigInteger::of($interfaceData[11] ?? 0),
BigInteger::of($interfaceData[12] ?? 0),
BigInteger::of($interfaceData[13] ?? 0),
BigInteger::of($interfaceData[14] ?? 0),
BigInteger::of($interfaceData[15] ?? 0)
);
return new self(
$interfaceName,
$time,
$received,
$transmitted
);
}
}
``` | /content/code_sandbox/backend/src/Service/NetworkStats/NetworkData.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 415 |
```php
<?php
declare(strict_types=1);
namespace App\Service\NetworkStats\NetworkData;
use Brick\Math\BigInteger;
final class Received
{
/**
* The total number of bytes of data received by the interface.
*/
public readonly BigInteger $bytes;
/**
* The total number of packets of data received by the interface.
*/
public readonly BigInteger $packets;
/**
* The total number of receive errors detected by the device driver.
*/
public readonly BigInteger $errs;
/**
* The total number of packets dropped by the device driver.
*/
public readonly BigInteger $drop;
/**
* The number of FIFO buffer errors.
*/
public readonly BigInteger $fifo;
/**
* The number of packet framing errors.
*/
public readonly BigInteger $frame;
/**
* The number of compressed packets received by the device driver.
*/
public readonly BigInteger $compressed;
/**
* The number of multicast frames received by the device driver.
*/
public readonly BigInteger $multicast;
public function __construct(
BigInteger $bytes,
BigInteger $packets,
BigInteger $errs,
BigInteger $drop,
BigInteger $fifo,
BigInteger $frame,
BigInteger $compressed,
BigInteger $multicast
) {
$this->bytes = $bytes;
$this->packets = $packets;
$this->errs = $errs;
$this->drop = $drop;
$this->fifo = $fifo;
$this->frame = $frame;
$this->compressed = $compressed;
$this->multicast = $multicast;
}
}
``` | /content/code_sandbox/backend/src/Service/NetworkStats/NetworkData/Received.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 351 |
```php
<?php
declare(strict_types=1);
namespace App\Service\NetworkStats\NetworkData;
use Brick\Math\BigInteger;
final class Transmitted
{
/**
* The total number of bytes of data transmitted by the interface.
*/
public readonly BigInteger $bytes;
/**
* The total number of packets of data transmitted by the interface.
*/
public readonly BigInteger $packets;
/**
* The total number of transmit errors detected by the device driver.
*/
public readonly BigInteger $errs;
/**
* The total number of packets dropped by the device driver.
*/
public readonly BigInteger $drop;
/**
* The number of FIFO buffer errors.
*/
public readonly BigInteger $fifo;
/**
* The number of collisions detected on the interface.
*/
public readonly BigInteger $colls;
/**
* The number of carrier losses detected by the device driver.
*/
public readonly BigInteger $carrier;
/**
* The number of compressed packets transmitted by the device driver.
*/
public readonly BigInteger $compressed;
public function __construct(
BigInteger $bytes,
BigInteger $packets,
BigInteger $errs,
BigInteger $drop,
BigInteger $fifo,
BigInteger $colls,
BigInteger $carrier,
BigInteger $compressed
) {
$this->bytes = $bytes;
$this->packets = $packets;
$this->errs = $errs;
$this->drop = $drop;
$this->fifo = $fifo;
$this->colls = $colls;
$this->carrier = $carrier;
$this->compressed = $compressed;
}
}
``` | /content/code_sandbox/backend/src/Service/NetworkStats/NetworkData/Transmitted.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 354 |
```php
<?php
declare(strict_types=1);
namespace App\Service\IpGeolocator;
final class IpResult
{
public function __construct(
public readonly string $ip
) {
}
public string $description;
public ?string $region = null;
public ?string $city = null;
public ?string $country = null;
public ?float $lat = null;
public ?float $lon = null;
public static function fromIpInfo(string $ip, array $ipInfo = []): self
{
$record = new self($ip);
if (isset($ipInfo['status']) && $ipInfo['status'] === 'error') {
$record->description = 'Internal/Reserved IP';
return $record;
}
$record->region = $ipInfo['subdivisions'][0]['names']['en'] ?? null;
$record->city = $ipInfo['city']['names']['en'] ?? null;
$record->country = $ipInfo['country']['iso_code'] ?? null;
$record->description = implode(
', ',
array_filter([
$record->city,
$record->region,
$record->country,
])
);
$record->lat = $ipInfo['location']['latitude'] ?? null;
$record->lon = $ipInfo['location']['longitude'] ?? null;
return $record;
}
}
``` | /content/code_sandbox/backend/src/Service/IpGeolocator/IpResult.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 305 |
```php
<?php
declare(strict_types=1);
namespace App\Service\IpGeolocator;
use Carbon\CarbonImmutable;
use MaxMind\Db\Reader;
abstract class AbstractIpGeolocator implements IpGeolocatorInterface
{
public static function isAvailable(): bool
{
$databasePath = static::getDatabasePath();
return file_exists($databasePath);
}
public static function getReader(): ?Reader
{
$databasePath = static::getDatabasePath();
if (file_exists($databasePath)) {
return new Reader($databasePath);
}
return null;
}
public static function getVersion(): ?string
{
if (null === ($reader = self::getReader())) {
return null;
}
$metadata = $reader->metadata();
$buildDate = CarbonImmutable::createFromTimestampUTC($metadata->buildEpoch);
return $metadata->databaseType . ' (' . $buildDate->format('Y-m-d') . ')';
}
}
``` | /content/code_sandbox/backend/src/Service/IpGeolocator/AbstractIpGeolocator.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 210 |
```php
<?php
declare(strict_types=1);
namespace App\Service\IpGeolocator;
use App\Environment;
final class DbIp extends AbstractIpGeolocator
{
public static function getReaderShortName(): string
{
return 'dbip';
}
public static function getBaseDirectory(): string
{
$environment = Environment::getInstance();
return $environment->getParentDirectory() . '/dbip';
}
public static function getDatabasePath(): string
{
return self::getBaseDirectory() . '/dbip-city-lite.mmdb';
}
public static function getAttribution(): string
{
return '<a href="path_to_url">' . __('IP Geolocation by DB-IP') . '</a>';
}
}
``` | /content/code_sandbox/backend/src/Service/IpGeolocator/DbIp.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 162 |
```php
<?php
declare(strict_types=1);
namespace App\Service\IpGeolocator;
use MaxMind\Db\Reader;
interface IpGeolocatorInterface
{
public static function getDatabasePath(): string;
public static function isAvailable(): bool;
public static function getReaderShortName(): string;
public static function getReader(): ?Reader;
public static function getAttribution(): string;
public static function getVersion(): ?string;
}
``` | /content/code_sandbox/backend/src/Service/IpGeolocator/IpGeolocatorInterface.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 94 |
```php
<?php
declare(strict_types=1);
namespace App\Service\IpGeolocator;
use App\Environment;
use App\Utilities\File;
final class GeoLite extends AbstractIpGeolocator
{
public static function getReaderShortName(): string
{
return 'geolite';
}
public static function getBaseDirectory(): string
{
$parentDir = Environment::getInstance()->getParentDirectory();
return File::getFirstExistingDirectory([
$parentDir . '/geoip',
$parentDir . '/storage/geoip',
]);
}
public static function getDatabasePath(): string
{
return self::getBaseDirectory() . '/GeoLite2-City.mmdb';
}
public static function getAttribution(): string
{
return sprintf(
__('This product includes GeoLite2 data created by MaxMind, available from %s.'),
'<a href="path_to_url">path_to_url
);
}
}
``` | /content/code_sandbox/backend/src/Service/IpGeolocator/GeoLite.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 206 |
```php
<?php
declare(strict_types=1);
namespace App\Service\ServiceControl;
final class ServiceData
{
public function __construct(
public readonly string $name,
public readonly string $description,
public readonly bool $running
) {
}
public function toArray(): array
{
return [
'name' => $this->name,
'description' => $this->description,
'running' => $this->running,
];
}
}
``` | /content/code_sandbox/backend/src/Service/ServiceControl/ServiceData.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 101 |
```php
<?php
declare(strict_types=1);
namespace App\Service\MemoryStats;
use App\Radio\Quota;
use Brick\Math\BigInteger;
final class MemoryData
{
public function __construct(
public readonly BigInteger $memTotal,
public readonly BigInteger $memFree,
public readonly BigInteger $buffers,
public readonly BigInteger $cached,
public readonly BigInteger $sReclaimable,
public readonly BigInteger $shmem,
public readonly BigInteger $swapTotal,
public readonly BigInteger $swapFree,
) {
}
public static function fromMeminfo(array $meminfo): self
{
$memTotal = Quota::convertFromReadableSize($meminfo['MemTotal']) ?? BigInteger::zero();
$memFree = Quota::convertFromReadableSize($meminfo['MemFree']) ?? BigInteger::zero();
$buffers = Quota::convertFromReadableSize($meminfo['Buffers']) ?? BigInteger::zero();
$cached = Quota::convertFromReadableSize($meminfo['Cached']) ?? BigInteger::zero();
$sReclaimable = Quota::convertFromReadableSize($meminfo['SReclaimable']) ?? BigInteger::zero();
$shmem = Quota::convertFromReadableSize($meminfo['Shmem']) ?? BigInteger::zero();
$swapTotal = Quota::convertFromReadableSize($meminfo['SwapTotal']) ?? BigInteger::zero();
$swapFree = Quota::convertFromReadableSize($meminfo['SwapFree']) ?? BigInteger::zero();
return new self(
$memTotal,
$memFree,
$buffers,
$cached,
$sReclaimable,
$shmem,
$swapTotal,
$swapFree
);
}
public function getUsedMemory(): BigInteger
{
$usedDiff = $this->memFree
->plus($this->cached)
->plus($this->sReclaimable)
->minus($this->shmem)
->plus($this->buffers);
return $this->memTotal->isGreaterThanOrEqualTo($usedDiff)
? $this->memTotal->minus($usedDiff)
: $this->memTotal->minus($this->memFree);
}
public function getCachedMemory(): BigInteger
{
return $this->cached->plus($this->buffers);
}
public function getUsedSwap(): BigInteger
{
return $this->swapTotal->minus($this->swapFree);
}
}
``` | /content/code_sandbox/backend/src/Service/MemoryStats/MemoryData.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 528 |
```php
<?php
declare(strict_types=1);
namespace App\Service\Flow;
use App\Utilities\File;
use GuzzleHttp\Psr7\LazyOpenStream;
use InvalidArgumentException;
use JsonSerializable;
use League\MimeTypeDetection\FinfoMimeTypeDetector;
use League\MimeTypeDetection\GeneratedExtensionToMimeTypeMap;
use Normalizer;
use Psr\Http\Message\StreamInterface;
use Psr\Http\Message\UploadedFileInterface;
use RuntimeException;
final class UploadedFile implements UploadedFileInterface, JsonSerializable
{
private string $clientFilename;
private string $file;
private bool $moved = false;
public function __construct(
?string $clientFilename,
?string $uploadedPath,
?string $tempDir
) {
$tempDir ??= sys_get_temp_dir();
$clientFilename ??= tempnam($tempDir, 'upload');
if (!$clientFilename || !$tempDir) {
throw new RuntimeException('Could not generate original filename.');
}
$clientFilename = self::filterOriginalFilename($clientFilename);
$this->clientFilename = $clientFilename;
if (null === $uploadedPath) {
$prefix = substr(bin2hex(random_bytes(5)), 0, 9);
$this->file = $tempDir . '/' . $prefix . '_' . $clientFilename;
} else {
$uploadedPath = realpath($uploadedPath);
if (false === $uploadedPath) {
throw new InvalidArgumentException('Could not determine real path of specified path.');
}
if (!str_starts_with($uploadedPath, $tempDir)) {
throw new InvalidArgumentException('Uploaded path is not inside specified temporary directory.');
}
if (!is_file($uploadedPath)) {
throw new InvalidArgumentException(sprintf('File does not exist at path: %s', $uploadedPath));
}
$this->file = $uploadedPath;
}
}
public function getClientFilename(): string
{
return $this->clientFilename;
}
public function getUploadedPath(): string
{
return $this->file;
}
public function getSize(): int
{
$this->validateActive();
$size = filesize($this->file);
if (false === $size) {
throw new RuntimeException('Could not get file size of uploaded path.');
}
return $size;
}
public function readAndDeleteUploadedFile(): string
{
$this->validateActive();
$contents = file_get_contents($this->file);
$this->delete();
return $contents ?: '';
}
public function delete(): void
{
$this->validateActive();
@unlink($this->file);
$this->moved = true;
}
public function getClientMediaType(): ?string
{
$this->validateActive();
$fileMimeType = (new FinfoMimeTypeDetector())->detectMimeTypeFromFile($this->file);
if ('application/octet-stream' === $fileMimeType || null === $fileMimeType) {
$extensionMap = new GeneratedExtensionToMimeTypeMap();
$extension = strtolower(pathinfo($this->file, PATHINFO_EXTENSION));
$fileMimeType = $extensionMap->lookupMimeType($extension) ?? 'application/octet-stream';
}
return $fileMimeType;
}
public function getStream(): StreamInterface
{
$this->validateActive();
return new LazyOpenStream($this->file, 'r+');
}
public function moveTo($targetPath): void
{
$this->validateActive();
$this->moved = rename($this->file, $targetPath);
if (!$this->moved) {
throw new RuntimeException(
sprintf('Uploaded file could not be moved to %s', $targetPath)
);
}
}
public function getError(): int
{
return UPLOAD_ERR_OK;
}
private function validateActive(): void
{
if ($this->moved) {
throw new RuntimeException('Cannot retrieve stream after it has already been moved');
}
}
/** @return mixed[] */
public function jsonSerialize(): array
{
return [
'originalFilename' => $this->clientFilename,
'uploadedPath' => $this->file,
];
}
public static function fromArray(array $input, string $tempDir): self
{
if (!isset($input['originalFilename'], $input['uploadedPath'])) {
throw new InvalidArgumentException('Uploaded file array is malformed.');
}
return new self($input['originalFilename'], $input['uploadedPath'], $tempDir);
}
public static function filterOriginalFilename(string $name): string
{
$name = basename($name);
$normalizedName = Normalizer::normalize($name, Normalizer::FORM_KD);
if (false !== $normalizedName) {
$name = $normalizedName;
}
$name = File::sanitizeFileName($name);
// Truncate filenames whose lengths are longer than 255 characters, while preserving extension.
$thresholdLength = 255 - 10; // To allow for a prefix.
if (strlen($name) > $thresholdLength) {
$fileExt = pathinfo($name, PATHINFO_EXTENSION);
$fileName = pathinfo($name, PATHINFO_FILENAME);
$fileName = substr($fileName, 0, $thresholdLength - 1 - strlen($fileExt));
$name = $fileName . '.' . $fileExt;
}
return $name;
}
}
``` | /content/code_sandbox/backend/src/Service/Flow/UploadedFile.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 1,159 |
```php
<?php
declare(strict_types=1);
namespace App\Service\Dropbox;
use League\OAuth2\Client\Provider\AbstractProvider;
use League\OAuth2\Client\Provider\Exception\IdentityProviderException;
use League\OAuth2\Client\Token\AccessToken;
use League\OAuth2\Client\Tool\BearerAuthorizationTrait;
use LogicException;
use Psr\Http\Message\ResponseInterface;
final class OAuthProvider extends AbstractProvider
{
use BearerAuthorizationTrait;
/**
* @var string Key used in the access token response to identify the resource owner.
*/
public const string ACCESS_TOKEN_RESOURCE_OWNER_ID = 'account_id';
public function getBaseAuthorizationUrl(): string
{
return 'path_to_url
}
public function getBaseAccessTokenUrl(array $params): string
{
return 'path_to_url
}
public function getResourceOwnerDetailsUrl(AccessToken $token): string
{
return 'path_to_url
}
protected function getDefaultScopes(): array
{
return [];
}
/**
* Check a provider response for errors.
*
* @link path_to_url
* @throws IdentityProviderException
* @param ResponseInterface $response
* @param array|string $data Parsed response data
* @return void
*/
protected function checkResponse(ResponseInterface $response, $data)
{
if (isset($data['error'])) {
throw new IdentityProviderException(
$data['error'] ?: $response->getReasonPhrase(),
$response->getStatusCode(),
(string)$response->getBody()
);
}
}
protected function createResourceOwner(array $response, AccessToken $token)
{
throw new LogicException('Not implemented.');
}
}
``` | /content/code_sandbox/backend/src/Service/Dropbox/OAuthProvider.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 370 |
```php
<?php
declare(strict_types=1);
namespace App\Service\Dropbox;
use App\Entity\StorageLocation;
use App\Utilities\Types;
use GuzzleHttp\Exception\ClientException;
use Psr\Cache\CacheItemPoolInterface;
use Spatie\Dropbox\RefreshableTokenProvider;
final class OAuthAdapter implements RefreshableTokenProvider
{
private StorageLocation $storageLocation;
public function __construct(
private readonly CacheItemPoolInterface $psr6Cache
) {
}
public function withStorageLocation(StorageLocation $storageLocation): self
{
$clone = clone $this;
$clone->setStorageLocation($storageLocation);
return $clone;
}
private function setStorageLocation(StorageLocation $storageLocation): void
{
$this->storageLocation = $storageLocation;
}
public function setup(): void
{
$this->psr6Cache->deleteItem($this->getTokenCacheKey());
if (!empty($this->storageLocation->getDropboxAuthToken())) {
// Convert the short-lived auth code into an oauth refresh token.
$token = $this->getOauthProvider()->getAccessToken(
'authorization_code',
[
'code' => $this->storageLocation->getDropboxAuthToken(),
]
);
$this->storageLocation->setDropboxAuthToken(null);
$this->storageLocation->setDropboxRefreshToken($token->getRefreshToken());
}
}
public function refresh(ClientException $exception): bool
{
$this->psr6Cache->deleteItem($this->getTokenCacheKey());
$this->getToken();
return true;
}
public function getToken(): string
{
$cacheKey = $this->getTokenCacheKey();
$cacheItem = $this->psr6Cache->getItem($cacheKey);
if (!$cacheItem->isHit()) {
if (empty($this->storageLocation->getDropboxRefreshToken())) {
$cacheItem->set($this->storageLocation->getDropboxAuthToken());
} else {
// Try to get a new auth token from the refresh token.
$token = $this->getOauthProvider()->getAccessToken(
'refresh_token',
[
'refresh_token' => $this->storageLocation->getDropboxRefreshToken(),
]
);
$cacheItem->set($token->getToken());
}
$cacheItem->expiresAfter(600);
$this->psr6Cache->save($cacheItem);
}
return Types::string($cacheItem->get());
}
private function getOauthProvider(): OAuthProvider
{
return new OAuthProvider([
'clientId' => $this->storageLocation->getDropboxAppKey(),
'clientSecret' => $this->storageLocation->getDropboxAppSecret(),
]);
}
private function getTokenCacheKey(): string
{
return 'storage_location_' . ($this->storageLocation->getId() ?? 'new') . '_auth_token';
}
}
``` | /content/code_sandbox/backend/src/Service/Dropbox/OAuthAdapter.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 644 |
```php
<?php
declare(strict_types=1);
namespace App\Service\Avatar;
final class Gravatar implements AvatarServiceInterface
{
public const string BASE_URL = 'path_to_url
public function getServiceName(): string
{
return 'Gravatar';
}
public function getServiceUrl(): string
{
return 'path_to_url
}
public function getAvatar(string $email, int $size = 50, ?string $default = 'mm'): string
{
$urlParams = [
'd' => $default,
'r' => 'g',
'size' => $size,
];
$avatarUrl = self::BASE_URL . '/' . md5(strtolower($email)) . '?' . http_build_query($urlParams);
return htmlspecialchars($avatarUrl, ENT_QUOTES | ENT_HTML5);
}
}
``` | /content/code_sandbox/backend/src/Service/Avatar/Gravatar.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 180 |
```php
<?php
declare(strict_types=1);
namespace App\Service\Avatar;
final class Disabled implements AvatarServiceInterface
{
public function getServiceName(): string
{
return 'Disabled';
}
public function getServiceUrl(): string
{
return '';
}
public function getAvatar(string $email, int $size = 50, ?string $default = null): string
{
return $default ?? '';
}
}
``` | /content/code_sandbox/backend/src/Service/Avatar/Disabled.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 93 |
```php
<?php
declare(strict_types=1);
namespace App\Service\Avatar;
interface AvatarServiceInterface
{
public function getServiceName(): string;
public function getServiceUrl(): string;
public function getAvatar(string $email, int $size = 50, ?string $default = null): string;
}
``` | /content/code_sandbox/backend/src/Service/Avatar/AvatarServiceInterface.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 64 |
```php
<?php
declare(strict_types=1);
namespace App\Service\Avatar;
final class Libravatar implements AvatarServiceInterface
{
public const string BASE_URL = 'path_to_url
public function getServiceName(): string
{
return 'Libravatar';
}
public function getServiceUrl(): string
{
return 'path_to_url
}
public function getAvatar(string $email, int $size = 50, ?string $default = 'mm'): string
{
$urlParams = [
'd' => $default,
'size' => $size,
];
$avatarUrl = self::BASE_URL . '/' . md5(strtolower($email)) . '?' . http_build_query($urlParams);
return htmlspecialchars($avatarUrl, ENT_QUOTES | ENT_HTML5);
}
}
``` | /content/code_sandbox/backend/src/Service/Avatar/Libravatar.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 174 |
```php
<?php
declare(strict_types=1);
namespace App\Validator\Constraints;
use Attribute;
use Symfony\Component\Validator\Constraint;
#[Attribute(Attribute::TARGET_CLASS)]
final class StorageLocation extends Constraint
{
public function getTargets(): string
{
return self::CLASS_CONSTRAINT;
}
}
``` | /content/code_sandbox/backend/src/Validator/Constraints/StorageLocation.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 62 |
```php
<?php
declare(strict_types=1);
namespace App\Validator\Constraints;
use App\Entity\Station;
use App\Radio\Configuration;
use Symfony\Component\Validator\Constraint;
use Symfony\Component\Validator\ConstraintValidator;
use Symfony\Component\Validator\Exception\UnexpectedTypeException;
final class StationPortCheckerValidator extends ConstraintValidator
{
public function __construct(
private readonly Configuration $configuration
) {
}
public function validate(mixed $value, Constraint $constraint): void
{
if (!$constraint instanceof StationPortChecker) {
throw new UnexpectedTypeException($constraint, StationPortChecker::class);
}
if (!$value instanceof Station) {
throw new UnexpectedTypeException($value, Station::class);
}
$frontendConfig = $value->getFrontendConfig();
$backendConfig = $value->getBackendConfig();
$portsToCheck = [
'frontend_config_port' => $frontendConfig->getPort(),
'backend_config_dj_port' => $backendConfig->getDjPort(),
'backend_config_telnet_port' => $backendConfig->getTelnetPort(),
];
$usedPorts = $this->configuration->getUsedPorts($value);
$message = sprintf(
__('The port %s is in use by another station (%s).'),
'{{ port }}',
'{{ station }}'
);
foreach ($portsToCheck as $portPath => $port) {
if (null === $port) {
continue;
}
$port = (int)$port;
if (isset($usedPorts[$port])) {
$this->context->buildViolation($message)
->setParameter('{{ port }}', (string)$port)
->setParameter('{{ station }}', $usedPorts[$port]['name'])
->addViolation();
}
if ($portPath === 'backend_config_dj_port' && isset($usedPorts[$port + 1])) {
$this->context->buildViolation($message)
->setParameter('{{ port }}', sprintf('%s (%s + 1)', $port + 1, $port))
->setParameter('{{ station }}', $usedPorts[$port + 1]['name'])
->addViolation();
}
}
}
}
``` | /content/code_sandbox/backend/src/Validator/Constraints/StationPortCheckerValidator.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 468 |
```php
<?php
declare(strict_types=1);
/*
* This file is part of the Symfony package.
*
* (c) Fabien Potencier <fabien@symfony.com>
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace App\Validator\Constraints;
use Attribute;
use Symfony\Component\Validator\Constraint;
use function is_array;
use function is_string;
/**
* Constraint for the Unique Entity validator.
*
* @author Benjamin Eberlei <kontakt@beberlei.de>
*/
#[Attribute(Attribute::TARGET_CLASS)]
final class UniqueEntity extends Constraint
{
/** @var class-string|null */
public ?string $entityClass = null;
/**
* {@inheritDoc}
*
* @param class-string|null $entityClass
* @param array|string $fields the combination of fields that must contain unique values or a set of options
*/
public function __construct(
?string $entityClass = null,
public array|string $fields = [],
public ?string $repositoryMethod = 'findBy',
public ?string $errorPath = null,
public ?bool $ignoreNull = null,
array $groups = null,
$payload = null,
array $options = []
) {
$this->entityClass = $entityClass ?? $this->entityClass;
if (is_array($fields) && is_string(key($fields))) {
$options = array_merge($fields, $options);
} else {
$options['fields'] = $fields;
}
parent::__construct($options, $groups, $payload);
}
/**
* @return string[]
*/
public function getRequiredOptions(): array
{
return ['fields'];
}
/**
* {@inheritDoc}
*/
public function getTargets(): array|string
{
return self::CLASS_CONSTRAINT;
}
public function getDefaultOption(): string
{
return 'fields';
}
}
``` | /content/code_sandbox/backend/src/Validator/Constraints/UniqueEntity.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 424 |
```php
<?php
declare(strict_types=1);
namespace App\Validator\Constraints;
use App\Container\EntityManagerAwareTrait;
use App\Entity\Repository\StorageLocationRepository;
use App\Entity\StorageLocation;
use App\Validator\Constraints\StorageLocation as StorageLocationConstraint;
use Exception;
use Symfony\Component\Validator\Constraint;
use Symfony\Component\Validator\ConstraintValidator;
use Symfony\Component\Validator\Exception\UnexpectedTypeException;
final class StorageLocationValidator extends ConstraintValidator
{
use EntityManagerAwareTrait;
public function __construct(
private readonly StorageLocationRepository $storageLocationRepo
) {
}
public function validate(mixed $value, Constraint $constraint): void
{
if (!$constraint instanceof StorageLocationConstraint) {
throw new UnexpectedTypeException($constraint, StorageLocation::class);
}
if (!($value instanceof StorageLocation)) {
throw new UnexpectedTypeException($value, StorageLocation::class);
}
// Ensure this storage location validates.
try {
$adapter = $this->storageLocationRepo->getAdapter($value);
$adapter->validate();
} catch (Exception $e) {
$message = sprintf(
__('Storage location %s could not be validated: %s'),
'{{ storageLocation }}',
'{{ error }}'
);
$this->context->buildViolation($message)
->setParameter('{{ storageLocation }}', (string)$value)
->setParameter('{{ error }}', $e->getMessage())
->addViolation();
}
// Ensure it's not a duplicate of other storage locations.
$qb = $this->em->createQueryBuilder()
->select('sl')
->from(StorageLocation::class, 'sl')
->where('sl.type = :type')
->setParameter('type', $value->getType())
->andWhere('sl.adapter = :adapter')
->setParameter('adapter', $value->getAdapter());
if (null !== $value->getId()) {
$qb->andWhere('sl.id != :id')
->setParameter('id', $value->getId());
}
$storageLocationUri = $value->getUri();
/** @var StorageLocation $row */
foreach ($qb->getQuery()->toIterable() as $row) {
if ($row->getUri() === $storageLocationUri) {
$message = sprintf(
__('Storage location %s already exists.'),
'{{ storageLocation }}',
);
$this->context->buildViolation($message)
->setParameter('{{ storageLocation }}', (string)$value)
->addViolation();
break;
}
}
}
}
``` | /content/code_sandbox/backend/src/Validator/Constraints/StorageLocationValidator.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 537 |
```php
<?php
declare(strict_types=1);
namespace App\Validator\Constraints;
use Attribute;
use Symfony\Component\Validator\Constraint;
#[Attribute(Attribute::TARGET_CLASS)]
final class StationPortChecker extends Constraint
{
public function getTargets(): string
{
return self::CLASS_CONSTRAINT;
}
}
``` | /content/code_sandbox/backend/src/Validator/Constraints/StationPortChecker.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 63 |
```php
<?php
declare(strict_types=1);
/*
* This file is part of the Symfony package.
*
* (c) Fabien Potencier <fabien@symfony.com>
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace App\Validator\Constraints;
use App\Container\EntityManagerAwareTrait;
use Countable;
use DateTimeInterface;
use Doctrine\ORM\Mapping\ClassMetadata;
use Iterator;
use IteratorAggregate;
use RuntimeException;
use Symfony\Component\Validator\Constraint;
use Symfony\Component\Validator\ConstraintValidator;
use Symfony\Component\Validator\Exception\ConstraintDefinitionException;
use Symfony\Component\Validator\Exception\UnexpectedTypeException;
use function count;
use function get_class;
use function is_array;
use function is_object;
/**
* Unique Entity Validator checks if one or a set of fields contain unique values.
*
* @author Benjamin Eberlei <kontakt@beberlei.de>
*/
final class UniqueEntityValidator extends ConstraintValidator
{
use EntityManagerAwareTrait;
public function validate(mixed $value, Constraint $constraint): void
{
if (!$constraint instanceof UniqueEntity) {
throw new UnexpectedTypeException($constraint, UniqueEntity::class);
}
$fields = (array)$constraint->fields;
if (0 === count($fields)) {
throw new ConstraintDefinitionException('At least one field has to be specified.');
}
if (null === $value) {
return;
}
/** @var class-string $className */
$className = get_class($value);
$class = $this->em->getClassMetadata($className);
$criteria = [];
$hasNullValue = false;
foreach ($fields as $fieldName) {
if (!$class->hasField($fieldName) && !$class->hasAssociation($fieldName)) {
throw new ConstraintDefinitionException(
sprintf(
'The field "%s" is not mapped by Doctrine, so it cannot be validated for uniqueness.',
$fieldName
)
);
}
$fieldValue = $class->reflFields[$fieldName]?->getValue($value);
if (null === $fieldValue) {
$hasNullValue = true;
}
if ($constraint->ignoreNull && null === $fieldValue) {
continue;
}
$criteria[$fieldName] = $fieldValue;
if (null !== $criteria[$fieldName] && $class->hasAssociation($fieldName)) {
/* Ensure the Proxy is initialized before using reflection to
* read its identifiers. This is necessary because the wrapped
* getter methods in the Proxy are being bypassed.
*/
$this->em->initializeObject($criteria[$fieldName]);
}
}
// validation doesn't fail if one of the fields is null and if null values should be ignored
if ($hasNullValue && $constraint->ignoreNull) {
return;
}
// skip validation if there are no criteria (this can happen when the
// "ignoreNull" option is enabled and fields to be checked are null
if (empty($criteria)) {
return;
}
if (null !== $constraint->entityClass) {
/* Retrieve repository from given entity name.
* We ensure the retrieved repository can handle the entity
* by checking the entity is the same, or subclass of the supported entity.
*/
$repository = $this->em->getRepository($constraint->entityClass);
$supportedClass = $repository->getClassName();
if (!$value instanceof $supportedClass) {
throw new ConstraintDefinitionException(
sprintf(
'The "%s" entity repository does not support the "%s" entity. The entity should be '
. 'an instance of or extend "%s".',
$constraint->entityClass,
$class->getName(),
$supportedClass
)
);
}
} else {
$repoClass = get_class($value);
if (!$repoClass) {
throw new RuntimeException('Invalid class specified.');
}
$repository = $this->em->getRepository($repoClass);
}
$result = $repository->{$constraint->repositoryMethod}($criteria);
if ($result instanceof IteratorAggregate) {
$result = $result->getIterator();
}
/* If the result is a MongoCursor, it must be advanced to the first
* element. Rewinding should have no ill effect if $result is another
* iterator implementation.
*/
if ($result instanceof Iterator) {
$result->rewind();
if ($result instanceof Countable && 1 < count($result)) {
$result = [$result->current(), $result->current()];
} else {
$result = $result->valid() && null !== $result->current() ? [$result->current()] : [];
}
} elseif (is_array($result)) {
reset($result);
} else {
$result = null === $result ? [] : [$result];
}
/* If no entity matched the query criteria or a single entity matched,
* which is the same as the entity being validated, the criteria is
* unique.
*/
if (!$result || (1 === count($result) && current($result) === $value)) {
return;
}
$errorPath = $constraint->errorPath ?? $fields[0];
$invalidValue = $criteria[$errorPath] ?? $criteria[$fields[0]];
$message = __('This value is already used.');
$this->context->buildViolation($message)
->atPath($errorPath)
->setParameter('{{ value }}', $this->formatWithIdentifiers($class, $invalidValue))
->setInvalidValue($invalidValue)
->setCause($result)
->addViolation();
}
private function formatWithIdentifiers(ClassMetadata $class, mixed $value): string
{
if (!is_object($value) || $value instanceof DateTimeInterface) {
return $this->formatValue($value, self::PRETTY_DATE);
}
if (method_exists($value, '__toString')) {
return (string)$value;
}
if ($class->getName() !== $idClass = get_class($value)) {
// non unique value might be a composite PK that consists of other entity objects
if ($this->em->getMetadataFactory()->hasMetadataFor($idClass)) {
$identifiers = $this->em->getClassMetadata($idClass)->getIdentifierValues($value);
} else {
// this case might happen if the non unique column has a custom doctrine type and its value is an object
// in which case we cannot get any identifiers for it
$identifiers = [];
}
} else {
$identifiers = $class->getIdentifierValues($value);
}
if (!$identifiers) {
return sprintf('object("%s")', $idClass);
}
array_walk(
$identifiers,
function (&$id, $field): void {
if (!is_object($id) || $id instanceof DateTimeInterface) {
$idAsString = $this->formatValue($id, self::PRETTY_DATE);
} else {
$idAsString = sprintf('object("%s")', get_class($id));
}
$id = sprintf('%s => %s', $field, $idAsString);
}
);
return sprintf('object("%s") identified by (%s)', $idClass, implode(', ', $identifiers));
}
}
``` | /content/code_sandbox/backend/src/Validator/Constraints/UniqueEntityValidator.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 1,585 |
```html+php
<?php
/**
* @var League\Plates\Template\Template $this
* @var App\Auth $auth
* @var App\Acl $acl
* @var App\Http\Router $router
* @var App\Session\Flash $flash
* @var App\Customization $customization
* @var App\Version $version
* @var App\Http\ServerRequest $request
* @var App\Environment $environment
* @var App\Entity\User $user
* @var App\View\GlobalSections $sections
*/
$manual ??= false;
$title ??= null;
$header ??= null;
?>
<!DOCTYPE html>
<html lang="<?= $customization->getLocale()->getHtmlLang() ?>">
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title><?= $this->e($customization->getPageTitle($title)) ?></title>
<?= $this->fetch('partials/head') ?>
<?= $sections->get('head') ?>
<style>
<?=$customization->getCustomInternalCss() ?>
</style>
</head>
<body class="page-full">
<?= $sections->get('bodyjs') ?>
<?= $this->section('content') ?>
<?= $this->fetch('partials/toasts') ?>
</body>
</html>
``` | /content/code_sandbox/backend/templates/panel.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 300 |
```html+php
<?php
/**
* @var League\Plates\Template\Template $this
* @var App\Auth $auth
* @var App\Acl $acl
* @var App\Http\Router $router
* @var App\Session\Flash $flash
* @var App\Customization $customization
* @var App\Version $version
* @var App\Http\ServerRequest $request
* @var App\Environment $environment
* @var App\View\GlobalSections $sections
*/
$title ??= null;
$hide_footer ??= false;
?>
<!DOCTYPE html>
<html lang="<?= $customization->getLocale()->getHtmlLang() ?>"
data-bs-theme="<?= $customization->getPublicTheme()?->value ?>">
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title><?= $this->e($customization->getPageTitle($title)) ?></title>
<?= $this->fetch('partials/head') ?>
<?= $sections->get('head') ?>
<style>
<?=$customization->getCustomPublicCss() ?>
</style>
<?= $sections->get('station_head') ?>
</head>
<body class="page-minimal <?= $page_class ?? '' ?>">
<?= $sections->get('bodyjs') ?>
<script>
<?=$customization->getCustomPublicJs() ?>
</script>
<?= $sections->get('station_bodyjs') ?>
<div id="page-wrapper">
<main id="main">
<?= $this->section('content') ?>
</main>
<?php
$hide_footer ??= false;
if (!$customization->hideProductName() && !$hide_footer): ?>
<footer id="footer" class="footer-alt" role="contentinfo" aria-label="<?= __('Footer') ?>">
<?= sprintf(
__('Powered by %s'),
'<a href="path_to_url" target="_blank">' . $environment->getAppName() . '</a>' . ' '
) ?>
</footer>
<?php
endif; ?>
</div>
<?= $this->fetch('partials/toasts') ?>
</body>
</html>
``` | /content/code_sandbox/backend/templates/minimal.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 474 |
```html+php
<?php
/** @var \App\Http\ServerRequest $request */
try {
$flashObj = $request->getFlash();
} catch (\App\Exception\Http\InvalidRequestAttribute) {
$flashObj = null;
}
$notifies = [];
?>
<div class="toast-container position-fixed top-0 end-0 p-3">
<?php
if (null !== $flashObj && $flashObj->hasMessages()):
foreach ($flashObj->getMessages() as $message):
?>
<div
class="toast align-items-center toast-notification text-bg-<?= $message['color'] ?>"
role="alert" aria-live="assertive" aria-atomic="true">
<div class="d-flex">
<div class="toast-body">
<?= $message['text'] ?>
</div>
<button type="button" class="btn-close me-2 m-auto" data-bs-dismiss="toast"
aria-label="Close"></button>
</div>
</div>
<?php
endforeach;
endif;
?>
</div>
``` | /content/code_sandbox/backend/templates/partials/toasts.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 229 |
```html+php
<?php
/**
* @var string $component
* @var ?string $id
* @var array $props
* @var App\View\GlobalSections $sections
* @var Doctrine\Common\Collections\ArrayCollection $globalProps
* @var App\Environment $environment
*/
$componentDeps = $this->getVueComponentInfo('js/pages/' . $component . '.js');
$jsonFlags = $environment->isProduction()
? JSON_THROW_ON_ERROR
: JSON_THROW_ON_ERROR | JSON_PRETTY_PRINT;
$globalProps->set('componentProps', $props);
$propsJson = json_encode($globalProps->toArray(), $jsonFlags);
$headScripts = [];
foreach ($componentDeps['css'] as $cssDep) {
$headScripts[] = <<<HTML
<link rel="stylesheet" href="{$cssDep}" />
HTML;
}
foreach ($componentDeps['prefetch'] as $prefetchDep) {
$headScripts[] = <<<HTML
<link rel="modulepreload" href="{$prefetchDep}" />
HTML;
}
$sections->append('head', implode("\n", $headScripts));
$scriptLines = [];
$componentName = 'Vue_' . str_replace('/', '', $component);
$scriptLines[] = <<<HTML
<script type="module" src="{$componentDeps['js']}"></script>
<script type="text/javascript">
let {$componentName};
ready(() => {
{$componentName} = window.vueComponent('#{$id}', {$propsJson});
});
</script>
HTML;
$sections->append('bodyjs', implode("\n", $scriptLines));
?>
<div id="<?= $id ?>" class="vue-component">Loading...</div>
``` | /content/code_sandbox/backend/templates/partials/vue_body.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 368 |
```html+php
<?php
/**
* @var App\Customization $customization
* @var App\Environment $environment
*/
if ($environment->isDevelopment()) {
echo <<<HTML
<script type="module" src="/static/vite_dist/@vite/client"></script>
HTML;
}
$componentDeps = $this->getVueComponentInfo('js/layout.js');
echo <<<HTML
<script type="module" src="{$componentDeps['js']}"></script>
<script>
function ready(callback) {
if (document.readyState !== "loading") callback();
else document.addEventListener("DOMContentLoaded", callback);
}
</script>
HTML;
foreach ($componentDeps['prefetch'] as $prefetchDep) {
echo <<<HTML
<link rel="modulepreload" href="{$prefetchDep}" />
HTML;
}
foreach ($componentDeps['css'] as $cssDep) {
echo <<<HTML
<link rel="stylesheet" href="{$cssDep}" />
HTML;
}
?>
<link rel="apple-touch-icon" sizes="57x57" href="<?= $customization->getBrowserIconUrl(57) ?>">
<link rel="apple-touch-icon" sizes="60x60" href="<?= $customization->getBrowserIconUrl(60) ?>">
<link rel="apple-touch-icon" sizes="72x72" href="<?= $customization->getBrowserIconUrl(72) ?>">
<link rel="apple-touch-icon" sizes="76x76" href="<?= $customization->getBrowserIconUrl(76) ?>">
<link rel="apple-touch-icon" sizes="114x114" href="<?= $customization->getBrowserIconUrl(114) ?>">
<link rel="apple-touch-icon" sizes="120x120" href="<?= $customization->getBrowserIconUrl(120) ?>">
<link rel="apple-touch-icon" sizes="144x144" href="<?= $customization->getBrowserIconUrl(144) ?>">
<link rel="apple-touch-icon" sizes="152x152" href="<?= $customization->getBrowserIconUrl(152) ?>">
<link rel="apple-touch-icon" sizes="180x180" href="<?= $customization->getBrowserIconUrl(180) ?>">
<link rel="icon" type="image/png" sizes="192x192" href="<?= $customization->getBrowserIconUrl(192) ?>">
<link rel="icon" type="image/png" sizes="32x32" href="<?= $customization->getBrowserIconUrl(32) ?>">
<link rel="icon" type="image/png" sizes="96x96" href="<?= $customization->getBrowserIconUrl(96) ?>">
<link rel="icon" type="image/png" sizes="16x16" href="<?= $customization->getBrowserIconUrl(16) ?>">
<meta name="msapplication-TileColor" content="#2196F3">
<meta name="msapplication-TileImage" content="<?= $customization->getBrowserIconUrl(144) ?>">
<meta name="theme-color" content="#2196F3">
``` | /content/code_sandbox/backend/templates/partials/head.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 635 |
```html+php
<?php
$this->layout('minimal', [
'title' => __('Log In'),
'page_class' => 'login-content'
]);
?>
<div class="public-page">
<div class="card p-2">
<div class="card-body">
<h2 class="card-title"><?=__('Enter Two-Factor Code') ?></h2>
<p class="text-left"><?=__('Your account uses a two-factor security code. Enter the code your device is currently showing below.') ?>
<form id="login-form" class="pe-5" action="" method="post">
<div class="form-group">
<label for="otp" class="mb-2 d-flex align-items-center gap-2">
<?= $this->fetch('icons/password') ?>
<strong><?=__('Security Code') ?></strong>
</label>
<input type="number" name="otp" class="form-control form-control-lg" placeholder="" aria-label="<?=__('Security Code') ?>" required autofocus>
</div>
<button type="submit" role="button" title="<?=__('Sign in') ?>" class="btn btn-login btn-primary btn-block mt-2 mb-3">
<?=__('Sign in') ?>
</button>
</form>
</div>
</div>
</div>
``` | /content/code_sandbox/backend/templates/frontend/account/two_factor.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 276 |
```html+php
<?php
$this->layout(
'minimal',
[
'title' => __('Forgot Password'),
'page_class' => 'login-content',
]
);
?>
<div class="public-page">
<div class="card">
<div class="card-body">
<div class="row mb-4">
<div class="col-sm">
<h2 class="card-title mb-0 text-center"><?=__('Forgot Password')?></h2>
</div>
</div>
<p class="card-text">
<?=__('This installation\'s administrator has not configured this functionality.')?>
</p>
<p class="card-text">
<?=__(
'Contact an administrator to reset your password following the instructions in our documentation:'
)?>
</p>
<a class="btn btn-primary btn-block mt-2 mb-3" href="/docs/administration/users/#resetting-an-account-password" target="_blank">
<?=__('Password Reset Instructions')?>
</a>
</div>
</div>
</div>
``` | /content/code_sandbox/backend/templates/frontend/account/forgot_disabled.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 223 |
```html+php
<?php
$this->layout(
'minimal',
[
'title' => __('Forgot Password'),
'page_class' => 'login-content',
]
);
?>
<div class="public-page">
<div class="card">
<div class="card-body">
<h2 class="card-title mb-4 text-center"><?=__('Forgot Password')?></h2>
<form id="login-form" action="" method="post">
<div class="form-group">
<label for="email" class="mb-2 d-flex align-items-center gap-2">
<?= $this->fetch('icons/mail') ?>
<strong><?= __('E-mail Address') ?></strong>
</label>
<input type="email" id="email" name="email" class="form-control" placeholder="<?= __(
'name@example.com'
) ?>" aria-label="<?= __('E-mail Address') ?>" required autofocus>
</div>
<div class="block-buttons mt-2 mb-3">
<button type="submit" role="button" title="<?= __(
'Sign in'
) ?>" class="btn btn-login btn-primary">
<?= __('Send Recovery E-mail') ?>
</button>
</div>
</form>
</div>
</div>
</div>
``` | /content/code_sandbox/backend/templates/frontend/account/forgot.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 275 |
```html+php
<?php
/**
* @var \App\Customization $customization
* @var \App\Entity\Station $station
* @var App\View\GlobalSections $sections
*/
$sections->append(
'station_head',
'<style>' . $customization->getStationCustomPublicCss($station) . '</style>'
);
$sections->append(
'station_bodyjs',
'<script>' . $customization->getStationCustomPublicJs($station) . '</script>'
);
``` | /content/code_sandbox/backend/templates/frontend/public/partials/station-custom.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 105 |
```html+php
<?php
/**
* @var Exception $exception
* @var App\Environment $environment
*/
$this->layout('minimal', [
'title' => 'Error',
'page_class' => 'error-content',
]);
$filePath = Symfony\Component\Filesystem\Path::makeRelative(
$exception->getFile(),
$environment->getBackendDirectory()
);
?>
<div class="public-page">
<div class="card p-3">
<div class="card-body">
<h2 class="display-4">Error</h2>
<h4><?= $this->e($exception->getMessage()) ?></h4>
<p class="text-muted card-text">
<?= $this->e($filePath) ?> : L<?= $exception->getLine() ?>
</p>
</div>
</div>
</div>
``` | /content/code_sandbox/backend/templates/system/error_general.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 179 |
```html+php
<?php
/**
* @var App\Entity\Station $station
* @var App\Customization $customization
* @var App\View\GlobalSections $sections
* @var App\Http\RouterInterface $router
* @var array $props
* @var string $nowPlayingArtUri
*/
$this->layout(
'minimal',
[
'page_class' => 'page-station-public-player station-' . $station->getShortName(),
'title' => $station->getName(),
]
);
$this->fetch('frontend/public/partials/station-custom', ['station' => $station]);
// Register PWA service worker
$swJsRoute = $router->named('public:sw');
$sections->appendStart('head');
?>
<link rel="manifest" href="<?= $router->fromHere('public:manifest') ?>">
<meta name="apple-mobile-web-app-capable" content="yes">
<meta name="apple-mobile-web-app-status-bar-style" content="black">
<meta name="apple-mobile-web-app-title" content="<?= $this->e($station->getName() ?? '') ?>">
<meta property="og:title" content="<?= $this->e($station->getName() ?? '') ?>">
<meta property="og:url" content="<?= $this->e($station->getUrl() ?? '') ?>">
<meta property="og:image" content="<?= $nowPlayingArtUri ?>">
<meta property="twitter:card" content="player">
<meta property="twitter:player" content="<?= $router->named(
'public:index',
['station_id' => $station->getShortName(), 'embed' => 'social'],
[],
true
) ?>">
<meta property="twitter:player:width" content="400">
<meta property="twitter:player:height" content="200">
<link rel="alternate" type="application/json+oembed"
href="<?= $router->named(
'public:oembed',
['station_id' => $station->getShortName(), 'format' => 'json'],
[],
true
) ?>"/>
<link rel="alternate" type="text/xml+oembed"
href="<?= $router->named(
'public:oembed',
['station_id' => $station->getShortName(), 'format' => 'xml'],
[],
true
) ?>"/>
<?php
$sections->end();
$sections->appendStart('bodyjs');
?>
<script>
ready(() => {
if ('serviceWorker' in navigator) {
window.addEventListener('load', function () {
navigator.serviceWorker.register('<?=$swJsRoute ?>');
});
}
});
</script>
<?php
$sections->end();
echo $this->fetch(
'partials/vue_body',
[
'component' => 'Public/FullPlayer',
'id' => 'public-radio-player',
'props' => $props,
]
);
``` | /content/code_sandbox/backend/templates/frontend/public/index.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 629 |
```html+php
<?php
/** @var \Slim\Exception\HttpException $exception */
$this->layout('minimal', [
'title' => $exception->getTitle(),
'page_class' => 'error-content',
]);
?>
<div class="public-page">
<div class="card p-3">
<div class="card-body">
<h2 class="display-4">Error</h2>
<h4><?= $this->e($exception->getMessage()) ?></h4>
<p class="text-muted card-text">
<?= $this->e($exception->getDescription()) ?>
</p>
</div>
</div>
</div>
``` | /content/code_sandbox/backend/templates/system/error_http.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 138 |
```html+php
<?php
/**
* @var App\Http\RouterInterface $router
* @var App\Environment $environment
* @var string $token
*/
?><?= __('Account Recovery') ?>
<?= sprintf(__('An account recovery link has been requested for your account on "%s".'), $environment->getAppName()) ?>
<?= __('Click the link below to log in to your account.') ?>
<?= $router->named(
routeName: 'account:recover',
routeParams: ['token' => $token],
absolute: true
)?>
``` | /content/code_sandbox/backend/templates/mail/forgot.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 113 |
```html+php
<?php
/**
* @var string $component
* @var ?string $id
* @var string $layout
* @var ?string $title
* @var array $layoutParams
* @var array $props
*/
$this->layout(
$layout ?? 'panel',
array_merge(
[
'title' => $title ?? $id,
'manual' => true,
],
$layoutParams ?? []
)
);
echo $this->fetch(
'partials/vue_body',
[
'component' => $component,
'id' => $id,
'props' => $props,
]
);
``` | /content/code_sandbox/backend/templates/system/vue_page.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 138 |
```html+php
<svg xmlns="path_to_url" height="48" viewBox="0 -960 960 960" width="48"
class="icon <?= $class ?? null ?>"
fill="currentColor"
focusable="false"
aria-hidden="true">
<path d="M278.475-225Q171.5-225 97.25-299.426 23-373.853 23-480.176 23-586.5 97.375-660.75 171.75-735 278-735q89 0 151.5 49T518-571h419v182H830v164H667v-164H518q-26 66-88.5 115t-151.025 49ZM278-402q33 0 55.5-22.5T356-480q0-33-22.5-55.5T278-558q-33 0-55.5 22.5T200-480q0 33 22.5 55.5T278-402Z"/>
</svg>
``` | /content/code_sandbox/backend/templates/icons/password.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 237 |
```html+php
<svg xmlns="path_to_url" height="48" viewBox="0 -960 960 960" width="48"
class="icon <?= $class ?? null ?>"
fill="currentColor"
focusable="false"
aria-hidden="true">
<path d="M137-145q-28.725 0-50.862-22.137Q64-189.275 64-218v-524q0-28.725 22.138-50.862Q108.275-815 137-815h686q28.725 0 50.862 22.138Q896-770.725 896-742v524q0 28.725-22.138 50.863Q851.725-145 823-145H137Zm343-306 343-222v-69L480-522 137-742v69l343 222Z"/>
</svg>
``` | /content/code_sandbox/backend/templates/icons/mail.phtml | html+php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 200 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=2; plural=(n != 1);',
'messages' =>
array (
'' =>
array (
'# Episodes' => '# Episoder',
'# Songs' => '# Sanger',
'%{ dj } is now live on %{ station }! Tune in now: %{ url }' => '%{ dj } er n live p %{ station }! Lytt inn n: %{ url }',
'%{ hours } hours' => '%{ hours } timer',
'%{ minutes } minutes' => '%{ minutes } minutter',
'%{ seconds } seconds' => '%{ seconds } sekunder',
'%{ station } is back online! Tune in now: %{ url }' => '%{ station } er tilbake p nett! Still inn n: %{ url }',
'%{ station } is going offline for now.' => '%{ station } gr offline for n.',
'%{filesCount} File' =>
array (
0 => '%{filesCount} Fil',
1 => '%{filesCount} Filer',
),
'%{listeners} Listener' =>
array (
0 => '%{listeners} Lytter',
1 => '%{listeners} Lyttere',
),
'%{messages} queued messages' => '%{messages} meldinger i k',
'%{name} - Copy' => '%{name} Kopir',
'%{numPlaylists} playlist' =>
array (
0 => '%{numPlaylists} spilleliste',
1 => '%{numPlaylists} spillelister',
),
'%{numSongs} uploaded song' =>
array (
0 => '%{numSongs} opplastet sang',
1 => '%{numSongs} opplastede sanger',
),
'%{spaceUsed} of %{spaceTotal} Used' => '%{spaceUsed} av %{spaceTotal} brukt',
'%{spaceUsed} Used' => '%{spaceUsed} Brukt',
'%{station} - Copy' => '%{station} Kopier',
'12 Hour' => '12 Timer',
'24 Hour' => '24 Timer',
'A completely random track is picked for playback every time the queue is populated.' => 'Et helt tilfeldig lt blir valgt for avspilling hver gang ken fylles opp.',
'A name for this stream that will be used internally in code. Should only contain letters, numbers, and underscores (i.e. "stream_lofi").' => 'Ett navn p denne strmmen som brukes internt i kode. Skal bare inneholde bokstaver, tall og understrek (dvs. "stream_lofi").',
'A playlist containing media files hosted on this server.' => 'En spilleliste som inneholder mediefiler p denne serveren.',
'A playlist that instructs the station to play from a remote URL.' => 'En spilleliste som instruerer stasjonen til spille fra en ekstern URL.',
'A unique identifier (i.e. "G-A1B2C3D4") for this measurement stream.' => 'En unik identifikator (dvs. "G-A1B2C3D4") for denne mlestrmmen.',
'About AzuraRelay' => 'Om AzuraRelay',
'About Master_me' => 'Om Master_meg',
'About Release Channels' => 'Om Utgivelseskanaler',
'Access Code' => 'Adgang Kode',
'Access Key ID' => 'Tilgangsnkkel-ID',
'Access Token' => 'Adgangsnkkel (Access Token)',
'Account Details' => 'Kontodetaljer',
'Account is Active' => 'Kontoen er aktiv',
'Account List' => 'Konto Liste',
'Actions' => 'Handlinger',
'Adapter' => 'Adapter',
'Add API Key' => 'Legg til API Nkkel',
'Add Custom Field' => 'Legg til tilpasset felt',
'Add Episode' => 'Legg til episode',
'Add Files to Playlist' => 'Legg til filer i spillelisten',
'Add HLS Stream' => 'Legg til HLS-Strm',
'Add Mount Point' => 'Legg til Mount Point',
'Add New GitHub Issue' => 'Legg til nytt GitHub problem',
'Add Playlist' => 'Legg til spilleliste',
'Add Podcast' => 'Legg til podcast',
'Add Remote Relay' => 'Legg til fjernrel',
'Add Role' => 'Legg til rolle',
'Add Schedule Item' => 'Legg til tidsplanelement',
'Add SFTP User' => 'Legg til SFTP-bruker',
'Add Station' => 'Legg til stasjon',
'Add Storage Location' => 'Legg til lagringssted',
'Add Streamer' => 'Legg til Streamer',
'Add User' => 'Legg til bruker',
'Add Web Hook' => 'Legg til Web Hook',
'Administration' => 'Administrasjon',
'Advanced' => 'Avansert',
'Advanced Configuration' => 'Avansert konfigurasjon',
'Advanced Manual AutoDJ Scheduling Options' => 'Avanserte manuelle AutoDJ-planleggingsalternativer',
'Aggregate listener statistics are used to show station reports across the system. IP-based listener statistics are used to view live listener tracking and may be required for royalty reports.' => 'Samlet lytterstatistikk brukes til vise stasjonsrapporter p tvers av systemet. IP-basert lytterstatistikk brukes til se live lyttersporing og kan vre ndvendig for royaltyrapporter.',
'Album' => 'Album',
'Album Art' => 'Albumkunst',
'Alert' => 'Varsel',
'All Days' => 'Alle Dager',
'All listed domain names should point to this AzuraCast installation. Separate multiple domain names with commas.' => 'Alle opplistede domenenavn m peke p denne AzuraCast installasjonen. Skill flere domenenavn med komma.',
'All Playlists' => 'Alle Spillelister',
'All Podcasts' => 'Alle Podcaster',
'All values in the NowPlaying API response are available for use. Any empty fields are ignored.' => 'Alle verdiene i NowPlaying API-responsen er tilgjengelige for bruk. Alle tomme felt ignoreres.',
'Allow Requests from This Playlist' => 'Tillat foresprsler fra denne spillelisten',
'Allow Song Requests' => 'Tillat sangforesprsler',
'Allow Streamers / DJs' => 'Tillat streamere / DJ-er',
'Allowed IP Addresses' => 'Tillatte IP-adresser',
'Always Use HTTPS' => 'Bruk alltid HTTPS',
'Amplify: Amplification (dB)' => 'Forskyvning: Forsterkning (dB)',
'An error occurred and your request could not be completed.' => 'Det oppsto en feil og foresprselen din kunne ikke fullfres.',
'An error occurred while loading the station profile:' => 'Det oppstod en feil ved lasting av stasjonens profil:',
'An error occurred with the WebDJ socket.' => 'Det oppstod en feil med WebDJ socketen.',
'Analytics' => 'Analyser',
'Analyze and reprocess the selected media' => 'Analyser og bearbeid det valgte mediet',
'Any of the following file types are accepted:' => 'Alle av flgende filtyper er akseptert:',
'Any time a live streamer/DJ connects to the stream' => 'Hver gang en Radiovert/DJ kobles til radioserveren',
'Any time a live streamer/DJ disconnects from the stream' => 'Hver gang en Radiovert/DJ kobles fra radiostrmmen',
'Any time the currently playing song changes' => 'Hver gang sangen som spilles endres',
'Any time the listener count decreases' => 'Hver gang lyttertallet synker',
'Any time the listener count increases' => 'Hver gang lyttertallet ker',
'API "Access-Control-Allow-Origin" Header' => 'API "Access-Control-Allow-Origin"-overskrift',
'API Documentation' => 'API-dokumentasjon',
'API Key Description/Comments' => 'API-nkkelbeskrivelse/kommentarer',
'API Keys' => 'API-nkler',
'API Token' => 'API Token',
'API Version' => 'API-versjon',
'App Key' => 'App Nkkel',
'App Secret' => 'App Hemlighet',
'Apple Podcasts' => 'Apple Podcaster',
'Apply for an API key at Last.fm' => 'Sk om en API-nkkel p Last.fm',
'Apply Playlist to Folders' => 'Legg Til Spilleliste p Mapper',
'Apply Post-processing to Live Streams' => 'Bruk Post-prosessering p direktesendinger',
'Apply to Folders' => 'Bruk p mapper',
'Are you sure?' => 'Er du sikker?',
'Art' => 'Kunst',
'Artist' => 'Artist',
'Artwork' => 'Kunstverk',
'Artwork must be a minimum size of 1400 x 1400 pixels and a maximum size of 3000 x 3000 pixels for Apple Podcasts.' => 'Kunstverk m ha en minimumsstrrelse p 1400 x 1400 piksler og en maksimal strrelse p 3000 x 3000 piksler for Apple Podcasts.',
'Attempt to Automatically Retrieve ISRC When Missing' => 'Forsk hente ISRC automatisk nr den mangler',
'Audio Bitrate (kbps)' => 'Lyd Bitrate (kbps)',
'Audio Format' => 'Lyd Format',
'Audio Post-processing Method' => 'Lyd Post-prosessering Metode',
'Audio transcoding applications like Liquidsoap use a consistent amount of CPU over time, which gradually drains this available credit. If you regularly see stolen CPU time, you should consider migrating to a VM that has CPU resources dedicated to your instance.' => 'Lydtranskodingsapplikasjoner som Liquidsoap bruker en konsistent mengde CPU over tid, noe som gradvis tapper denne tilgjengelige kreditten. Hvis du regelmessig ser stjlet CPU-tid, br du vurdere migrere til en VM som har CPU-ressurser dedikert til din instans.',
'Audit Log' => 'Revisjonslogg',
'Author' => 'Forfatter',
'Auto-Assign Value' => 'Auto-tilordne Verdi',
'AutoDJ' => 'AutoDJ',
'AutoDJ Bitrate (kbps)' => 'AutoDJ Bitrate (kbps)',
'AutoDJ Disabled' => 'AutoDJ deaktivert',
'AutoDJ Format' => 'AutoDJ-format',
'AutoDJ has been disabled for this station. No music will automatically be played when a source is not live.' => 'AutoDJ er deaktivert for denne stasjonen. Ingen musikk spilles automatisk nr en kilde ikke er live.',
'AutoDJ Queue' => 'AutoDJ-k',
'AutoDJ Queue Length' => 'AutoDJ-klengde',
'AutoDJ Service' => 'AutoDJ-tjeneste',
'Automatic Backups' => 'Automatiske sikkerhetskopier',
'Automatically publish to a Mastodon instance.' => 'Publiser automatisk til en Mastodon forekomst.',
'Automatically Scroll to Bottom' => 'Automatisk Rull til Bunnen',
'Automatically send a customized message to your Discord server.' => 'Send automatisk en tilpasset melding til Discord-serveren din.',
'Automatically send a message to any URL when your station data changes.' => 'Send automatisk en melding til en hvilken som helst URL nr stasjonsdataene dine endres.',
'Automatically Set from ID3v2 Value' => 'Angi automatisk fra ID3v2-verdi',
'Available Logs' => 'Tilgjengelige logger',
'Avatar Service' => 'Avatar-tjeneste',
'Avatars are retrieved based on your e-mail address from the %{ service } service. Click to manage your %{ service } settings.' => 'Avatarer hentes basert p e-postadressen din fra %{service}-tjenesten. Klikk for administrere %{service} innstillingene.',
'Average Listeners' => 'Gjennomsnittlige lyttere',
'Avoid Duplicate Artists/Titles' => 'Unng dupliserte artister/titler',
'AzuraCast First-Time Setup' => 'AzuraCast frstegangsoppsett',
'AzuraCast Instance Name' => 'AzuraCast-forekomstnavn',
'AzuraCast ships with a built-in free IP geolocation database. You may prefer to use the MaxMind GeoLite service instead to achieve more accurate results. Using MaxMind GeoLite requires a license key, but once the key is provided, we will automatically keep the database updated.' => 'AzuraCast leveres med en innebygd gratis IP-geolokaliseringsdatabase. Du foretrekker kanskje bruke MaxMind GeoLite-tjenesten i stedet for oppn mer nyaktige resultater. Bruk av MaxMind GeoLite krever en lisensnkkel, men nr nkkelen er gitt, vil vi automatisk holde databasen oppdatert.',
'AzuraCast Update Checks' => 'AzuraCast-oppdateringssjekker',
'AzuraCast User' => 'AzuraCast-bruker',
'AzuraCast uses a role-based access control system. Roles are given permissions to certain sections of the site, then users are assigned into those roles.' => 'AzuraCast bruker et rollebasert tilgangskontrollsystem. Roller gis tillatelser til visse deler av nettstedet, deretter blir brukere tildelt disse rollene.',
'AzuraCast Wiki' => 'AzuraCast Wiki',
'AzuraCast will scan the uploaded file for matches in this station\'s music library. Media should already be uploaded before running this step. You can re-run this tool as many times as needed.' => 'AzuraCast vil skanne den opplastede filen for treff i denne stasjonens musikkbibliotek. Media skal allerede vre lastet opp fr du kjrer dette trinnet. Du kan kjre dette verktyet p nytt s mange ganger du trenger.',
'AzuraRelay is a standalone service that connects to your AzuraCast instance, automatically relays your stations via its own server, then reports the listener details back to your main instance. This page shows all currently connected instances.' => 'AzuraRelay er en frittstende tjeneste som kobler til AzuraCast-forekomsten. automatisk Sender stasjonene dine via sin egen server, s rapporter lytterdetaljene tilbake til din hovedinstans. Denne siden viser alle tilkoblede forekomster.',
'Back' => 'Tilbake',
'Backing up your installation is strongly recommended before any update.' => 'Sikkerhetskopiering av installasjonen er sterkt anbefalt fr en oppdatering.',
'Backup' => 'Sikkerhetskopi',
'Backup Format' => 'Backup Format',
'Backups' => 'Sikkerhetskopier',
'Balanced' => 'Balansert',
'Banned Countries' => 'Forbudte land',
'Banned IP Addresses' => 'Forbudte IP-adresser',
'Banned User Agents' => 'Utestengte brukeragenter',
'Base Directory' => 'Hoved Mappe',
'Base Station Directory' => 'Basestasjonskatalog',
'Base Theme for Public Pages' => 'Grunntema for offentlige sider',
'Basic Info' => 'Informasjon',
'Basic Information' => 'Stillingsinformasjon',
'Basic Normalization and Compression' => 'Grunnleggende Normalisering og Komprimering',
'Best & Worst' => 'Best og Vrst',
'Best Performing Songs' => 'Best fremfrte sanger',
'Bit Rate' => 'Bithastighet',
'Bitrate' => 'Bitrate',
'Bot Token' => 'Bot Token',
'Bot/Crawler' => 'Bot/Crawler',
'Branding' => 'Merkevare',
'Branding Settings' => 'Innstillinger for branding',
'Broadcast AutoDJ to Remote Station' => 'Send AutoDJ til ekstern stasjon',
'Broadcasting' => 'Kringkasting',
'Broadcasting Service' => 'Kringkastingstjeneste',
'Broadcasts' => 'Meldinger',
'Browser' => 'Nettleser',
'Browser Default' => 'Standard Nettleser',
'Browser Icon' => 'Nettleserikon',
'Browsers' => 'Nettlesere',
'Bucket Name' => 'Bucket Navn',
'Bulk Media Import/Export' => 'Fler Media Import/Eksport',
'By default, radio stations broadcast on their own ports (i.e. 8000). If you\'re using a service like CloudFlare or accessing your radio station by SSL, you should enable this feature, which routes all radio through the web ports (80 and 443).' => 'Som standard sender radiostasjoner p sine egne porter (dvs. 8000). Hvis du bruker en tjeneste som CloudFlare eller fr tilgang til radiostasjonen din med SSL, br du aktivere denne funksjonen, som ruter all radio gjennom nettportene (80 og 443).',
'Cached' => 'Bufret',
'Cancel' => 'Avbryt',
'Categories' => 'Kategorier',
'Change' => 'Endre',
'Change Password' => 'Endre passord',
'Changes' => 'Endringer',
'Changes saved.' => 'Endringer ble lagret.',
'Character Set Encoding' => 'Tegnsettkoding',
'Chat ID' => 'Chat-ID',
'Check for Updates' => 'Se etter oppdateringer',
'Check this box to apply post-processing to all audio, including live streams. Uncheck this box to only apply post-processing to the AutoDJ.' => 'Kryss av i denne boksen for bruke etterbehandling av alle lyd, inkludert direktesendinger. Fjern merkingen for denne boksen kun bruke etter behandling p AutoDJ.',
'Check Web Services for Album Art for "Now Playing" Tracks' => 'Se netttjenester for albumomslag for "Spiller n" lter',
'Check Web Services for Album Art When Uploading Media' => 'Sjekk webtjenester for albumgrafikk nr du laster opp media',
'Choose a method to use when transitioning from one song to another. Smart Mode considers the volume of the two tracks when fading for a smoother effect, but requires more CPU resources.' => 'Velg en metode du vil bruke nr du gr fra en sang til en annen. Smart Mode vurderer volumet til de to sporene nr de tones for en jevnere effekt, men krever mer CPU-ressurser.',
'Choose a name for this webhook that will help you distinguish it from others. This will only be shown on the administration page.' => 'Velg et navn for denne webhooken som vil hjelpe deg skille den fra andre. Dette vil kun vises p administrasjonssiden.',
'Choose a new password for your account.' => 'Velg et nytt passord for kontoen din.',
'Clear' => 'Fjern',
'Clear all media from playlist?' => 'Slett alle medier fra spillelisten?',
'Clear All Message Queues' => 'Fjern alle meldingsker',
'Clear All Pending Requests?' => 'Vil du fjerne alle ventende foresprsler?',
'Clear Artwork' => 'Tm kunstverk',
'Clear Cache' => 'Tm hurtiglager',
'Clear File' => 'Fjern',
'Clear Image' => 'Fjern Bilde',
'Clear List' => 'Klar liste',
'Clear Media' => 'Tm media',
'Clear Pending Requests' => 'Fjern ventende foresprsler',
'Clear Queue' => 'Fjern K',
'Clear Upcoming Song Queue' => 'Fjern kommende sangk',
'Clear Upcoming Song Queue?' => 'Fjerne kommende sangk?',
'Clearing the application cache may log you out of your session.' => ' tmme programbufferen kan logge deg ut av kten.',
'Click "Generate new license key".' => 'Klikk p "Generer ny lisensnkkel".',
'Click "New Application"' => 'Klikk "Ny Sknad"',
'Click the "Preferences" link, then "Development" on the left side menu.' => 'Klikk p "Innstillinger" koblingen, deretter "Utvikling" p venstre side-menyen.',
'Click the button below to generate a CSV file with all of this station\'s media. You can make any necessary changes, and then import the file using the file picker on the right.' => 'Klikk p knappen nedenfor for generere en CSV-fil med alle stasjonens medier. Du kan gjre ndvendige endringer, og deretter importere filen ved bruke filvelgeren til hyre.',
'Click the button below to retry loading the page.' => 'Klikk p knappen nedenfor for prve laste siden p nytt.',
'Client' => 'Lytter',
'Clients' => 'Lyttere',
'Clients by Connected Time' => 'Kunder sortert etter tilkoblet tid',
'Clients by Listeners' => 'Kunder av lyttere',
'Clone' => 'Klone',
'Clone Station' => 'Klon Stasjon',
'Close' => 'Lukk',
'CloudFlare (CF-Connecting-IP)' => 'CloudFlare (CF-Connecting-IP)',
'Code from Authenticator App' => 'Kode fra Autorisasjons App',
'Collect aggregate listener statistics and IP-based listener statistics' => 'Samle inn samlet lytterstatistikk og IP-basert lytterstatistikk',
'Comments' => 'Kommentarer',
'Complete the setup process by providing some information about your broadcast environment. These settings can be changed later from the administration panel.' => 'Fullfr konfigurasjonsprosessen ved oppgi litt informasjon om kringkastingsmiljet ditt. Disse innstillingene kan endres senere fra administrasjonspanelet.',
'Configure' => 'Konfigurer',
'Configure Backups' => 'Konfigurer Backuper',
'Confirm' => 'Bekreft',
'Confirm New Password' => 'Bekreft nytt passord',
'Connected AzuraRelays' => 'Tilkoblede AzuraRelays',
'Connection Information' => 'Tilkoblingsinformasjon',
'Contains explicit content' => 'Inneholder eksplisitt innhold',
'Continue the setup process by creating your first radio station below. You can edit any of these details later.' => 'Fortsett konfigurasjonsprosessen ved opprette din frste radiostasjon nedenfor. Du kan redigere hvilken som helst av disse detaljene senere.',
'Continuous Play' => 'Kontinuerlig spilling',
'Control how this playlist is handled by the AutoDJ software.' => 'Kontroller hvordan denne spillelisten hndteres av AutoDJ-programvaren.',
'Copied!' => 'Kopiert!',
'Copies older than the specified number of days will automatically be deleted. Set to zero to disable automatic deletion.' => 'Kopier som er eldre enn det angitte antall dager vil automatisk bli slettet. Sett til null for deaktivere automatisk sletting.',
'Copy associated media and folders.' => 'Kopier tilknyttede medier og mapper.',
'Copy scheduled playback times.' => 'Kopier planlagte avspillingstider.',
'Copy to Clipboard' => 'Kopier til utklippstavle',
'Copy to New Station' => 'Kopier til ny stasjon',
'Could not upload file.' => 'Kunne ikke laste opp filen.',
'Countries' => 'Land',
'Country' => 'Land',
'CPU Load' => 'CPU Last',
'CPU Stats Help' => 'CPU-statistikk Hjelp',
'Create a new application. Choose "Scoped Access", select your preferred level of access, then name your app. Do not name it "AzuraCast", but rather use a name specific to your installation.' => 'Opprett et nytt program. Velg "Scoped Access", velg ditt foretrukne tilgangsniv, og gi deretter programmet navn. Ikke gi det navnet "AzuraCast", men bruk snarere et navn spesifikt til installasjonen.',
'Create a New Radio Station' => 'Lag en Ny Radio Stasjon',
'Create Account' => 'Opprett Konto',
'Create an account on the MaxMind developer site.' => 'Opprett en konto p MaxMind-utviklernettstedet.',
'Create and Continue' => 'Lag og Fortsett',
'Create custom fields to store extra metadata about each media file uploaded to your station libraries.' => 'Lag egendefinerte felt for lagre ekstra metadata om hver mediefil som lastes opp til stasjonsbibliotekene dine.',
'Create Directory' => 'Opprett katalog',
'Create New Key' => 'Lag Ny Nkkel',
'Create New Playlist for Each Folder' => 'Lag Ny Spilleliste For Hver Mappe',
'Critical' => 'Kritisk',
'Crossfade Duration (Seconds)' => 'Crossfade-varighet (sekunder)',
'Crossfade Method' => 'Crossfade metode',
'Cue' => 'Stikkord',
'Current Configuration File' => 'Nvrende konfigurasjonsfil',
'Current Custom Fallback File' => 'Gjeldende tilpasset reservefil',
'Current Installed Version' => 'Gjeldende installert versjon',
'Current Intro File' => 'Gjeldende introfil',
'Current Password' => 'Gjeldende passord',
'Current Podcast Media' => 'Nvrende podcastmedier',
'Custom' => 'Tilpasset',
'Custom API Base URL' => 'Egendefinert API-base-URL',
'Custom Branding' => 'Tilpasset merkevarebygging',
'Custom Configuration' => 'Egendefinert konfigurasjon',
'Custom CSS for Internal Pages' => 'Tilpasset CSS for interne sider',
'Custom CSS for Public Pages' => 'Tilpasset CSS for offentlige sider',
'Custom Cues: Cue-In Point (seconds)' => 'Custom Cues: Cue-In Point (sekunder)',
'Custom Cues: Cue-Out Point (seconds)' => 'Egendefinerte signaler: Cue-Out Point (sekunder)',
'Custom Fading: Fade-In Time (seconds)' => 'Egendefinert fading: inntoningstid (sekunder)',
'Custom Fading: Fade-Out Time (seconds)' => 'Egendefinert fading: Fade-out-tid (sekunder)',
'Custom Fallback File' => 'Tilpasset reservefil',
'Custom Fields' => 'Egendefinerte felt',
'Custom Frontend Configuration' => 'Tilpasset grensesnittkonfigurasjon',
'Custom JS for Public Pages' => 'Egendefinert JS for offentlige sider',
'Customize' => 'Tilpass',
'Customize Administrator Password' => 'Tilpass administratorpassord',
'Customize AzuraCast Settings' => 'Tilpass AzuraCast-innstillinger',
'Customize Broadcasting Port' => 'Tilpass kringkastingsporten',
'Customize Copy' => 'Tilpass kopi',
'Customize DJ/Streamer Mount Point' => 'Tilpass DJ/Streamer Mount Point',
'Customize DJ/Streamer Port' => 'Tilpass DJ/Streamer-port',
'Customize Internal Request Processing Port' => 'Tilpass intern foresprselsbehandlingsport',
'Customize Source Password' => 'Tilpass kildepassord',
'Customize the number of songs that will appear in the "Song History" section for this station and in all public APIs.' => 'Tilpass antall sanger som skal vises i "Sanghistorikk"-delen for denne stasjonen og i alle offentlige APIer.',
'Customize this setting to ensure you get the correct IP address for remote users. Only change this setting if you use a reverse proxy, either within Docker or a third-party service like CloudFlare.' => 'Tilpass denne innstillingen for forsikre deg om at du fr riktig IP-adresse for eksterne brukere. Endre bare denne innstillingen hvis du bruker en omvendt proxy, enten i Docker eller en tredjepartstjeneste som CloudFlare.',
'Dark' => 'Mrk',
'Dashboard' => 'Kontrollpanel',
'Date Played' => 'Spilledato',
'Date Requested' => 'Forespurt Dato',
'Date/Time' => 'Dato/Klokkeslett',
'Date/Time (Browser)' => 'Dato/Tid (Nettleser)',
'Date/Time (Station)' => 'Dato/Tid (Stasjon)',
'Days of Playback History to Keep' => 'Dager med avspillingshistorikk beholde',
'Deactivate Streamer on Disconnect (Seconds)' => 'Deaktiver Streamer ved frakobling (sekunder)',
'Debug' => 'Feilsk',
'Default Album Art' => 'Standard albumbilde',
'Default Album Art URL' => 'Standard URL for albumgrafikk',
'Default Avatar URL' => 'Standard avatar-URL',
'Default Live Broadcast Message' => 'Standard Live Broadcast melding',
'Default Mount' => 'Standardmontering',
'Delete' => 'Slett',
'Delete %{ num } media files?' => 'Vil du slette %{ num } mediefiler?',
'Delete Album Art' => 'Slett albumbilde',
'Delete API Key?' => 'Vil du slette API Nkkelen?',
'Delete Backup?' => 'Vil du slette sikkerhetskopi?',
'Delete Broadcast?' => 'Vil du slette kringkastingen?',
'Delete Custom Field?' => 'Slett Tilpasset Felt?',
'Delete Episode?' => 'Vil du slette episoden?',
'Delete HLS Stream?' => 'Slett HLS Strm?',
'Delete Mount Point?' => 'Vil du slette Mount Point?',
'Delete Playlist?' => 'Slett Spilleliste?',
'Delete Podcast?' => 'Vil du slette podcasten?',
'Delete Queue Item?' => 'Slette Kelementet?',
'Delete Record?' => 'Slett Post?',
'Delete Remote Relay?' => 'Vil du slette Remote Relay?',
'Delete Request?' => 'Vil du slette foresprselen?',
'Delete Role?' => 'Vil du slette rolle?',
'Delete SFTP User?' => 'Vil du slette SFTP-bruker?',
'Delete Station?' => 'Vil du slette stasjonen?',
'Delete Storage Location?' => 'Vil du slette lagringssted?',
'Delete Streamer?' => 'Vil du slette streameren?',
'Delete User?' => 'Vil du slette brukeren?',
'Delete Web Hook?' => 'Vil du slette Web Hook?',
'Description' => 'Beskrivelse',
'Details' => 'Detaljer',
'Directory' => 'Katalog',
'Directory Name' => 'Katalognavn',
'Disable' => 'Deaktiver',
'Disable Crossfading' => 'Deaktiver Crossfading',
'Disable Optimizations' => 'Deaktiver Optimaliseringer',
'Disable Two-Factor' => 'Deaktiver To-Faktor',
'Disable two-factor authentication?' => 'Vil du deaktivere tofaktorautentisering?',
'Disable?' => 'Deaktiver?',
'Disabled' => 'Deaktivert',
'Disconnect Streamer' => 'Koble fra Streameren',
'Discord Web Hook URL' => 'URL til Discord Web Hook',
'Discord Webhook' => 'Discord Webhook',
'Disk caching makes a system much faster and more responsive in general. It does not take memory away from applications in any way since it will automatically be released by the operating system when needed.' => 'Diskbufring gjr et system mye raskere og mer responsivt generelt. Det tar ikke minne fra applikasjoner p noen mte siden det automatisk vil bli utgitt av operativsystemet nr det er ndvendig.',
'Disk Space' => 'Diskplass',
'Display fields' => 'Vis felter',
'Display Name' => 'Visningsnavn',
'DJ/Streamer Buffer Time (Seconds)' => 'DJ/streamerbuffertid (sekunder)',
'Do not collect any listener analytics' => 'Ikke samle inn noen lytteranalyse',
'Do not use a local broadcasting service.' => 'Ikke bruk en lokal kringkastingstjeneste.',
'Do not use an AutoDJ service.' => 'Ikke bruk en AutoDJ-tjeneste.',
'Documentation' => 'Dokumentasjon',
'Domain Name(s)' => 'Domene Navn',
'Donate to support AzuraCast!' => 'Doner for sttte AzuraCast!',
'Download' => 'Last ned',
'Download CSV' => 'Last ned CSV',
'Download M3U' => 'Last ned M3U',
'Download PLS' => 'Last ned PLS',
'Download the appropriate binary from the Stereo Tool downloads page:' => 'Last ned det riktige binrverkty fra Stereo nedlastings side:',
'Download the Linux x64 binary from the Shoutcast Radio Manager:' => 'Last ned Linux x64 binr fra Shoutcast Radio Manager:',
'Drag file(s) here to upload or' => 'Dra filen(e) hit for laste opp eller',
'Dropbox App Console' => 'Dropbox App Konsoll',
'Dropbox Setup Instructions' => 'Dropbox Oppsetts Instruksjoner',
'Duplicate' => 'Dupliser',
'Duplicate Playlist' => 'Dubliser Spilleliste',
'Duplicate Prevention Time Range (Minutes)' => 'Tidsrom for duplikatforebygging (minutter)',
'Duplicate Songs' => 'Dupliserte sanger',
'E-Mail' => 'E-post',
'E-mail Address' => 'E-post-adresse',
'E-mail Address (Optional)' => 'E-postadresse (valgfritt)',
'E-mail addresses can be separated by commas.' => 'E-postadresser kan skilles med komma.',
'E-mail Delivery Service' => 'E-post leveringstjeneste',
'EBU R128' => 'EBU R128',
'Edit' => 'Rediger',
'Edit Branding' => 'Rediger profilering',
'Edit Custom Field' => 'Rediger tilpasset felt',
'Edit Episode' => 'Endre Episode',
'Edit HLS Stream' => 'Rediger HLS Stream',
'Edit Liquidsoap Configuration' => 'Rediger Liquidsoap-konfigurasjon',
'Edit Media' => 'Rediger Media',
'Edit Mount Point' => 'Rediger Oppkobliings Punkt',
'Edit Playlist' => 'Rediger Spilleliste',
'Edit Podcast' => 'Endre Podcast',
'Edit Profile' => 'Rediger profil',
'Edit Remote Relay' => 'Rediger Fjern Rel',
'Edit Role' => 'Endre Rolle',
'Edit SFTP User' => 'Rediger SFTP bruker',
'Edit Station' => 'Rediger Stasjon',
'Edit Station Profile' => 'Rediger stasjonsprofil',
'Edit Storage Location' => 'Rediger lagringsplass',
'Edit Streamer' => 'Rediger Streamer',
'Edit User' => 'Rediger Bruker',
'Edit Web Hook' => 'Rediger Web Hook',
'Embed Code' => 'Inbyggingskode',
'Embed Widgets' => 'Bygg inn widgets',
'Emergency' => 'Ndsituasjon',
'Empty' => 'Tom',
'Enable' => 'Aktiver',
'Enable Advanced Features' => 'Aktiver avanserte funksjoner',
'Enable AutoDJ' => 'Aktiver AutoDJ',
'Enable Broadcasting' => 'Aktiver Sending',
'Enable certain advanced features in the web interface, including advanced playlist configuration, station port assignment, changing base media directories and other functionality that should only be used by users who are comfortable with advanced functionality.' => 'Aktiver visse avanserte funksjoner i nettgrensesnittet, inkludert avansert spillelistekonfigurasjon, stasjonsporttilordning, endring av basismediekataloger og annen funksjonalitet som kun skal brukes av brukere som er komfortable med avansert funksjonalitet.',
'Enable Downloads on On-Demand Page' => 'Aktiver nedlastinger p On-Demand-side',
'Enable HTTP Live Streaming (HLS)' => 'Aktiver HTTP Live Streaming (HLS)',
'Enable listeners to request a song for play on your station. Only songs that are already in your playlists are requestable.' => 'Gjr det mulig for lyttere be om en sang for avspilling p stasjonen din. Bare sanger som allerede er i spillelistene dine kan foresprres.',
'Enable Mail Delivery' => 'Aktiver postlevering',
'Enable On-Demand Streaming' => 'Aktiver On-Demand Streaming',
'Enable Public Pages' => 'Aktiver Offentlige Sider',
'Enable this option if your S3 provider is using paths instead of sub-domains for their S3 endpoint; for example, when using MinIO or with other self-hosted S3 storage solutions that are accessible via a path on a domain/IP instead of a subdomain.' => 'Aktiver dette alternativet hvis din S3-leverandr bruker stier i stedet for underdomener for S3-endepunktet; for eksempel nr du bruker MinIO eller med andre selvbetjente S3 lagringslsninger som er tilgjengelige via en vei p et domene/IP i stedet for et underdomene.',
'Enable this setting to prevent metadata from being sent to the AutoDJ for files in this playlist. This is useful if the playlist contains jingles or bumpers.' => 'Aktiver denne innstillingen for forhindre at metadata sendes til AutoDJ for filer i denne spillelisten. Dette er nyttig hvis spillelisten inneholder jingler eller bumpere.',
'Enable to advertise this mount point on "Yellow Pages" public radio directories.' => 'Aktiver for annonsere dette monteringspunktet p "Gule sider" offentlige radiokataloger.',
'Enable to advertise this relay on "Yellow Pages" public radio directories.' => 'Aktiver for annonsere denne relet p "Gule sider" offentlige radiokataloger.',
'Enable to allow listeners to select this relay on this station\'s public pages.' => 'Aktiver for la lyttere velge dette relet p denne stasjonens offentlige sider.',
'Enable to allow this account to log in and stream.' => 'Aktiver for tillate denne kontoen logge p og strmme.',
'Enable to have AzuraCast automatically run nightly backups at the time specified.' => 'Aktiver for f AzuraCast til automatisk kjre nattlige sikkerhetskopier p det angitte tidspunktet.',
'Enable Two-Factor' => 'Aktiver To-Faktor',
'Enable Two-Factor Authentication' => 'Aktiver tofaktorautentisering',
'Enable?' => 'Aktiver?',
'Enabled' => 'Aktivert',
'End Date' => 'Sluttdato',
'End Time' => 'Sluttidspunkt',
'Endpoint' => 'Endepunkt',
'Enforce Schedule Times' => 'Hndheve tidsplaner',
'Enlarge Album Art' => 'Forstrr albumbilde',
'Ensure the library matches your system architecture' => 'Srg for at biblioteket samsvarer med systemarkitekturen din',
'Enter "AzuraCast" as the application name. You can leave the URL fields unchanged. For "Scopes", only "write:media" and "write:statuses" are required.' => 'Skriv inn "AzuraCast" som applikasjonsnavn. Du kan la URL-feltene vre uendret. For "Scopes" kreves bare "write:media" og "write:statuses".',
'Enter the access code you receive below.' => 'Skriv inn engangskoden du mottar nedenfor.',
'Enter the current code provided by your authenticator app to verify that it\'s working correctly.' => 'Skriv inn gjeldende kode fra autentiseringsappen din for bekrefte at den fungerer som den skal.',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => 'Skriv inn hele URL-en til en annen strm for videresende kringkastingen gjennom dette monteringspunktet.',
'Enter your app secret and app key below.' => 'Skriv inn app-hemmeligheten og app-nkkelen nedenfor.',
'Enter your e-mail address to receive updates about your certificate.' => 'Skriv inn e-postadressen din for motta oppdateringer om sertifikatet ditt.',
'Enter your password' => 'Skriv inn ditt passord',
'Episode' => 'Episode',
'Episodes' => 'Episoder',
'Error' => 'Feil',
'Example: if the remote radio URL is path_to_url enter "path_to_url".' => 'Eksempel: hvis nettadressen for den eksterne radioen er path_to_url skriv inn "path_to_url".',
'Exclude Media from Backup' => 'Ekskluder media fra sikkerhetskopiering',
'Excluding media from automated backups will save space, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => ' ekskludere media fra automatiserte sikkerhetskopier vil spare plass, men du br srge for sikkerhetskopiere mediene andre steder. Merk at kun lokalt lagrede medier vil bli sikkerhetskopiert.',
'Exit Fullscreen' => 'Avslutt Fullskjerm',
'Expected to Play at' => 'Forventes spille kl',
'Explicit' => 'Eksplisitt',
'Export %{format}' => 'Eksporter %{format}',
'Export Media to CSV' => 'Eksport Media til CSV',
'External' => 'Ekstern',
'Fallback Mount' => 'Fallback Tilgangspunkt',
'Field Name' => 'Feltnavn',
'File Name' => 'Filnavn',
'Files marked for reprocessing:' => 'Filer merket for behandling:',
'Files moved:' => 'Filer flyttet:',
'Files played immediately:' => 'Filer spilt umiddelbart:',
'Files queued for playback:' => 'Filer i k for avspilling:',
'Files removed:' => 'Filer fjernet:',
'First Connected' => 'Frst Tilkoblet',
'Followers Only' => 'Kun Flgere',
'Footer Text' => 'Bunntekst',
'For ARM (Raspberry Pi, etc.) installations, choose "Raspberry Pi Thimeo-ST plugin".' => 'For ARM (Raspberry Pi, etc.) installasjoner, velg "Raspberry Pi Thimeo-ST plugin".',
'For local filesystems, this is the base path of the directory. For remote filesystems, this is the folder prefix.' => 'For lokale filsystemer er dette basisbanen til katalogen. For eksterne filsystemer er dette mappeprefikset.',
'For most cases, use the default UTF-8 encoding. The older ISO-8859-1 encoding can be used if accepting connections from Shoutcast 1 DJs or using other legacy software.' => 'I de fleste tilfeller bruker du standard UTF-8-koding. Den eldre ISO-8859-1-kodingen kan brukes hvis du aksepterer tilkoblinger fra SHOUTcast 1 DJ-er eller bruker annen eldre programvare.',
'for selected period' => 'for valgt periode',
'For simple updates where you want to keep your current configuration, you can update directly via your web browser. You will be disconnected from the web interface and listeners will be disconnected from all stations.' => 'For enkle oppdateringer hvor du nsker beholde den nvrende konfigurasjonen, kan du oppdatere direkte via nettleseren. Du vil bli koblet fra webgrensesnittet og lyttere koblet fra alle stasjoner.',
'For some clients, use port:' => 'For noen klienter, bruk port:',
'For the legacy version' => 'For eldre versjonen',
'For x86/64 installations, choose "x86/64 Linux Thimeo-ST plugin".' => 'For x86/64 installasjoner, velg "x86/64 Linux Thimeo-ST plugin".',
'Forgot your password?' => 'Glemt passordet?',
'Format' => 'Format',
'Friday' => 'Fredag',
'From your smartphone, scan the code to the right using an authentication app of your choice (FreeOTP, Authy, etc).' => 'Fra smarttelefonen din, skann koden til hyre ved bruke en autentiseringsapp du velger (FreeOTP, Authy, etc).',
'Full' => 'Full',
'Full Volume' => 'Fullt volum',
'General Rotation' => 'Generell rotasjon',
'Generate Access Code' => 'Generer Tilgangskode',
'Generate Report' => 'Rapport',
'Generate/Renew Certificate' => 'Generere/Forny sertifikatet',
'Generic Web Hook' => 'Generisk Webhook',
'Generic Web Hooks' => 'Generisk Webhook',
'Genre' => 'Sjanger',
'GeoLite is not currently installed on this installation.' => 'GeoLite er for yeblikket ikke installert p denne installasjonen.',
'GeoLite version "%{ version }" is currently installed.' => 'GeoLite-versjon "%{ version }" er for yeblikket installert.',
'Get Next Song' => 'F neste sang',
'Get Now Playing' => 'Spill n',
'GetMeRadio' => 'GetMeRadio',
'GetMeRadio Station ID' => 'GetMeRadio Stasjons ID',
'Global' => 'Globalt',
'Global Permissions' => 'Globale tillatelser',
'Go' => 'Utfr',
'Google Analytics V4 Integration' => 'Google Analytics V4 Integrasjon',
'Help' => 'Hjelp',
'Hide Album Art on Public Pages' => 'Skjul albumomslag p offentlige sider',
'Hide AzuraCast Branding on Public Pages' => 'Skjul AzuraCast-merkevarebygging p offentlige sider',
'Hide Charts' => 'Skjul Lister',
'Hide Credentials' => 'Skjul Ploggingsinformasjon',
'Hide Metadata from Listeners ("Jingle Mode")' => 'Skjul metadata fra lyttere ("jinglemodus")',
'High I/O Wait can indicate a bottleneck with the server\'s hard disk, a potentially failing hard disk, or heavy load on the hard disk.' => 'Hy I/U-vent kan indikere en flaskehals med serverens harddisk, en potensielt sviktende harddisk eller stor belastning p harddisken.',
'Higher weight playlists are played more frequently compared to other lower-weight playlists.' => 'Spillelister med hyere vekt spilles oftere sammenlignet med andre spillelister med lavere vekt.',
'History' => 'Historikk',
'HLS' => 'HLS',
'HLS Streams' => 'HLS Strmmer',
'Home' => 'Hjem',
'Homepage Redirect URL' => 'Hjemmeside omdirigere URL',
'Hour' => 'Time',
'HTML' => 'HTML',
'HTTP Live Streaming (HLS)' => 'HTTP Live Streaming (HLS)',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate streaming technology. From this page, you can configure the individual bitrates and formats that are included in the combined HLS stream.' => 'HTTP Live Streaming (HLS) er en ny adaptiv-bitrate-strmningsteknologi. Fra denne siden kan du konfigurere de enkelte bitrater og formater som er inkludert i den kombinerte HLS-strmmen.',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate technology supported by some clients. It does not use the standard broadcasting frontends.' => 'HTTP Live Streaming (HLS) er en ny adaptive-bitrate-teknologi stttet av noen klienter. Dette bruker ikke standard kringkastings forsider.',
'Icecast Clients' => 'Icecast Lyttere',
'Icecast/Shoutcast Stream URL' => 'Icecast/Shoutcast Stream URL',
'Identifier' => 'Identifikator',
'If a live DJ connects but has not yet sent metadata, this is the message that will display on player pages.' => 'Dersom en live DJ kobles til men ikke har sendt metadata, er dette meldingen som vil vises p spillernes sider.',
'If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.' => 'Hvis en sang ikke har noen albumomslag, vil denne URL-en bli oppfrt i stedet. La st tomt for bruke standard plassholderbilde.',
'If a visitor is not signed in and visits the AzuraCast homepage, you can automatically redirect them to the URL specified here. Leave blank to redirect them to the login screen by default.' => 'Hvis en beskende ikke er logget p og besker AzuraCast-hjemmesiden, kan du automatisk omdirigere dem til URL-en som er spesifisert her. La st tomt for omdirigere dem til ploggingsskjermen som standard.',
'If disabled, the playlist will not be included in radio playback, but can still be managed.' => 'Hvis den er deaktivert, vil ikke spillelisten inkluderes i radioavspilling, men kan fortsatt administreres.',
'If disabled, the station will not broadcast or shuffle its AutoDJ.' => 'Hvis den er deaktivert, vil ikke stasjonen kringkaste eller blande AutoDJ.',
'If enabled, a download button will also be present on the public "On-Demand" page.' => 'Hvis aktivert, vil en nedlastingsknapp ogs vre til stede p den offentlige "On-Demand"-siden.',
'If enabled, AzuraCast will automatically record any live broadcasts made to this station to per-broadcast recordings.' => 'Hvis aktivert, vil AzuraCast automatisk ta opp alle direktesendinger til denne stasjonen til opptak per sending.',
'If enabled, AzuraCast will connect to the MusicBrainz database to attempt to find an ISRC for any files where one is missing. Disabling this may improve performance.' => 'Hvis aktivert, vil AzuraCast koble til MusicBrainz-databasen for forske finne en ISRC for alle filer der en mangler. Deaktivering av dette kan forbedre ytelsen.',
'If enabled, music from playlists with on-demand streaming enabled will be available to stream via a specialized public page.' => 'Hvis aktivert, vil musikk fra spillelister med streaming p foresprsel vre tilgjengelig for strmming via en spesialisert offentlig side.',
'If enabled, streamers (or DJs) will be able to connect directly to your stream and broadcast live music that interrupts the AutoDJ stream.' => 'Hvis aktivert, vil streamere (eller DJ-er) kunne koble seg direkte til strmmen din og kringkaste livemusikk som avbryter AutoDJ-strmmen.',
'If enabled, the AutoDJ on this installation will automatically play music to this mount point.' => 'Hvis aktivert, vil AutoDJ p denne installasjonen automatisk spille musikk til dette monteringspunktet.',
'If enabled, the AutoDJ will automatically play music to this mount point.' => 'Hvis aktivert, vil AutoDJ automatisk spille musikk til dette monteringspunktet.',
'If enabled, this streamer will only be able to connect during their scheduled broadcast times.' => 'Hvis den er aktivert, vil denne streameren kun kunne koble til under de planlagte sendetidene.',
'If requests are enabled for your station, users will be able to request media that is on this playlist.' => 'Hvis foresprsler er aktivert for stasjonen din, vil brukere kunne be om media som er p denne spillelisten.',
'If requests are enabled, this specifies the minimum delay (in minutes) between a request being submitted and being played. If set to zero, a minor delay of 15 seconds is applied to prevent request floods.' => 'Hvis foresprsler er aktivert, spesifiserer dette minimumsforsinkelsen (i minutter) mellom en foresprsel sendes og spilles. Hvis satt til null, brukes en mindre forsinkelse p 15 sekunder for forhindre foresprselsflom.',
'If selected, album art will not display on public-facing radio pages.' => 'Hvis valgt, vil ikke albumgrafikk vises p offentlige radiosider.',
'If selected, this will remove the AzuraCast branding from public-facing pages.' => 'Hvis valgt, vil dette fjerne AzuraCast-merkevaren fra offentlige sider.',
'If the end time is before the start time, the playlist will play overnight.' => 'Hvis slutttiden er fr starttiden, spilles spillelisten av over natten.',
'If the end time is before the start time, the schedule entry will continue overnight.' => 'Hvis slutttiden er fr starttidspunktet, fortsetter planleggingen over natten.',
'If the mountpoint (i.e. /radio.mp3) or Shoutcast SID (i.e. 2) you broadcast to is different from the stream URL, specify the source mount point here.' => 'Hvis monteringspunktet (dvs. /radio.mp3) eller Shoutcast SID (dvs. 2) du kringkaster til er noe annet enn stream URL, spesifiser kildemonteringspunktet her.',
'If the port you broadcast to is different from the stream URL, specify the source port here.' => 'Hvis porten du sender p er forskjellig fra stream URL, angir du kildeporten her.',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => 'Hvis dette festet er standard, vil det spilles av p radioforhndsvisningen og den offentlige radiosiden i dette systemet.',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => 'Hvis dette monteringspunktet ikke spiller av lyd, vil lytterne automatisk bli omdirigert til dette monteringspunktet. Standard er /error.mp3, en gjentatt feilmelding.',
'If this setting is set to "Yes", the browser URL will be used instead of the base URL when it\'s available. Set to "No" to always use the base URL.' => 'Hvis denne innstillingen er satt til "Ja", vil nettleserens URL brukes i stedet for basis-URLen nr den er tilgjengelig. Sett til "Nei" for alltid bruke basis-URLen.',
'If this station has on-demand streaming and downloading enabled, only songs that are in playlists with this setting enabled will be visible.' => 'Hvis denne stasjonen har streaming og nedlasting p foresprsel aktivert, vil bare sanger som er i spillelister med denne innstillingen aktivert vre synlige.',
'If you are broadcasting using AutoDJ, enter the source password here.' => 'Hvis du kringkaster med AutoDJ, skriv inn kildepassordet her.',
'If you are broadcasting using AutoDJ, enter the source username here. This may be blank.' => 'Hvis du kringkaster med AutoDJ, skriv inn kildebrukernavnet her. Dette kan vre tomt.',
'If you\'re experiencing a bug or error, you can submit a GitHub issue using the link below.' => 'Hvis du opplever en feil eller feil, kan du sende inn et GitHub-problem ved bruke lenken nedenfor.',
'If your installation is constrained by CPU or memory, you can change this setting to tune the resources used by Liquidsoap.' => 'Hvis installasjonen din er begrenset av CPU eller minne, kan du endre denne innstillingen for justere ressursene som brukes av Liquidsoap.',
'If your Mastodon username is "@test@example.com", enter "example.com".' => 'Hvis Mastodon-brukernavnet ditt er "@test@example.com", skriv inn "example.com".',
'If your stream is set to advertise to YP directories above, you must specify an authorization hash. You can manage these on the Shoutcast web site.' => 'Hvis strmmen din settes til annonsere til YP-mapper ovenfor, m du angi en autorisasjonshash. Du kan administrere disse p nettstedet Shoutcast.',
'If your streaming software requires a specific mount point path, specify it here. Otherwise, use the default.' => 'Hvis strmmeprogramvaren din krever en bestemt monteringspunktbane, spesifiser den her. Ellers bruker du standarden.',
'If your web hook requires HTTP basic authentication, provide the password here.' => 'Hvis netthooken din krever grunnleggende HTTP-autentisering, oppgi passordet her.',
'If your web hook requires HTTP basic authentication, provide the username here.' => 'Hvis netthooken din krever grunnleggende HTTP-autentisering, oppgi brukernavnet her.',
'Import Changes from CSV' => 'Importer endringer fra CSV',
'Import from PLS/M3U' => 'Importer fra PLS/M3U',
'Import Results' => 'Importer Resultater',
'Important: copy the key below before continuing!' => 'Viktig: kopier nkkelen nedenfor fr du fortsetter!',
'In order to install Shoutcast:' => 'For installere Shoutcast:',
'In order to install Stereo Tool:' => 'For installere Stereo Tool:',
'In order to process quickly, web hooks have a short timeout, so the responding service should be optimized to handle the request in under 2 seconds.' => 'For behandle raskt har webhooks en kort tidsavbrudd, s svartjenesten br optimaliseres for hndtere foresprselen p under 2 sekunder.',
'Include in On-Demand Player' => 'Inkluder i On-Demand Spiller',
'Indefinitely' => 'Uendelig',
'Indicates the presence of explicit content (explicit language or adult content). Apple Podcasts displays an Explicit parental advisory graphic for your episode if turned on. Episodes containing explicit material aren\'t available in some Apple Podcasts territories.' => 'Indikerer tilstedevrelsen av eksplisitt innhold (eksplisitt sprk eller voksent innhold). Apple Podcasts viser en eksplisitt foreldrerdgivningsgrafikk for episoden din hvis den er sltt p. Episoder som inneholder eksplisitt materiale er ikke tilgjengelig i enkelte Apple Podcasts-territorier.',
'Info' => 'Info',
'Information about the current playing track will appear here once your station has started.' => 'Informasjon om gjeldende spillende spor vil vises her nr stasjonen din har startet.',
'Insert' => 'Sett inn',
'Install GeoLite IP Database' => 'Installer GeoLite IP-database',
'Install Shoutcast' => 'Installer Shoutcast',
'Install Shoutcast 2 DNAS' => 'Installer Shoutcast 2 DNAS',
'Install Stereo Tool' => 'Installer Stereo Tool',
'Instructions' => 'Instruksjoner',
'Internal notes or comments about the user, visible only on this control panel.' => 'Interne notater eller kommentarer om brukeren, kun synlig p dette kontrollpanelet.',
'International Standard Recording Code, used for licensing reports.' => 'International Standard Recording Code, brukt for lisensieringsrapporter.',
'Interrupt other songs to play at scheduled time.' => 'Avbryt andre sanger for spille p planlagt tidspunkt.',
'Intro' => 'Introduksjon',
'IP' => 'IP',
'IP Address Source' => 'IP Adresse Kilde',
'IP Geolocation is used to guess the approximate location of your listeners based on the IP address they connect with. Use the free built-in IP Geolocation library or enter a license key on this page to use MaxMind GeoLite.' => 'IP Geolocation brukes til gjette den omtrentlige plasseringen til lytterne dine basert p IP-adressen de kobler til. Bruk det gratis innebygde IP Geolocation-biblioteket eller skriv inn en lisensnkkel p denne siden for bruke MaxMind GeoLite.',
'Is Public' => 'Er Offentlig',
'ISRC' => 'ISRC',
'Items per page' => 'Elementer per side',
'Jingle Mode' => 'Jingle-modus',
'Language' => 'Sprk',
'Last 14 Days' => 'Siste 14 dager',
'Last 2 Years' => 'Siste 2 r',
'Last 24 Hours' => 'Siste 24 timer',
'Last 30 Days' => 'Siste 30 Dager',
'Last 60 Days' => 'Siste 60 Dager',
'Last 7 Days' => 'Siste 7 Dager',
'Last Modified' => 'Sist Endret',
'Last Month' => 'Siste Mned',
'Last Run' => 'Sist Kjrt',
'Last run:' => 'Sist kjrt:',
'Last Year' => 'Siste r',
'Last.fm API Key' => 'Last.fm API-nkkel',
'Latest Update' => 'Siste Oppdatering',
'Learn about Advanced Playlists' => 'Lr om avanserte spillelister',
'Learn More about Post-processing CPU Impact' => 'Lr mer om CPU Innvirkning etter behandling',
'Learn more about release channels in the AzuraCast docs.' => 'Lr mer om utgivelseskanaler i AzuraCast-dokumentene.',
'Learn more about this header.' => 'Finn ut mer om denne overskriften.',
'Leave blank to automatically generate a new password.' => 'La st tomt for automatisk generere et nytt passord.',
'Leave blank to play on every day of the week.' => 'La st tomt for spille p hver dag i uken.',
'Leave blank to use the current password.' => 'La st tomt for bruke gjeldende passord.',
'Leave blank to use the default Telegram API URL (recommended).' => 'La st tomt for bruke standard Telegram API URL (anbefalt).',
'Length' => 'Lengde',
'Let\'s get started by creating your Super Administrator account.' => 'La oss komme i gang ved opprette din Super Administrator-konto.',
'LetsEncrypt' => 'LetsEncrypt',
'LetsEncrypt provides simple, free SSL certificates allowing you to secure traffic through your control panel and radio streams.' => 'LetsEncrypt tilbyr enkel, gratis SSL sertifikater tillater deg sikre trafikk igjennom ditt kontrollpanel og radio strmmer.',
'Light' => 'Lyst',
'Limited' => 'Begrenset',
'LiquidSoap is currently shuffling from %{songs} and %{playlists}.' => 'LiquidSoap blander for yeblikket fra %{songs} og %{playlists}.',
'Liquidsoap Performance Tuning' => 'Flytende spe ytelse Tuning',
'List one IP address or group (in CIDR format) per line.' => 'Oppgi n IP-adresse eller gruppe (i CIDR-format) per linje.',
'List one user agent per line. Wildcards (*) are allowed.' => 'Oppgi n brukeragent per linje. Jokertegn (*) er tillatt.',
'Listener Analytics Collection' => 'Lytter Analyse Samling',
'Listener Gained' => 'Lytter kning',
'Listener History' => 'Lytter Historikk',
'Listener Lost' => 'Lytter Tapt',
'Listener Report' => 'LytteRapport',
'Listener Request' => 'Lytterforesprsel',
'Listeners' => 'Lyttere',
'Listeners by Day' => 'Lyttere etter dag',
'Listeners by Day of Week' => 'Lyttere etter ukedag',
'Listeners by Hour' => 'Lyttere etter time',
'Listeners by Listening Time' => 'Lyttere etter Lyttertid',
'Listeners By Time Period' => 'Lyttere etter Tidsperiode',
'Listeners Per Station' => 'Lyttere per stasjon',
'Listening Time' => 'Lytte Tid',
'Live' => 'Direkte',
'Live Broadcast Recording Bitrate (kbps)' => 'Live kringkasting opptak bitrate (kbps)',
'Live Broadcast Recording Format' => 'Opptaksformat for direktesending',
'Live Listeners' => 'Live-lyttere',
'Live Recordings Storage Location' => 'Lagringssted for liveopptak',
'Live Streamer:' => 'Livestreamer:',
'Live Streamer/DJ Connected' => 'Live Streamer/DJ Tilkoblet',
'Live Streamer/DJ Disconnected' => 'Live Streamer/DJ Frakoblet',
'Live Streaming' => 'Live streaming',
'Load Average' => 'Gj.snittlig belastning',
'Loading' => 'Laster',
'Local' => 'Lokal',
'Local Broadcasting Service' => 'Lokal Kringkastings Tjeneste',
'Local Filesystem' => 'Lokalt Filsystem',
'Local IP (Default)' => 'Lokal IP (Standard)',
'Local Streams' => 'Lokale strmmer',
'Location' => 'Steder',
'Log In' => 'Logg inn',
'Log Output' => 'Logg Utgang',
'Log Viewer' => 'Loggvisning',
'Logs' => 'Logger',
'Logs by Station' => 'Logger etter stasjon',
'Loop Once' => 'Lkke n gang',
'Main Message Content' => 'Hovedmeldingsinnhold',
'Make HLS Stream Default in Public Player' => 'La HLS Stream vre Standard i Offentlig Spiller',
'Make the selected media play immediately, interrupting existing media' => 'Gjr de valgte mediene til spill umiddelbart og avbryt eksisterende media',
'Manage' => 'Administrer',
'Manage Avatar' => 'Administrer Avatar',
'Manage SFTP Accounts' => 'Administrer SFTP-kontoer',
'Manage Stations' => 'Administrer stasjoner',
'Manual AutoDJ Mode' => 'Manuell AutoDJ-modus',
'Manual Updates' => 'Manuelle oppdateringer',
'Manually define how this playlist is used in Liquidsoap configuration.' => 'Definer manuelt hvordan denne spillelisten brukes i Liquidsoap-konfigurasjonen.',
'Markdown' => 'Markdown',
'Master_me is an open-source automatic mastering plugin for streaming, podcasts and Internet radio.' => 'Master_me er en pen kildekode automatisk masterplugin for kringkasting, podcasts og Internett-radio.',
'Master_me Loudness Target (LUFS)' => 'Master_me Loudness Target (LUFS)',
'Master_me Post-processing' => 'Mest_meg Etterbehandling',
'Master_me Preset' => 'Master_me Preset',
'Master_me Project Homepage' => 'Master_meg Prosjektets Hjemmeside',
'Mastodon Account Details' => 'Mastodont Kontodetaljer',
'Mastodon Instance URL' => 'Mastodon Forekomst URL',
'Mastodon Post' => 'Mastodon Postering',
'Matomo Analytics Integration' => 'Matomo Analytics-integrasjon',
'Matomo API Token' => 'Matomo API-token',
'Matomo Installation Base URL' => 'Matomo installasjonsbase URL',
'Matomo Site ID' => 'Matomo nettsteds-ID',
'Max Listener Duration' => 'Maks lyttervarighet',
'Maximum Listeners' => 'Maksimalt antall lyttere',
'Maximum number of total listeners across all streams. Leave blank to use the default.' => 'Maksimalt antall lyttere totalt p tvers av alle strmmer. La st tomt for bruke standard.',
'MaxMind Developer Site' => 'MaxMind utviklerside',
'Measurement ID' => 'Mlings ID',
'Measurement Protocol API Secret' => 'MlingsProtokoll API Hemmelighet',
'Media' => 'Media',
'Media File' => 'Media Fil',
'Media Storage Location' => 'Medie Lagrings Sted',
'Memory' => 'Minne',
'Memory Stats Help' => 'Hjelp for minnestatistikk',
'Merge playlist to play as a single track.' => 'Sl sammen spilleliste for spille av som et enkel lt.',
'Message Body' => 'Meldingsfelt',
'Message Body on Song Change' => 'Meldingstekst p sangendring',
'Message Body on Song Change with Streamer/DJ Connected' => 'Meldingstekst p sang endring med Streamer/DJ Tilkoblet',
'Message Body on Station Offline' => 'Meldingstekst p Stasjon Frakoblet',
'Message Body on Station Online' => 'Meldingstekst p Stasjon Online',
'Message Body on Streamer/DJ Connect' => 'Meldingstekst p Streamer/DJ Tilkobling',
'Message Body on Streamer/DJ Disconnect' => 'Meldingstekst p Streamer/DJ Koblet Fra',
'Message Customization Tips' => 'Tips til tilpasning av meldinger',
'Message parsing mode' => 'Meldingsanalysemodus',
'Message Queues' => 'Meldingsker',
'Message Recipient(s)' => 'Meldingsmottaker(e)',
'Message Subject' => 'Meldingsemne',
'Message Visibility' => 'Meldingssynlighet',
'Microphone' => 'Mikrofon',
'Microphone Source' => 'Mikrofon Kilde',
'Minute of Hour to Play' => 'Minutt av Time Spille',
'Mixer' => 'Mikser',
'Modified' => 'Endret',
'Monday' => 'Mandag',
'More' => 'Mer',
'Most hosting providers will put more Virtual Machines (VPSes) on a server than the hardware can handle when each VM is running at full CPU load. This is called over-provisioning, which can lead to other VMs on the server "stealing" CPU time from your VM and vice-versa.' => 'De fleste vertsleverandrer vil sette flere virtuelle maskiner (VPSer) p en server enn maskinvaren kan hndtere nr hver VM kjrer med full CPU-belastning. Dette kalles over-provisioning, noe som kan fre til at andre VM-er p serveren "stjeler" CPU-tid fra VM-en din og omvendt.',
'Most Played Songs' => 'Mest Spillte Sanger',
'Most Recent Backup Log' => 'Siste sikkerhetskopilogg',
'Mount Name:' => 'Mount navn:',
'Mount Point URL' => 'MonteringsPunkt URL',
'Mount Points' => 'Tilgangspunkter',
'Mount points are how listeners connect and listen to your station. Each mount point can be a different audio format or quality. Using mount points, you can set up a high-quality stream for broadband listeners and a mobile stream for phone users.' => 'Monteringspunkter er hvordan lyttere kobler til og lytter til stasjonen din. Hvert monteringspunkt kan ha et annet lydformat eller -kvalitet. Ved bruke monteringspunkter kan du sette opp en hykvalitetsstrm for bredbndslyttere og en mobilstrm for telefonbrukere.',
'Move' => 'Flytt',
'Move %{ num } File(s) to' => 'Flytt %{ num } fil(er) til',
'Move to Directory' => 'Flytt til katalog',
'Music Files' => 'Musikkfiler',
'Music General' => 'Musikk Generelt',
'Must match new password.' => 'M samsvare med nytt passord.',
'Mute' => 'Demp',
'My Account' => 'Min konto',
'N/A' => 'Ikke tilgjengelig',
'Name' => 'Navn',
'name@example.com' => 'navn@eksempel.no',
'Name/Type' => 'Navn/type',
'Need Help?' => 'Trenger du hjelp?',
'Network Interfaces' => 'Nettverksgrensesnitt',
'Never run' => 'Aldri lp',
'New Directory' => 'Ny katalog',
'New directory created.' => 'Ny katalog opprettet.',
'New File Name' => 'Nytt filnavn',
'New Folder' => 'Ny mappe',
'New Key Generated' => 'Ny nkkel generert',
'New Password' => 'Nytt passord',
'New Playlist' => 'Ny spilleliste',
'New Playlist Name' => 'Nytt spillelistenavn',
'New Station Description' => 'Ny stasjonsbeskrivelse',
'New Station Name' => 'Nytt stasjonsnavn',
'Next Run' => 'Neste kjring',
'No' => 'Nei',
'No AutoDJ Enabled' => 'Ingen AutoDJ Aktivert',
'No files selected.' => 'Ingen filer er valgt.',
'No Limit' => 'Ingen Begrensning',
'No Match' => 'Ingen treff',
'No other program can be using this port. Leave blank to automatically assign a port.' => 'Ingen andre programmer kan bruke denne porten. La st tomt for automatisk tilordne en port.',
'No Post-processing' => 'Ingen Etterbehandling',
'No records to display.' => 'Ingen oppfringer vise.',
'No records.' => 'Ingen oppfringer.',
'None' => 'Ingen',
'Normal Mode' => 'Normal Modus',
'Not Played' => 'Ikke Spilt',
'Not Run' => 'Ikke Kjr',
'Not Running' => 'Kjrer Ikke',
'Not Scheduled' => 'Ikke Planlagt',
'Note that restoring a backup will clear your existing database. Never restore backup files from untrusted users.' => 'Merk at gjenoppretting av en sikkerhetskopi vil tmme den eksisterende databasen. Gjenopprett aldri sikkerhetskopi fra uklarerte brukere.',
'Note that Stereo Tool can be resource-intensive for both CPU and Memory. Please ensure you have sufficient resources before proceeding.' => 'Stereo verkty kan vre ressurskrevende for bde CPU og minne. Vennligst srg for at du har nok ressurser fr du fortsetter.',
'Note: If your media metadata has UTF-8 characters, you should use a spreadsheet editor that supports UTF-8 encoding, like OpenOffice.' => 'Merk: Hvis ditt media metadata har UTF-8 tegn, skal du bruke et regnearkeditor som sttter UTF-8 koding, som OpenOffice.',
'Note: This should be the public-facing homepage of the radio station, not the AzuraCast URL. It will be included in broadcast details.' => 'Merk: Dette br vre den offentlige hjemmesiden til radiostasjonen, ikke AzuraCast-URLen. Det vil bli inkludert i kringkastingsdetaljer.',
'Notes' => 'Merknader',
'Notice' => 'Merknad',
'Now' => 'N',
'Now Playing' => 'Spiller N',
'Now playing on %{ station }:' => 'Spiller n p %{ station }:',
'Now playing on %{ station }: %{ title } by %{ artist } with your host, %{ dj }! Tune in now: %{ url }' => 'Spiller n p %{ station }: %{ title } av %{ artist } med verten din, %{ dj }! Lytt n: %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now: %{ url }' => 'Spiller n p %{ station }: %{ title } av %{ artist }! Still inn n: %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now.' => 'Spiller n p %{ station }: %{ title } av %{ artist }! Still inn n.',
'NowPlaying API Response' => 'NowPlaying API-respons',
'Number of Backup Copies to Keep' => 'Antall sikkerhetskopier beholde',
'Number of Minutes Between Plays' => 'Antall minutter mellom spillinnger',
'Number of seconds to overlap songs.' => 'Antall sekunder for overlappe sanger.',
'Number of Songs Between Plays' => 'Antall sanger mellom spillinnger',
'Number of Visible Recent Songs' => 'Antall synlige nylige sanger',
'On the Air' => 'P lufta',
'On-Demand' => 'P ettersprsel',
'On-Demand Media' => 'On-Demand Media',
'On-Demand Streaming' => 'Ettersprsel Strmming',
'Once per %{minutes} Minutes' => 'En gang per %{minutes} minutter',
'Once per %{songs} Songs' => 'En gang per %{songs} Sanger',
'Once per Hour' => 'En gang i timen',
'Once per Hour (at %{minute})' => 'En gang i Timen (kl. %{minute})',
'Once per x Minutes' => 'En gang per x minutter',
'Once per x Songs' => 'En gang per x sanger',
'Once these steps are completed, enter the "Access Token" from the application\'s page into the field below.' => 'Nr disse trinnene er fullfrt, skriv inn "Access Token" fra applikasjonens side i feltet nedenfor.',
'One important note on I/O Wait is that it can indicate a bottleneck or problem but also may be completely meaningless, depending on the workload and general available resources. A constantly high I/O Wait should prompt further investigation with more sophisticated tools.' => 'En viktig merknad om I/O Wait er at det kan indikere en flaskehals eller et problem, men det kan ogs vre helt meningslst, avhengig av arbeidsmengden og generelle tilgjengelige ressurser. En konstant hy I/O-venting br fre til ytterligere underskelser med mer sofistikerte verkty.',
'Only collect aggregate listener statistics' => 'Samle bare inn samlet lytterstatistikk',
'Only loop through playlist once.' => 'Bare g gjennom spillelisten n gang.',
'Only play one track at scheduled time.' => 'Spill kun ett spor til planlagt tid.',
'Only Post Once Every...' => 'Post Kun En Gang Hver...',
'Operation' => 'Operasjon',
'Optional: HTTP Basic Authentication Password' => 'Valgfritt: HTTP Basic Authentication Password',
'Optional: HTTP Basic Authentication Username' => 'Valgfritt: HTTP Grunnleggende Godkjenning Brukernavn',
'Optional: Request Timeout (Seconds)' => 'Valgfritt: Tidsavbrudd p foresprsler (sekunder)',
'Optionally select an ID3v2 metadata field that, if present, will be used to set this field\'s value.' => 'Velg eventuelt et ID3v2-metadatafelt som, hvis det finnes, skal brukes til angi dette feltets verdi.',
'Optionally specify a short URL-friendly name, such as "my_station_name", that will be used in this station\'s URLs. Leave this field blank to automatically create one based on the station name.' => 'Angi eventuelt et kort URL-vennlig navn, for eksempel "my_station_name", som skal brukes i denne stasjonens URL-er. La dette feltet st tomt for automatisk opprette en basert p stasjonsnavnet.',
'Optionally specify an API-friendly name, such as "field_name". Leave this field blank to automatically create one based on the name.' => 'Angi eventuelt et API-vennlig navn, for eksempel "feltnavn". La dette feltet st tomt for automatisk opprette en basert p navnet.',
'Optionally supply an API token to allow IP address overriding.' => 'Gi eventuelt et API-token for tillate overstyring av IP-adresse.',
'Optionally supply SSH public keys this user can use to connect instead of a password. Enter one key per line.' => 'Eventuelt oppgi offentlige SSH-nkler som denne brukeren kan bruke for koble til i stedet for et passord. Skriv inn n nkkel per linje.',
'or' => 'eller',
'Original Path' => 'Opprinnelig sti',
'Other Remote URL (File, HLS, etc.)' => 'Annen ekstern URL (fil, HLS, etc.)',
'Owner' => 'Eier',
'Page' => 'Side',
'Password' => 'Passord',
'Password:' => 'Passord:',
'Paste the generated license key into the field on this page.' => 'Lim inn den genererte lisensnkkelen i feltet p denne siden.',
'Path/Suffix' => 'Bane/suffiks',
'Pending Requests' => 'Ventende foresprsler',
'Permissions' => 'Rettigheter',
'Play' => 'Spill av',
'Play Now' => 'Spill N',
'Play once every $x minutes.' => 'Spill n gang hvert $x minutt.',
'Play once every $x songs.' => 'Spill en gang for hver $x sang.',
'Play once per hour at the specified minute.' => 'Spill n gang i timen p det angitte minuttet.',
'Playback Queue' => 'Avspillingsk',
'Playing Next' => 'Spiller neste',
'Playlist' => 'Spilleliste',
'Playlist (M3U/PLS) URL' => 'Spilleliste (M3U/PLS) URL',
'Playlist 1' => 'Spilleliste 1',
'Playlist 2' => 'Spilleliste',
'Playlist Name' => 'Spillelistenavn',
'Playlist order set.' => 'Spillelisterekkeflge satt.',
'Playlist queue cleared.' => 'Spillelisteken er tmt.',
'Playlist successfully applied to folders.' => 'Spilleliste lagt til mapper.',
'Playlist Type' => 'Spilleliste type',
'Playlist Weight' => 'Spilleliste vekt',
'Playlist:' => 'Spilleliste:',
'Playlists' => 'Spillelister',
'Playlists cleared for selected files:' => 'Spillelister slettet for valgte filer:',
'Playlists updated for selected files:' => 'Spillelister oppdatert for valgte filer:',
'Plays' => 'Avspillinger',
'Please log in to continue.' => 'Vennligst Logg inn for fortsette.',
'Podcast' => 'Podcast',
'Podcast media should be in the MP3 or M4A (AAC) format for the greatest compatibility.' => 'Podcast-medier br vre i MP3- eller M4A-format (AAC) for best mulig kompatibilitet.',
'Podcast Title' => 'Podcasttittel',
'Podcasts' => 'Podcaster',
'Podcasts Storage Location' => 'Lagringssted for podcaster',
'Port' => 'Port',
'Port:' => 'Havn:',
'Powered by' => 'Drivet med',
'Powered by AzuraCast' => 'Drevet av AzuraCast',
'Prefer Browser URL (If Available)' => 'Foretrekk nettleser-URL (hvis tilgjengelig)',
'Prefer System Default' => 'Foretrekker System Default',
'Previous' => 'Forrige',
'Privacy' => 'Personvern',
'Profile' => 'Profil',
'Programmatic Name' => 'Programmatisk navn',
'Provide a valid license key from Thimeo. Functionality is limited without a license key.' => 'Oppgi en gyldig lisensnkkel fra Thimeo. Funksjonalitet er begrenset uten lisensnkkel.',
'Public' => 'Offentlig',
'Public Page' => 'Offentlig side',
'Public Page Background' => 'Offentlig sidebakgrunn',
'Public Pages' => 'Offentlige sider',
'Publish to "Yellow Pages" Directories' => 'Publiser til "Gule sider"-kataloger',
'Queue' => 'K',
'Queue the selected media to play next' => 'Sett det valgte mediet i k for spille av det neste',
'Radio Player' => 'Radiospiller',
'Radio.de' => 'Radio.de',
'Radio.de API Key' => 'Radio.de API Nkkel',
'Radio.de Broadcast Subdomain' => 'Radio.de Kringkastings underdomene',
'Random' => 'Tilfeldig',
'Ready to start broadcasting? Click to start your station.' => 'Klar til begynne sende? Klikk for starte stasjonen.',
'Received' => 'Mottatt',
'Record Live Broadcasts' => 'Ta opp direktesendinger',
'Recover Account' => 'Gjenopprette kontoen',
'Refresh' => 'Oppdater',
'Refresh rows' => 'Oppdater rader',
'Region' => 'Fylke',
'Relay' => 'Stafett',
'Relay Stream URL' => 'Relstrm URL',
'Release Channel' => 'Slipp kanal',
'Reload' => 'Oppdater',
'Reload Configuration' => 'Last inn konfigurasjon p nytt',
'Reload to Apply Changes' => 'Last inn p nytt for bruke endringer',
'Reloading broadcasting will not disconnect your listeners.' => 'Omlasting av kringkasting vil ikke koble fra lytterne dine.',
'Remember me' => 'Husk meg',
'Remote' => 'Fjern',
'Remote Playback Buffer (Seconds)' => 'Ekstern avspillingsbuffer (sekunder)',
'Remote Relays' => 'Fjernreler',
'Remote relays let you work with broadcasting software outside this server. Any relay you include here will be included in your station\'s statistics. You can also broadcast from this server to remote relays.' => 'Eksterne reler lar deg jobbe med kringkastingsprogramvare utenfor denne serveren. Ethvert rel du inkluderer her vil bli inkludert i stasjonens statistikk. Du kan ogs kringkaste fra denne serveren til eksterne reler.',
'Remote Station Administrator Password' => 'Administratorpassord for ekstern stasjon',
'Remote Station Listening Mountpoint/SID' => 'Fjernstasjons Monteringspunkt/SID for lytting',
'Remote Station Listening URL' => 'Lytteres URL for ekstern stasjon',
'Remote Station Source Mountpoint/SID' => 'Fjernstasjonskilde Mountpoint/SID',
'Remote Station Source Password' => 'Fjernstasjonskildeport',
'Remote Station Source Port' => 'Kildeport for ekstern stasjon',
'Remote Station Source Username' => 'Brukernavn for ekstern stasjonskilde',
'Remote Station Type' => 'Ekstern stasjonstype',
'Remote URL' => 'Ekstern URL',
'Remote URL Playlist' => 'Ekstern URL-spilleliste',
'Remote URL Type' => 'Ekstern URL-type',
'Remote: Dropbox' => 'Dropbox-generert tilgangstoken',
'Remote: S3 Compatible' => 'Kompatibel med din versjon av WordPress',
'Remote: SFTP' => 'Ekstern: SFTP',
'Remove' => 'Fjern',
'Remove Key' => 'Fjern nkkel',
'Rename' => 'Endre navn',
'Rename File/Directory' => 'Gi nytt navn til fil/mappe',
'Reorder' => 'Endre rekkeflge',
'Reorder Playlist' => 'Omorganiser spilleliste',
'Repeat' => 'Gjenta',
'Replace Album Cover Art' => 'Bytt ut albumomslag',
'Reports' => 'Rapporter',
'Reprocess' => 'Bearbeid p nytt',
'Request' => 'Foresprsel',
'Request a Song' => 'Be om en sang',
'Request History' => 'Foresprselshistorikk',
'Request Last Played Threshold (Minutes)' => 'Foresprsel om siste spilte terskel (minutter)',
'Request Minimum Delay (Minutes)' => 'Be om minimumsforsinkelse (minutter)',
'Request Song' => 'Be om sang',
'Requester IP' => 'Anmoder IP',
'Requests' => 'Foresprsler',
'Required' => 'Ndvendig',
'Reshuffle' => 'Omstokke',
'Restart' => 'Start p nytt',
'Restart Broadcasting' => 'Restart Kringkasting',
'Restarting broadcasting will briefly disconnect your listeners.' => 'P nytt vil kringkastingen kort koble fra lytterne dine.',
'Restarting broadcasting will rewrite all configuration files and restart all services.' => 'Ved starte kringkastingen p nytt, vil alle konfigurasjonsfiler bli omskrevet og start alle tjenester p nytt.',
'Restoring Backups' => 'Gjenopprette sikkerhetskopier',
'Reverse Proxy (X-Forwarded-For)' => 'Revers Proxy (X-Forwarded-For)',
'Role Name' => 'Rollenavn',
'Roles' => 'Roller',
'Roles & Permissions' => 'Roller & tillatelser',
'Rolling Release' => 'Rullende Utgivelse',
'RSS Feed' => 'Aktivitet RSS Strm',
'Run Automatic Nightly Backups' => 'Kjr automatiske nattlige sikkerhetskopier',
'Run Manual Backup' => 'Kjr manuell sikkerhetskopiering',
'Run Task' => 'Kjr oppgave',
'Running' => 'Kjrer',
'Sample Rate' => 'Sample Bitrate',
'Saturday' => 'Lrdag',
'Save' => 'Lagre',
'Save and Continue' => 'Lagre og fortsett',
'Save Changes' => 'Lagre endringer',
'Save Changes first' => 'Lagre Endringer frst',
'Schedule' => 'Planlegging',
'Schedule View' => 'Tidsplanvisning',
'Scheduled' => 'Planlagt',
'Scheduled Backup Time' => 'Planlagt sikkerhetskopieringstid',
'Scheduled Play Days of Week' => 'Planlagte spilledager i uken',
'Scheduled playlists and other timed items will be controlled by this time zone.' => 'Planlagte spillelister og andre tidsbestemte elementer vil bli kontrollert av denne tidssonen.',
'Scheduled Time #%{num}' => 'Planlagt tid #%{num}',
'Scheduling' => 'Planlegging',
'Search' => 'Sk',
'Seconds from the start of the song that the AutoDJ should start playing.' => 'Sekunder fra starten av sangen som AutoDJ skulle begynne spille.',
'Seconds from the start of the song that the AutoDJ should stop playing.' => 'Sekunder fra starten av sangen at AutoDJ skulle slutte spille.',
'Secret Key' => 'Hemmelig nkkel',
'Security' => 'Sikkerhet',
'Security & Privacy' => 'Sikkerhet og personvern',
'See the Telegram documentation for more details.' => 'Se Telegram-dokumentasjonen for flere detaljer.',
'See the Telegram Documentation for more details.' => 'Se Telegram-dokumentasjonen for flere detaljer.',
'Seek' => 'Spol',
'Segment Length (Seconds)' => 'Segment Lengde (sekunder)',
'Segments in Playlist' => 'Segmenter i Spilleliste',
'Segments Overhead' => 'Segmenter Overskytende',
'Select' => 'Velg',
'Select a theme to use as a base for station public pages and the login page.' => 'Velg et tema som skal brukes som base for stasjonens offentlige sider og ploggingssiden.',
'Select All Rows' => 'Velg Alle Rader',
'Select an option here to apply post-processing using an easy preset or tool. You can also manually apply post-processing by editing your Liquidsoap configuration manually.' => 'Velg et alternativ her for bruke etterbehandling ved hjelp av et enkelt forhndsinnstilt eller verkty. Du kan ogs bruke etterbehandling manuelt ved redigere din Liquidsoap-konfigurasjon manuelt.',
'Select Configuration File' => 'Velg konfigurasjonsfil',
'Select CSV File' => 'Velg CSV Fil',
'Select Custom Fallback File' => 'Velg Custom Reserve File',
'Select File' => 'Velg Fil',
'Select Intro File' => 'Velg Introfil',
'Select Media File' => 'Velg Mediefil',
'Select PLS/M3U File to Import' => 'Velg PLS/M3U-fil som skal importeres',
'Select PNG/JPG artwork file' => 'Velg PNG/JPG-bildefil',
'Select Row' => 'Velg Rad',
'Select the category/categories that best reflects the content of your podcast.' => 'Velg kategorien/kategoriene som best gjenspeiler innholdet i podcasten din.',
'Select the countries that are not allowed to connect to the streams.' => 'Velg landene som ikke har lov til koble til strmmene.',
'Select Web Hook Type' => 'Velg Web Hook Type',
'Send an e-mail to specified address(es).' => 'Send en e-post til spesifisert(e) adresse(r).',
'Send E-mail' => 'Send E-post',
'Send song metadata changes to %{service}' => 'Send sangmetadata endringer til %{service}',
'Send song metadata changes to %{service}.' => 'Send sangmetadata endringer til %{service}.',
'Send stream listener details to Google Analytics.' => 'Send strmlytterdetaljer til Google Analytics.',
'Send stream listener details to Matomo Analytics.' => 'Send strmlytterdetaljer til Matomo Analytics.',
'Send Test Message' => 'Send testmelding',
'Sender E-mail Address' => 'Avsender e-postadresse',
'Sender Name' => 'Avsenders navn',
'Sequential' => 'Sekvensiell',
'Server Status' => 'Server status',
'Server:' => 'Server:',
'Services' => 'Tjenester',
'Set a maximum disk space that this storage location can use. Specify the size with unit, i.e. "8 GB". Units are measured in 1024 bytes. Leave blank to default to the available space on the disk.' => 'Angi en maksimal diskplass som denne lagringsplassen kan bruke. Angi strrelsen med enhet, dvs. "8 GB". Enheter mles i 1024 byte. La st tomt for standard til tilgjengelig plass p disken.',
'Set as Default Mount Point' => 'Angi som standard monteringspunkt',
'Set cue and fade points using the visual editor. The timestamps will be saved to the corresponding fields in the advanced playback settings.' => 'Angi cue- og fade-punkter ved hjelp av den visuelle editoren. Tidsstemplene vil bli lagret i de tilsvarende feltene i de avanserte avspillingsinnstillingene.',
'Set Cue In' => 'Sett Cue In',
'Set Cue Out' => 'Sett Utfadingspunkt',
'Set Fade In' => 'Sett Fade Inn',
'Set Fade Out' => 'Sett Fade Ut',
'Set longer to preserve more playback history and listener metadata for stations. Set shorter to save disk space.' => 'Still inn lenger for bevare mer avspillingshistorikk og lyttermetadata for stasjoner. Sett kortere for spare diskplass.',
'Set the length of time (seconds) a listener will stay connected to the stream. If set to 0, listeners can stay connected infinitely.' => 'Angi hvor lenge (sekunder) en lytter skal vre koblet til strmmen. Hvis satt til 0, kan lyttere forbli tilkoblet uendelig.',
'Set to * to allow all sources, or specify a list of origins separated by a comma (,).' => 'Sett til * for tillate alle kilder, eller spesifiser en liste over opprinnelser atskilt med komma (,).',
'Settings' => 'Innstillinger',
'Setup instructions for broadcasting software are available on the AzuraCast wiki.' => 'Oppsettinstruksjoner for kringkastingsprogramvare er tilgjengelig p AzuraCast-wikien.',
'SFTP Host' => 'SMTP-Vert',
'SFTP Password' => 'SMTP Passord',
'SFTP Port' => 'SFTP-port',
'SFTP Private Key' => 'Privat SFTP Nkkel',
'SFTP Private Key Pass Phrase' => 'SFTP privat passord uttrykk',
'SFTP Username' => 'SFTP Brukernavn',
'SFTP Users' => 'SFTP-brukere',
'Share Media Storage Location' => 'Del medielagringssted',
'Share Podcasts Storage Location' => 'Del lagringssted for podcaster',
'Share Recordings Storage Location' => 'Del opptaks lagringssted',
'Shoutcast 2 DNAS is not currently installed on this installation.' => 'SHOUTcast 2 DNAS er for yeblikket ikke installert p denne installasjonen.',
'Shoutcast 2 DNAS is not free software, and its restrictive license does not allow AzuraCast to distribute the Shoutcast binary.' => 'SHOUTcast 2 DNAS er ikke gratis programvare, og dens restriktive lisens tillater ikke AzuraCast distribuere SHOUTcast-binren.',
'Shoutcast Clients' => 'Shoutcat Klienter',
'Shoutcast Radio Manager' => 'Shoutcast Radio Manager',
'Shoutcast User ID' => 'Shoutcast Bruker ID',
'Shoutcast version "%{ version }" is currently installed.' => 'Shoutcast versjon "%{ version }" er for yeblikket installert.',
'Show Charts' => 'Vis Lister',
'Show Credentials' => 'Vis innloggingsinformasjon',
'Show HLS Stream on Public Player' => 'Vis HLS Stream p Offentlig spiller',
'Show new releases within your update channel on the AzuraCast homepage.' => 'Vis nye utgivelser i oppdateringskanalen din p AzuraCast-hjemmesiden.',
'Show on Public Pages' => 'Vis p offentlige sider',
'Show the station in public pages and general API results.' => 'Vis stasjonen p offentlige sider og generelle API-resultater.',
'Show Update Announcements' => 'Vis oppdateringskunngjringer',
'Shuffled' => 'Blandet',
'Sidebar' => 'Sidestolpe',
'Sign Out' => 'Logg ut',
'Site Base URL' => 'Nettstedsbase-URL',
'Size' => 'Strrelse',
'Skip Song' => 'Hopp over sangen',
'Skip to main content' => 'Hopp til hovedinnhold',
'Smart Mode' => 'Smart Modus',
'SMTP Host' => 'SMTP-vert',
'SMTP Password' => 'SMTP passord',
'SMTP Port' => 'SMTP-port',
'SMTP Username' => 'SMTP brukernavn',
'Social Media' => 'Sosiale medier',
'Some stream licensing providers may have specific rules regarding song requests. Check your local regulations for more information.' => 'Noen leverandrer av strmlisens kan ha spesifikke regler angende sangforesprsler. Sjekk dine lokale forskrifter for mer informasjon.',
'Song' => 'Sang',
'Song Album' => 'Sangalbum',
'Song Artist' => 'Sangartist',
'Song Change' => 'Sangskifte',
'Song Change (Live Only)' => 'Sangendring (Kun Live)',
'Song Genre' => 'Sangsjanger',
'Song History' => 'Sanghistorie',
'Song Length' => 'Sanglengde',
'Song Lyrics' => 'Sangtekster',
'Song Playback Order' => 'Sangavspillingsrekkeflge',
'Song Playback Timeline' => 'Sang Spilling Tidslinje',
'Song Requests' => 'Sangforesprsler',
'Song Title' => 'Sang tittel',
'Song-based' => 'Sang-baserte',
'Song-Based' => 'Sang-Basert',
'Song-Based Playlist' => 'Sangbasert spilleliste',
'SoundExchange Report' => 'SoundExchange-rapport',
'SoundExchange Royalties' => 'SoundExchange royalties',
'Source' => 'Kilde',
'Space Used' => 'Plass Brukt',
'Specify a mountpoint (i.e. "/radio.mp3") or a Shoutcast SID (i.e. "2") to specify a specific stream to use for statistics or broadcasting.' => 'Spesifiser et monteringspunkt (f.eks. "/radio.mp3") eller en Shoutcast SID (dvs. "2") for spesifisere en spesifikk strm som skal brukes til statistikk eller kringkasting.',
'Specify the minute of every hour that this playlist should play.' => 'Angi minuttet for hver time denne spillelisten skal spilles av.',
'Speech General' => 'Tale Generelt',
'SSH Public Keys' => 'SSH offentlige nkler',
'Stable' => 'Stabil',
'Standard playlist, shuffles with other standard playlists based on weight.' => 'Standard spilleliste, blandes med andre standard spillelister basert p vekt.',
'Start' => 'Start',
'Start Date' => 'Startdato',
'Start Station' => 'Startstasjon',
'Start Streaming' => 'Start streaming',
'Start Time' => 'Starttid',
'Station Directories' => 'Stasjon Mapper',
'Station Disabled' => 'Stasjon deaktivert',
'Station Goes Offline' => 'Stasjonen Gr Av Nettet',
'Station Goes Online' => 'Stasjonen Kommer P Nett',
'Station Media' => 'Stasjons Media',
'Station Name' => 'Stasjons Navn',
'Station Offline' => 'Stasjon Frakoblet',
'Station Offline Display Text' => 'Stasjon frakoblet visningstekst',
'Station Overview' => 'Stasjonsoversikt',
'Station Permissions' => 'Stasjonstillatelser',
'Station Podcasts' => 'Stasjonspodcaster',
'Station Recordings' => 'Stasjonsopptak',
'Station Statistics' => 'Stasjon Statistikk',
'Station Time' => 'Stasjonstid',
'Station Time Zone' => 'Stasjonstidssone',
'Station-Specific Debugging' => 'Stasjonsspesifikk feilsking',
'Station(s)' => 'Stasjon(er)',
'Stations' => 'Stasjoner',
'Stations using Icecast can soft-reload the station configuration, applying changes while keeping the stream broadcast running.' => 'Isecast kan myke omstart av stasjonskonfigurasjonen, ved bruke endringer mens strmkringkastingen utfres.',
'Steal' => 'Stjele',
'Steal (St)' => 'Stjele (St)',
'Step %{step}' => 'Trinn %{step}',
'Step 1: Scan QR Code' => 'Trinn 1: Skann QR-koden',
'Step 2: Verify Generated Code' => 'Trinn 2: Bekreft generert kode',
'Steps for configuring a Mastodon application:' => 'Trinn for konfigurere en Mastodon-applikasjon:',
'Stereo Tool' => 'Stereo Tool',
'Stereo Tool documentation.' => 'Stereo Tool dokumentasjon.',
'Stereo Tool Downloads' => 'Stereo Tool Nedlastinger',
'Stereo Tool is a popular, proprietary tool for software audio processing. Using Stereo Tool, you can customize the sound of your stations using preset configuration files.' => 'Stereo verkty er et populrt og proprietrt verkty for lydbehandling av programvare. Bruk Stereo verkty som du kan tilpasse lyden av stasjonene ved bruke forhndsinnstilte konfigurasjonsfiler.',
'Stereo Tool is an industry standard for software audio processing. For more information on how to configure it, please refer to the' => 'Stereo verkty er en industristandard for lydbehandling av programvare. For mer informasjon om hvordan du konfigurerer det, se den',
'Stereo Tool is not currently installed on this installation.' => 'Stereo Tool er for yeblikket ikke installert p denne installasjonen.',
'Stereo Tool is not free software, and its restrictive license does not allow AzuraCast to distribute the Stereo Tool binary.' => 'Stereo Tool er ikke fri programvare, og den restriktive lisensen tillater ikke AzuraCast distribuere Stereo Tool binr.',
'Stereo Tool version %{ version } is currently installed.' => 'Stereo Tool versjon %{ version } er for yeblikket installert.',
'Stop' => 'Stopp',
'Stop Streaming' => 'Stopp streaming',
'Storage Adapter' => 'Lagringsadapter',
'Storage Location' => 'Lagringsplass',
'Storage Locations' => 'Lagringssteder',
'Storage Quota' => 'Lagringskvote',
'Stream' => 'Strm',
'Streamer Broadcasts' => 'Streamer-sendinger',
'Streamer Display Name' => 'Visningsnavn p streameren',
'Streamer password' => 'Streamer-passord',
'Streamer Username' => 'Streamer brukernavn',
'Streamer/DJ' => 'Strmmer/DJ',
'Streamer/DJ Accounts' => 'Radioverter/DJ-kontoer',
'Streamers/DJs' => 'Streamere/DJer',
'Streams' => 'Strmmer',
'Submit Code' => 'Send',
'Sunday' => 'Sndag',
'Support Documents' => 'Hjelpe Dokumenter',
'Supported file formats:' => 'Stttede filformater:',
'Switch Theme' => 'Bytt tema',
'Synchronization Tasks' => 'Synkroniseringsoppgaver',
'System Administration' => 'Systemadministrasjon',
'System Debugger' => 'Systemfeilsker',
'System Logs' => 'Systemlogger',
'System Maintenance' => 'System vedlikehold',
'System Settings' => 'Systeminnstillinger',
'Target' => 'Ml',
'Task Name' => 'Oppgavens navn',
'Telegram Chat Message' => 'Telegram Chat-melding',
'Test' => 'Test',
'Test message sent.' => 'Testmelding sendt.',
'Thanks for listening to %{ station }!' => 'Takk for at du lytter til %{ station }!',
'The amount of memory Linux is using for disk caching.' => 'Mengden minne Linux bruker for diskbufring.',
'The average target loudness (measured in LUFS) for the broadcasted stream. Values between -14 and -18 LUFS are common for Internet radio stations.' => 'Den gjennomsnittlige mlverdien for hytheten (mlt i LUFS) for den kringkastede strmmen. Verdier mellom -14 og -18 LUFS er vanlig for Internett-radiotestasjoner.',
'The base URL where this service is located. Use either the external IP address or fully-qualified domain name (if one exists) pointing to this server.' => 'Grunnadressen der denne tjenesten er plassert. Bruk enten den eksterne IP-adressen eller det fullt kvalifiserte domenenavnet (hvis det finnes) som peker til denne serveren.',
'The body of the POST message is the exact same as the NowPlaying API response for your station.' => 'Brdteksten i POST-meldingen er nyaktig den samme som NowPlaying API-svaret for stasjonen din.',
'The contact person of the podcast. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => 'Podcastens kontaktperson. Kan vre ndvendig for vise podcasten p tjenester som Apple Podcasts, Spotify, Google Podcasts, etc.',
'The current CPU usage including I/O Wait and Steal.' => 'Gjeldende CPU-bruk inkludert I/O-vent og stjel.',
'The current Memory usage excluding cached memory.' => 'Gjeldende minnebruk unntatt bufret minne.',
'The description of the episode. The typical maximum amount of text allowed for this is 4000 characters.' => 'Beskrivelsen av episoden. Den typiske maksimale tekstmengden tillatt for dette er 4000 tegn.',
'The description of your podcast. The typical maximum amount of text allowed for this is 4000 characters.' => 'Beskrivelsen av podcasten din. Den typiske maksimale tekstmengden tillatt for dette er 4000 tegn.',
'The display name assigned to this mount point when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Visningsnavnet som er tildelt dette monteringspunktet nr det vises p administrative eller offentlige sider. La st tomt for generere en automatisk.',
'The display name assigned to this relay when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Visningsnavnet som er tildelt dette relet nr det vises p administrative eller offentlige sider. La st tomt for generere en automatisk.',
'The editable text boxes are areas where you can insert custom configuration code. The non-editable sections are automatically generated by AzuraCast.' => 'De redigerbare tekstboksene er omrder der du kan sette inn egendefinert konfigurasjonskode. De ikke-redigerbare delene genereres automatisk av AzuraCast.',
'The email of the podcast contact. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => 'E-postadressen til podcastkontakten. Kan vre ndvendig for vise podcasten p tjenester som Apple Podcasts, Spotify, Google Podcasts, etc.',
'The file name should look like:' => 'Filnavnet skal se slik ut:',
'The format and headers of this CSV should match the format generated by the export function on this page.' => 'Formatet og overskriftene i dette CSV skal samsvare med formatet generert av eksportfunksjonen p denne siden.',
'The full base URL of your Matomo installation.' => 'Den fullstendige basis-URLen til din Matomo-installasjon.',
'The full playlist is shuffled and then played through in the shuffled order.' => 'Den fullstendige spillelisten stokkes og spilles deretter av i tilfeldig rekkeflge.',
'The I/O Wait is the percentage of time that the CPU is waiting for disk access before it can continue the work that depends on the result of this.' => 'I/O-ventingen er prosentandelen av tiden CPUen venter p disktilgang fr den kan fortsette arbeidet som avhenger av resultatet av dette.',
'The language spoken on the podcast.' => 'Sprket som snakkes p podcasten.',
'The length of playback time that Liquidsoap should buffer when playing this remote playlist. Shorter times may lead to intermittent playback on unstable connections.' => 'Lengden p avspillingstid som Liquidsoap skal bufre nr du spiller denne eksterne spillelisten. Kortere tider kan fre til avbrudd avspilling p ustabile tilkoblinger.',
'The number of seconds of signal to store in case of interruption. Set to the lowest value that your DJs can use without stream interruptions.' => 'Antall sekunder signal som skal lagres i tilfelle avbrudd. Sett til den laveste verdien DJ-ene dine kan bruke uten strmavbrudd.',
'The number of seconds to wait for a response from the remote server before cancelling the request.' => 'Antall sekunder vente p et svar fra tjeneren fr du avbryter foresprselen.',
'The numeric site ID for this site.' => 'Den numeriske nettsteds-IDen for dette nettstedet.',
'The order of the playlist is manually specified and followed by the AutoDJ.' => 'Rekkeflgen p spillelisten spesifiseres manuelt og etterflges av AutoDJ.',
'The parent directory where station playlist and configuration files are stored. Leave blank to use default directory.' => 'Den overordnede mappen der spilleliste og konfigurasjonsfiler er lagret. Legg tomt for bruke standardmappe.',
'The relative path of the file in the station\'s media directory.' => 'Den relative banen til filen i stasjonens mediekatalog.',
'The station ID will be a numeric string that starts with the letter S.' => 'Stasjons-ID-en vil vre en numerisk streng som begynner med bokstaven S.',
'The streamer will use this password to connect to the radio server.' => 'Streameren vil bruke dette passordet for koble til radioserveren.',
'The streamer will use this username to connect to the radio server.' => 'Streameren vil bruke dette brukernavnet for koble til radioserveren.',
'The time period that the song should fade in. Leave blank to use the system default.' => 'Tidsperioden som sangen skal tone inn. La st tomt for bruke systemstandarden.',
'The time period that the song should fade out. Leave blank to use the system default.' => 'Tidsperioden som sangen skal tone ut. La st tomt for bruke systemstandarden.',
'The URL that will receive the POST messages any time an event is triggered.' => 'URL-en som vil motta POST-meldingene hver gang en hendelse utlses.',
'The volume in decibels to amplify the track with. Leave blank to use the system default.' => 'Volumet i desibel for forsterke sporet med. La st tomt for bruke systemstandarden.',
'The WebDJ lets you broadcast live to your station using just your web browser.' => 'Med WebDJ kan du sende live til stasjonen din med bare nettleseren din.',
'Theme' => 'Tema',
'There is no existing custom fallback file associated with this station.' => 'Det er ingen eksisterende tilpasset reservefil knyttet til denne stasjonen.',
'There is no existing intro file associated with this mount point.' => 'Det er ingen eksisterende introfil knyttet til dette monteringspunktet.',
'There is no existing media associated with this episode.' => 'Det er ingen eksisterende medier knyttet til denne episoden.',
'There is no Stereo Tool configuration file present.' => 'Det finnes ingen Stereo Tool konfigurasjonsfil lastet opp.',
'This account will have full access to the system, and you\'ll automatically be logged in to it for the rest of setup.' => 'Denne kontoen vil ha full tilgang til systemet, og du logges automatisk p den for resten av oppsettet.',
'This can be generated in the "Events" section for a measurement.' => 'Dette kan genereres i seksjonen "hendelser" for en mling.',
'This can be retrieved from the GetMeRadio dashboard.' => 'Denne kan hentes fra dashbordet i GetMeRadio.',
'This can make it look like your memory is low while it actually is not. Some monitoring solutions/panels include cached memory in their used memory statistics without indicating this.' => 'Dette kan f det til se ut som om hukommelsen din er lav mens den faktisk ikke er det. Noen overvkingslsninger/paneler inkluderer bufret minne i sin brukte minnestatistikk uten indikere dette.',
'This code will be included in the frontend configuration. Allowed formats are:' => 'Denne koden vil bli inkludert i frontend-konfigurasjonen. Tillatte formater er:',
'This configuration file should be a valid .sts file exported from Stereo Tool.' => 'Denne konfigurasjonsfilen skal vre et gyldig .sts fil eksportert fra Stereo Tool.',
'This CSS will be applied to the main management pages, like this one.' => 'Denne CSS-en vil bli brukt p hovedadministrasjonssidene, som denne.',
'This CSS will be applied to the station public pages and login page.' => 'Denne CSS-en vil bli brukt p stasjonens offentlige sider og ploggingssiden.',
'This CSS will be applied to the station public pages.' => 'Denne CSS-en vil bli brukt p stasjonens offentlige sider og ploggingssiden.',
'This determines how many songs in advance the AutoDJ will automatically fill the queue.' => 'Dette bestemmer hvor mange sanger p forhnd AutoDJ-en automatisk fyller ken med musikk.',
'This feature requires the AutoDJ feature to be enabled.' => 'Denne funksjonen krever at AutoDJ-funksjonen er aktivert.',
'This field is required.' => 'Dette feltet er obligatorisk.',
'This field must be a valid decimal number.' => 'Dette feltet m vre et gyldig desimaltall.',
'This field must be a valid e-mail address.' => 'Dette feltet m vre en gyldig e-postadresse.',
'This field must be a valid integer.' => 'Dette feltet m vre et gyldig heltall.',
'This field must be a valid IP address.' => 'Dette feltet m vre en gyldig IP-adresse.',
'This field must be a valid URL.' => 'Dette feltet m vre en gyldig URL.',
'This field must be between %{ min } and %{ max }.' => 'Dette feltet m vre mellom %{ min } og %{ max }.',
'This field must have at least %{ min } letters.' => 'Dette feltet m ha minst %{ min } bokstaver.',
'This field must have at most %{ max } letters.' => 'Dette feltet m ha maksimalt %{ max } bokstaver.',
'This field must only contain alphabetic characters.' => 'Dette feltet m kun inneholde alfabetiske tegn.',
'This field must only contain alphanumeric characters.' => 'Dette feltet m kun inneholde alfanumeriske tegn.',
'This field must only contain numeric characters.' => 'Dette feltet m bare inneholde numeriske tegn.',
'This file will be played on your radio station any time no media is scheduled to play or a critical error occurs that interrupts regular broadcasting.' => 'Denne filen vil bli spilt av p radiostasjonen din nr som helst ingen medier er planlagt spille av eller det oppstr en kritisk feil som avbryter vanlig kringkasting.',
'This image will be used as the default album art when this streamer is live.' => 'Dette bildet vil bli brukt som standard albumgrafikk nr denne streamer er direkte.',
'This introduction file should exactly match the bitrate and format of the mount point itself.' => 'Denne introduksjonsfilen skal samsvare nyaktig med bithastigheten og formatet til selve monteringspunktet.',
'This is a 3-5 digit number.' => 'Dette er et 3-5 sifret tall.',
'This is an advanced feature and custom code is not officially supported by AzuraCast. You may break your station by adding custom code, but removing it should fix any issues.' => 'Dette er en avansert funksjon og tilpasset kode stttes ikke offisielt av AzuraCast. Du kan delegge stasjonen din ved legge til egendefinert kode, men fjerne den burde lse eventuelle problemer.',
'This is the informal display name that will be shown in API responses if the streamer/DJ is live.' => 'Dette er det uformelle visningsnavnet som vises i API-svar hvis streameren/DJ-en er live.',
'This is the number of seconds until a streamer who has been manually disconnected can reconnect to the stream. Set to 0 to allow the streamer to immediately reconnect.' => 'Dette er antall sekunder fr en streamer som har blitt koblet fra manuelt kan koble seg til strmmen igjen. Sett til 0 for la streameren umiddelbart koble til igjen.',
'This javascript code will be applied to the station public pages and login page.' => 'Denne javascript-koden vil bli brukt p stasjonens offentlige sider og ploggingssiden.',
'This javascript code will be applied to the station public pages.' => 'Denne javascript-koden vil bli brukt p stasjonens offentlige sider og ploggingssiden.',
'This mode disables AzuraCast\'s AutoDJ management, using Liquidsoap itself to manage song playback. "next song" and some other features will not be available.' => 'Denne modusen deaktiverer AzuraCasts AutoDJ-administrasjon ved bruke selve Liquidsoap til administrere sangavspilling. "Neste sang" og noen andre funksjoner vil ikke vre tilgjengelige.',
'This Month' => 'Denne Mneden',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => 'Dette navnet skal alltid begynne med en skrstrek (/), og m vre en gyldig URL, for eksempel /autodj.mp3',
'This name will appear as a sub-header next to the AzuraCast logo, to help identify this server.' => 'Dette navnet vil vises som en underoverskrift ved siden av AzuraCast-logoen, for hjelpe med identifisere denne serveren.',
'This page lists all API keys assigned to all users across the system. To manage your own API keys, visit your account profile.' => 'Denne siden viser alle API-nkler som er tilordnet alle brukere p tvers av systemet. For administrere dine egne API-nkler, besk kontoprofilen din.',
'This password is too common or insecure.' => 'Dette passordet er for vanlig eller usikkert.',
'This playlist currently has no scheduled times. It will play at all times. To add a new scheduled time, click the button below.' => 'Denne spillelisten har for yeblikket ingen planlagte tider. Den vil spille til enhver tid. For legge til et nytt planlagt tidspunkt, klikk p knappen nedenfor.',
'This playlist will play every $x minutes, where $x is specified here.' => 'Denne spillelisten spilles av hvert $x minutt, hvor $x er spesifisert her.',
'This playlist will play every $x songs, where $x is specified here.' => 'Denne spillelisten vil spille av hver $x sang, der $x er spesifisert her.',
'This port is not used by any external process. Only modify this port if the assigned port is in use. Leave blank to automatically assign a port.' => 'Denne porten brukes ikke av noen ekstern prosess. Endre denne porten kun hvis den tilordnede porten er i bruk. La st tomt for automatisk tilordne en port.',
'This queue contains the remaining tracks in the order they will be queued by the AzuraCast AutoDJ (if the tracks are eligible to be played).' => 'Denne ken inneholder de gjenvrende sporene i den rekkeflgen de vil bli satt i k av AzuraCast AutoDJ (hvis sporene er kvalifisert til spilles av).',
'This service can provide album art for tracks where none is available locally.' => 'Denne tjenesten kan tilby albumgrafikk for spor der ingen er tilgjengelig lokalt.',
'This software is traditionally used to deliver your broadcast to your listeners. You can still broadcast remotely or via HLS if this service is disabled.' => 'Denne programvaren brukes tradisjonelt til levere din kringkasting til dine lyttere. Du kan fortsatt sende eksternt eller via HLS hvis denne tjenesten er deaktivert.',
'This software shuffles from playlists of music constantly and plays when no other radio source is available.' => 'Denne programvaren blander seg konstant fra spillelister med musikk og spilles av nr ingen annen radiokilde er tilgjengelig.',
'This specifies the minimum time (in minutes) between a song playing on the radio and being available to request again. Set to 0 for no threshold.' => 'Dette spesifiserer minimumstiden (i minutter) mellom en sang som spilles av p radioen og den er tilgjengelig for foresprsel p nytt. Sett til 0 for ingen terskel.',
'This specifies the time range (in minutes) of the song history that the duplicate song prevention algorithm should take into account.' => 'Dette spesifiserer tidsintervallet (i minutter) for sanghistorikken som algoritmen for dupliserte sangforebygging skal ta hensyn til.',
'This station\'s time zone is currently %{tz}.' => 'Denne stasjonens tidssone er for yeblikket %{tz}.',
'This streamer is not scheduled to play at any times.' => 'Denne streameren skal ikke spilles nr som helst.',
'This URL is provided within the Discord application.' => 'Denne URL-en er gitt i Discord-applikasjonen.',
'This web hook is no longer supported. Removing it is recommended.' => 'Denne webkroken stttes ikke lenger. Fjerning av den anbefales.',
'This web hook will only run when the selected event(s) occur on this specific station.' => 'Denne nettkroken vil bare kjre nr den(e) valgte hendelsen(e) skjer p denne spesifikke stasjonen.',
'This will be shown on public player pages if the station is offline. Leave blank to default to a localized version of "%{message}".' => 'Dette vil bli vist p offentlige spillersider hvis stasjonen er frakoblet. La st tomt som standard nr den lokaliserte versjonen av "%{message}".',
'This will be used as the label when editing individual songs, and will show in API results.' => 'Dette vil bli brukt som etikett nr du redigerer individuelle sanger, og vil vises i API-resultater.',
'This will clear any pending unprocessed messages in all message queues.' => 'Dette vil fjerne alle ventende ubehandlede meldinger i alle meldingsker.',
'This will produce a significantly smaller backup, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => 'Dette vil gi en betydelig mindre sikkerhetskopi, men du br srge for sikkerhetskopiere mediene andre steder. Merk at kun lokalt lagrede medier vil bli sikkerhetskopiert.',
'Thumbnail Image URL' => 'Miniatyrbilde URL',
'Thursday' => 'Torsdag',
'Time' => 'Tid',
'Time (sec)' => 'Tid (sek)',
'Time Display' => 'Tidsvisning',
'Time spent waiting for disk I/O to be completed.' => 'Tid brukt p vente p at disk I/O skal fullfres.',
'Time stolen by other virtual machines on the same physical server.' => 'Tid stjlet av andre virtuelle maskiner p samme fysiske server.',
'Time Zone' => 'Tidssone',
'Title' => 'Tittel',
'To alleviate this potential problem with shared CPU resources, hosts assign "credits" to a VPS which are used up according to an algorithm based on the CPU load as well as the time over which the CPU load is generated. If your VM\'s assigned credit is used up, they will take CPU time from your VM and assign it to other VMs on the machine. This is seen as the "Steal" or "St" value.' => 'For lindre dette potensielle problemet med delte CPU-ressurser, tildeler verter "kreditter" til en VPS som brukes opp i henhold til en algoritme basert p CPU-belastningen samt tiden som CPU-belastningen genereres over. Hvis VM-ens tildelte kreditt er brukt opp, vil de ta CPU-tid fra VM-en og tildele den til andre VM-er p maskinen. Dette blir sett p som "Stjele"- eller "St"-verdien.',
'To customize installation settings, or if automatic updates are disabled, you can follow our standard update instructions to update via your SSH console.' => 'For tilpasse installasjonsinnstillinger, eller dersom automatiske oppdateringer er deaktivert, kan du flge vre standard oppdateringsinstruksjoner for oppdatere via SSH-konsollen din.',
'To download the GeoLite database:' => 'For laste ned GeoLite-databasen:',
'To play once per day, set the start and end times to the same value.' => 'For spille en gang per dag, sett start- og sluttid til samme verdi.',
'To restore a backup from your host computer, run:' => 'For gjenopprette en sikkerhetskopi fra vertsdatamaskinen, kjr:',
'To retrieve detailed unique listeners and client details, an administrator password is often required.' => 'For hente detaljerte unike lyttere og klientdetaljer, kreves ofte et administratorpassord.',
'To set this schedule to run only within a certain date range, specify a start and end date.' => 'For angi at denne tidsplanen bare skal kjre innenfor en bestemt datoperiode, spesifiser en start- og sluttdato.',
'To use this feature, a secure (HTTPS) connection is required. Firefox is recommended to avoid static when broadcasting.' => 'For bruke denne funksjonen anbefales en sikker (HTTPS) tilkobling ndvendig. Firefox anbefales unng statisk nr du kringkaster.',
'To verify that the code was set up correctly, enter the 6-digit code the app shows you.' => 'For bekrefte at koden ble satt opp riktig, skriv inn den 6-sifrede koden appen viser deg.',
'Today' => 'I dag',
'Toggle Menu' => 'Veksle brukermeny',
'Toggle Sidebar' => 'Toggle sidepanel',
'Top Browsers by Connected Time' => 'Topp Nettlesere etter Tilkoblet Tid',
'Top Browsers by Listeners' => 'Topp Nettlesere etter Lyttere',
'Top Countries by Connected Time' => 'Topp Land etter Tilkoblet Tid',
'Top Countries by Listeners' => 'Best Land etter Antall Lyttere',
'Top Streams by Connected Time' => 'Topp Strmninger etter Tilkoblet Tid',
'Top Streams by Listeners' => 'Topp strmmer etter Antall Lyttere',
'Total Disk Space' => 'Total diskplass',
'Total Listener Hours' => 'Totalt antall lyttertimer',
'Total RAM' => 'Totalt RAM',
'Transmitted' => 'Overfrt',
'Triggers' => 'Trigger',
'Tuesday' => 'Tirsdag',
'TuneIn AIR' => 'TuneIn AIR',
'TuneIn Partner ID' => 'TuneIn-partner-ID',
'TuneIn Partner Key' => 'TuneIn-partnernkkel',
'TuneIn Station ID' => 'TuneIn-stasjons-ID',
'Two-Factor Authentication' => 'Totrinnsverifisering',
'Two-factor authentication improves the security of your account by requiring a second one-time access code in addition to your password when you log in.' => 'Tofaktorautentisering forbedrer sikkerheten til kontoen din ved kreve en andre engangstilgangskode i tillegg til passordet ditt nr du logger p.',
'Typically a website with content about the episode.' => 'Vanligvis en nettside med innhold om episoden.',
'Typically the home page of a podcast.' => 'Vanligvis hjemmesiden til en podcast.',
'Unable to update.' => 'Kan ikke oppdatere.',
'Unassigned Files' => 'Ikke-tildelte filer',
'Uninstall' => 'Avinstaller',
'Unique' => 'Unike',
'Unique identifier for the target chat or username of the target channel (in the format @channelusername).' => 'Unik identifikator for mlchatten eller brukernavnet til mlkanalen (i formatet @channelusername).',
'Unique Listeners' => 'Unike lyttere',
'Unknown' => 'Ukjent',
'Unknown Artist' => 'Ukjent artist',
'Unknown Title' => 'Ukjent tittel',
'Unlisted' => 'Uoppfrt',
'Unmute' => 'Sl p lyd',
'Unprocessable Files' => 'Ubearbeidbare filer',
'Unselect All Rows' => 'Avvelg alle rader',
'Unselect Row' => 'Avvelg rad',
'Upcoming Song Queue' => 'Kommende sangk',
'Update' => 'Oppdater',
'Update AzuraCast' => 'Oppdater AzuraCast',
'Update AzuraCast via Web' => 'Oppdater AzuraCast via Web',
'Update AzuraCast? Your installation will restart.' => 'Oppdatere AzuraCast? Installasjonen vil starte p nytt.',
'Update Details' => 'Oppdateringsdetaljer',
'Update Instructions' => 'Oppdateringsinstruksjoner',
'Update Metadata' => 'Oppdater metadata',
'Update started. Your installation will restart shortly.' => 'Oppdatering startet. Installasjonen vil starte p nytt snart.',
'Update Station Configuration' => 'Oppdater stasjonskonfigurasjon',
'Update via Web' => 'Oppdater via Web',
'Updated' => 'Oppdatert',
'Updated successfully.' => 'Oppdatering vellykket.',
'Upload a Stereo Tool configuration file from the "Broadcasting" submenu in the station profile.' => 'Last opp en Stereo Tool konfigurasjonsfil fra "Broadcasting" undermenyen p stasjons profilen.',
'Upload Custom Assets' => 'Last opp egendefinerte ressurser',
'Upload Stereo Tool Configuration' => 'Last opp Stereo Tool konfigurasjon',
'Upload the file on this page to automatically extract it into the proper directory.' => 'Last opp filen p denne siden for automatisk pakke den ut i riktig katalog.',
'URL' => 'Nettadresse',
'URL Stub' => 'URL Stubb',
'Use' => 'Bruk',
'Use (Us)' => 'Bruk (oss)',
'Use API keys to authenticate with the AzuraCast API using the same permissions as your user account.' => 'Bruk API-nkler for autentisere med AzuraCast API ved bruke de samme tillatelsene som brukerkontoen din.',
'Use Browser Default' => 'Bruk nettleserstandard',
'Use High-Performance Now Playing Updates' => 'Bruk High-Performance Now Playing Updates',
'Use Icecast 2.4 on this server.' => 'Bruk Icecast 2.4 p denne serveren.',
'Use Less CPU (Uses More Memory)' => 'Bruk mindre CPU (bruker mer minne)',
'Use Less Memory (Uses More CPU)' => 'Bruk mindre minne (bruker mer CPU)',
'Use Liquidsoap on this server.' => 'Bruk Liquidsoap p denne serveren.',
'Use Path Instead of Subdomain Endpoint Style' => 'Bruk sti i stedet for Endepunktstil for underdomene',
'Use Secure (TLS) SMTP Connection' => 'Bruk sikker (TLS) SMTP-tilkobling',
'Use Shoutcast DNAS 2 on this server.' => 'Bruk SHOUTcast DNAS 2 p denne serveren.',
'Use the Telegram Bot API to send a message to a channel.' => 'Bruk Telegram Bot API for sende en melding til en kanal.',
'Use Web Proxy for Radio' => 'Bruk nettproxy for radio',
'Used' => 'Brukt',
'Used for "Forgot Password" functionality, web hooks and other functions.' => 'Brukes til "Glemt passord"-funksjonalitet, webhooks og andre funksjoner.',
'User' => 'Bruker',
'User Accounts' => 'Brukerkontoer',
'User Agent' => 'Bruker agent',
'User Name' => 'Brukernavn',
'User Permissions' => 'Bruker Rettigheter',
'Username' => 'Brukernavn',
'Username:' => 'Brukernavn:',
'Users' => 'Brukere',
'Users with this role will have these permissions across the entire installation.' => 'Brukere med denne rollen vil ha disse tillatelsene p tvers av hele installasjonen.',
'Users with this role will have these permissions for this single station.' => 'Brukere med denne rollen vil ha disse tillatelsene for denne enkeltstasjonen.',
'Uses either Websockets, Server-Sent Events (SSE) or static JSON files to serve Now Playing data on public pages. This improves performance, especially with large listener volume. Disable this if you are encountering problems with the service or use multiple URLs to serve your public pages.' => 'Bruker enten Websockets, Server-Sendte hendelser (SSE) eller statiske JSON-filer som brukes for spille data p offentlige sider. Dette forbedrer ytelsen, spesielt med stort volum av lyttere. Deaktiver dette dersom du mter problemer med tjenesten eller bruk flere nettadresser til betjene dine offentlige sider.',
'Using this page, you can customize several sections of the Liquidsoap configuration. This allows you to add advanced functionality to your station\'s AutoDJ.' => 'Ved bruke denne siden kan du tilpasse flere deler av Liquidsoap-konfigurasjonen. Dette lar deg legge til avansert funksjonalitet til stasjonens AutoDJ.',
'Usually enabled for port 465, disabled for ports 587 or 25.' => 'Vanligvis aktivert for port 465, deaktivert for port 587 eller 25.',
'Variables are in the form of: ' => 'Variabler er i form av: ',
'View' => 'Vis',
'View Fullscreen' => 'Vis fullskjerm',
'View Listener Report' => 'Vis lytterrapport',
'View Profile' => 'Vis profil',
'View tracks in playlist' => 'Se spor i spillelisten',
'Visit the Dropbox App Console:' => 'Besk Dropbox appkonsollen:',
'Visit the link below to sign in and generate an access code:' => 'Besk lenken nedenfor for logge p og generere en tilgangskode:',
'Visit your Mastodon instance.' => 'Besk din Mastadon-forekomsten din.',
'Visual Cue Editor' => 'Visuel Mikse Editor',
'Volume' => 'Volum',
'Wait' => 'Vent',
'Wait (Wa)' => 'Vent (Wa)',
'Warning' => 'Advarsel',
'Waveform Zoom' => 'Blgeform zoom',
'Web DJ' => 'Web DJ',
'Web Hook Details' => 'Web Hook detaljer',
'Web Hook Name' => 'Navn p nettkrok',
'Web Hook Triggers' => 'Web Hook Triggere',
'Web Hook URL' => 'Web Hook lenke',
'Web Hooks' => 'Web Kroker',
'Web hooks automatically send a HTTP POST request to the URL you specify to notify it any time one of the triggers you specify occurs on your station.' => 'Webhooks sender automatisk en HTTP POST-foresprsel til URL-en du angir for varsle den hver gang en av utlserne du spesifiserer oppstr p stasjonen din.',
'Web hooks let you connect to external web services and broadcast changes to your station to them.' => 'Webhooks lar deg koble til eksterne nettjenester og kringkaste endringer til stasjonen din til dem.',
'Web Site URL' => 'Nettsideadresse',
'Web updates are not available for your installation. To update your installation, perform the manual update process instead.' => 'Nettoppdateringer er ikke tilgjengelig for installasjonen. For oppdatere installasjonen, utfr den manuelle oppdateringen i stedet.',
'WebDJ' => 'WebDJ',
'WebDJ connected!' => 'WebDJ tilkoblet!',
'Website' => 'Nettsted',
'Wednesday' => 'Onsdag',
'Welcome to AzuraCast!' => 'Velkommen til AzuraCast!',
'Welcome!' => 'Velkommen!',
'When making API calls, you can pass this value in the "X-API-Key" header to authenticate as yourself.' => 'Nr du foretar API-kall, kan du sende denne verdien i "X-API-Key"-overskriften for autentisere som deg selv.',
'When the song changes and a live streamer/DJ is connected' => 'Nr sangen endres og live streamer/DJ er tilkoblet',
'When the station broadcast comes online' => 'Nr stasjonssendingen kommer p nett',
'When the station broadcast goes offline' => 'Nr stasjonens sending gr offline',
'Whether the AutoDJ should attempt to avoid duplicate artists and track titles when playing media from this playlist.' => 'Om AutoDJ br forske unng dupliserte artister og sportitler nr du spiller av medier fra denne spillelisten.',
'Widget Type' => 'Widgettype',
'Worst Performing Songs' => 'Drligste sanger',
'Yes' => 'Ja',
'Yesterday' => 'I gr',
'You' => 'Du',
'You can also upload files in bulk via SFTP.' => 'Du kan ogs laste opp filer i bulk via SFTP.',
'You can find answers for many common questions in our support documents.' => 'Du finner svar p mange vanlige sprsml i vrt support-dokument.',
'You can include any special mount point settings here, in either JSON { key: \'value\' } format or XML <key>value</key>' => 'Du kan inkludere eventuelle spesielle monteringspunktinnstillinger her, enten i JSON { key: \'value\' }-format eller XML<key> verdi</key>',
'You can only perform the actions your user account is allowed to perform.' => 'Du kan bare utfre handlingene din brukerkonto har lov til utfre.',
'You may need to connect directly to your IP address:' => 'Du m kanskje koble deg direkte til IP-adressen din:',
'You may need to connect directly via your IP address:' => 'Du m kanskje koble til direkte via din IP-adresse:',
'You will not be able to retrieve it again.' => 'Du vil ikke kunne hente den igjen.',
'Your full API key is below:' => 'Din fullstendige API-nkkel er nedenfor:',
'Your installation is currently on this release channel:' => 'Din installasjon er for yeblikket p denne utgivelseskanalen:',
'Your installation is up to date! No update is required.' => 'Din installasjon er oppdatert! Ingen oppdatering er ndvendig.',
'Your installation needs to be updated. Updating is recommended for performance and security improvements.' => 'Installasjonen din m oppdateres. Oppdatering anbefales for ytelse og sikkerhetsforbedringer.',
'Your station does not support reloading configuration. Restart broadcasting instead to apply changes.' => 'Din stasjon sttter ikke omlasting av konfigurasjon. Restart kringkasting i stedet for bruke endringer.',
'Your station has changes that require a reload to apply.' => 'Stasjonen din har endringer som krever at en last inn p nytt brukes.',
'Your station is currently not enabled for broadcasting. You can still manage media, playlists, and other station settings. To re-enable broadcasting, edit your station profile.' => 'Stasjonen din er for yeblikket ikke aktivert for kringkasting. Du kan fortsatt administrere media, spillelister og andre stasjonsinnstillinger. For aktivere kringkasting p nytt, rediger stasjonsprofilen din.',
'Your station supports reloading configuration.' => 'Stasjonen din sttter omlasting av konfigurasjon.',
'YouTube' => 'YouTube',
'YP Directory Authorization Hash' => 'YP Katalog Autorisasjon Hash',
'Select...' => 'Velg...',
'Too many forgot password attempts' => 'For mange glemte passordforsk',
'You have attempted to reset your password too many times. Please wait 30 seconds and try again.' => 'Du har forskt tilbakestille passordet ditt for mange ganger. Vent 30 sekunder og prv igjen.',
'Account Recovery' => 'Gjenopprettelse av konto',
'Account recovery e-mail sent.' => 'E-post for kontogjenoppretting er sendt.',
'If the e-mail address you provided is in the system, check your inbox for a password reset message.' => 'Hvis e-postadressen du oppga er i systemet, sjekk innboksen din for en melding om tilbakestilling av passord.',
'Too many login attempts' => 'For mange ploggingsforsk',
'You have attempted to log in too many times. Please wait 30 seconds and try again.' => 'Du har forskt logge p for mange ganger. Vent 30 sekunder og prv igjen.',
'Logged in successfully.' => 'Logget p vellykket.',
'Complete the setup process to get started.' => 'Fullfr konfigurasjonsprosessen for komme i gang.',
'Login unsuccessful' => 'Innlogging mislykket',
'Your credentials could not be verified.' => 'Ploggingsinformasjonen din kunne ikke bekreftes.',
'User not found.' => 'Bruker ble ikke funnet.',
'Invalid token specified.' => 'Ugyldig token er angitt.',
'Logged in using account recovery token' => 'Logget p med kontogjenopprettingstoken',
'Your password has been updated.' => 'Passordet er oppdatert.',
'Set Up AzuraCast' => 'Sett opp AzuraCast',
'Setup has already been completed!' => 'Oppsettet er allerede fullfrt!',
'All Stations' => 'Alle Stasjoner',
'AzuraCast Application Log' => 'AzuraCast-applikasjonslogg',
'AzuraCast Now Playing Log' => 'AzuraCast Spilles logg',
'AzuraCast Synchronized Task Log' => 'AzuraCast Synkronisert oppgave-logg',
'AzuraCast Queue Worker Log' => 'AzuraCast K Arbeidslogg',
'Service Log: %s (%s)' => 'Service Logg: %s (%s)',
'Nginx Access Log' => 'Nginx tilgangslogg',
'Nginx Error Log' => 'Nginx-feillogg',
'PHP Application Log' => 'PHP App Logg',
'Supervisord Log' => 'Tilsynslogg',
'Create a new storage location based on the base directory.' => 'Opprett en ny lagringsplass basert p basiskatalogen.',
'You cannot modify yourself.' => 'Du kan ikke endre deg selv.',
'You cannot remove yourself.' => 'Du kan ikke fjerne deg selv.',
'Test Message' => 'Testmelding',
'This is a test message from AzuraCast. If you are receiving this message, it means your e-mail settings are configured correctly.' => 'Dette er en testmelding fra AzuraCast. Hvis du mottar denne meldingen, betyr det at e-postinnstillingene dine er riktig konfigurert.',
'Test message sent successfully.' => 'Testmeldingen ble sendt.',
'Less than Thirty Seconds' => 'Mindre enn Tretti Sekunder',
'Thirty Seconds to One Minute' => 'Tretti sekunder til ett minutt',
'One Minute to Five Minutes' => 'Ett Minutt til Fem Minutter',
'Five Minutes to Ten Minutes' => 'Fem Minutter til Ti Minutter',
'Ten Minutes to Thirty Minutes' => 'Ti Minutter til Ti Minutter',
'Thirty Minutes to One Hour' => 'Tretti minutter til En Time',
'One Hour to Two Hours' => 'En Time til To Timer',
'More than Two Hours' => 'Mer enn To Timer',
'Mobile Device' => 'Mobil Enhet',
'Desktop Browser' => 'Skrivebord Nettleser',
'Non-Browser' => 'Ikke-Nettleser',
'Connected Seconds' => 'Tilkoblede Sekunder',
'File Not Processed: %s' => 'Fil ikke behandlet: %s',
'Cover Art' => 'Cover Bilde',
'File Processing' => 'Filbehandling',
'No directory specified' => 'Ingen katalog spesifisert',
'File not specified.' => 'Filen er ikke spesifisert.',
'New path not specified.' => 'Ny bane ikke spesifisert.',
'This station is out of available storage space.' => 'Denne stasjonen er tom for tilgjengelig lagringsplass.',
'Web hook enabled.' => 'Web-hook aktivert.',
'Web hook disabled.' => 'Web-hook deaktivert.',
'Station reloaded.' => 'Stasjonen er lastet inn p nytt.',
'Station restarted.' => 'Stasjonen startet p nytt.',
'Service stopped.' => 'Tjenesten stoppet.',
'Service started.' => 'Tjenesten startet.',
'Service reloaded.' => 'Tjenesten er lastet inn p nytt.',
'Service restarted.' => 'Tjenesten startet p nytt.',
'Song skipped.' => 'Sangen hoppet over.',
'Streamer disconnected.' => 'Streameren er frakoblet.',
'Station Nginx Configuration' => 'Stasjon Nginx Konfigurasjon',
'Liquidsoap Log' => 'Liquidsoap Logg',
'Liquidsoap Configuration' => 'Liquidsoap konfigurasjon',
'Icecast Access Log' => 'Icecast tilgangslogg',
'Icecast Error Log' => 'Icecast Feillogg',
'Icecast Configuration' => 'Icecast Konfigurasjon',
'Shoutcast Log' => 'Shoutcast Logg',
'Shoutcast Configuration' => 'Shoutcast Konfigurasjon',
'Search engine crawlers are not permitted to use this feature.' => 'Skemotorskeprogrammer har ikke tillatelse til bruke denne funksjonen.',
'You are not permitted to submit requests.' => 'Du har ikke lov til sende inn foresprsler.',
'This song or artist has been played too recently. Wait a while before requesting it again.' => 'Denne sangen eller artisten har blitt spilt for nylig. Vent en stund fr du ber om det igjen.',
'You have submitted a request too recently! Please wait before submitting another one.' => 'Du har sendt inn en foresprsel for nylig! Vent fr du sender inn en ny.',
'Your request has been submitted and will be played soon.' => 'Din foresprsel er sendt og vil bli spilt snart.',
'This playlist is not song-based.' => 'Denne spillelisten er ikke sangbasert.',
'Playlist emptied.' => 'Spilleliste tmt.',
'This playlist is not a sequential playlist.' => 'Denne spillelisten er ikke en sekvensiell spilleliste.',
'Playlist reshuffled.' => 'Spillelisten er stokket om.',
'Playlist enabled.' => 'Spilleliste aktivert.',
'Playlist disabled.' => 'Spilleliste deaktivert.',
'Playlist successfully imported; %d of %d files were successfully matched.' => 'Spilleliste importert; %d av %d filer ble matchet.',
'Playlist applied to folders.' => 'Spilleliste anvendt p mapper.',
'%d files processed.' => '%d filer behandlet.',
'No recording available.' => 'Ingen opptak tilgjengelig.',
'Record not found' => 'Finner ikke posten',
'The uploaded file exceeds the upload_max_filesize directive in php.ini.' => 'Den opplastede filen overskrider upload_max_filesize-direktivet i php.ini.',
'The uploaded file exceeds the MAX_FILE_SIZE directive from the HTML form.' => 'Den opplastede filen overskrider MAX_FILE_SIZE-direktivet fra HTML-skjemaet.',
'The uploaded file was only partially uploaded.' => 'Filen ble bare delvis lastet opp.',
'No file was uploaded.' => 'Ingen fil ble lastet opp.',
'No temporary directory is available.' => 'Ingen midlertidig katalog er tilgjengelig.',
'Could not write to filesystem.' => 'Kunne ikke skrive til filsystemet.',
'Upload halted by a PHP extension.' => 'Opplasting stoppet av en PHP-utvidelse.',
'Unspecified error.' => 'Uspesifisert error.',
'Changes saved successfully.' => 'Endringene er lagret.',
'Record created successfully.' => 'Oppfringen ble opprettet.',
'Record updated successfully.' => 'Oppfringen ble oppdatert.',
'Record deleted successfully.' => 'Oppfringen ble slettet.',
'Playlist: %s' => 'Spilleliste: %s',
'Streamer: %s' => 'Strmmer: %s',
'The account associated with e-mail address "%s" has been set as an administrator' => 'Kontoen knyttet til e-postadressen "%s" er satt som administrator',
'Account not found.' => 'Konto ikke funnet.',
'Roll Back Database' => 'Rull Tilbake Database',
'Running database migrations...' => 'Kjrer databaseoverfringer...',
'Database migration failed: %s' => 'Database migrering feilet: %s',
'Database rolled back to stable release version "%s".' => 'Database rullet tilbake til stabil utgivelsesversjon "%s".',
'AzuraCast Settings' => 'AzuraCast-innstillinger',
'Setting Key' => 'Innstillingsnkkel',
'Setting Value' => 'Innstillingsverdi',
'Fixtures loaded.' => 'Inventar lastet.',
'Backing up initial database state...' => 'Sikkerhetskopierer den frste databasetilstanden...',
'We detected a database restore file from a previous (possibly failed) migration.' => 'Vi fant en databasegjenopprettingsfil fra en tidligere (mulig feilet) overfring.',
'Attempting to restore that now...' => 'Forsker gjenopprette det n...',
'Attempting to roll back to previous database state...' => 'Forsker rulle tilbake til forrige databasetilstand...',
'Your database was restored due to a failed migration.' => 'Databasen din ble gjenopprettet p grunn av mislykket overfring.',
'Please report this bug to our developers.' => 'Vennligst rapporter denne feilen til vre utviklere.',
'Restore failed: %s' => 'Gjenoppretting mislyktes: %s',
'AzuraCast Backup' => 'AzuraCast sikkerhetskopi',
'Please wait while a backup is generated...' => 'Vennligst vent mens en sikkerhetskopi genereres...',
'Creating temporary directories...' => 'Oppretter midlertidige kataloger...',
'Backing up MariaDB...' => 'Sikkerhetskopierer MariaDB...',
'Creating backup archive...' => 'Oppretter sikkerhetskopieringsarkiv ...',
'Cleaning up temporary files...' => 'Rydder opp i midlertidige filer...',
'Backup complete in %.2f seconds.' => 'Sikkerhetskopiering fullfrt om %.2f sekunder.',
'Backup path %s not found!' => 'Finner ikke sikkerhetskopibanen %s!',
'Imported locale: %s' => 'Importert sprk: %s',
'Database Migrations' => 'Database Migreringer',
'Database is already up to date!' => 'Databasen er allerede oppdatert!',
'Database migration completed!' => 'Database migrering fullfrt!',
'AzuraCast Initializing...' => 'AzuraCast initialiserer...',
'AzuraCast Setup' => 'AzuraCast-oppsett',
'Welcome to AzuraCast. Please wait while some key dependencies of AzuraCast are set up...' => 'Velkommen til AzuraCast. Vennligst vent mens noen nkkelavhengigheter til AzuraCast er konfigurert...',
'Running Database Migrations' => 'Kjrer Database Migrations',
'Generating Database Proxy Classes' => 'Generering av databaseproxyklasser',
'Reload System Data' => 'Last inn systemdata p nytt',
'Installing Data Fixtures' => 'Installere datafiksturer',
'Refreshing All Stations' => 'Oppdaterer alle stasjoner',
'AzuraCast is now updated to the latest version!' => 'AzuraCast er n oppdatert til siste versjon!',
'AzuraCast installation complete!' => 'AzuraCast-installasjonen er fullfrt!',
'Visit %s to complete setup.' => 'Besk %s for fullfre oppsettet.',
'%s is not recognized as a service.' => '%s gjenkjennes ikke som en tjeneste.',
'It may not be registered with Supervisor yet. Restarting broadcasting may help.' => 'Den er kanskje ikke registrert hos Supervisor enn. Det kan hjelpe starte kringkastingen p nytt.',
'%s cannot start' => '%s kan ikke starte',
'It is already running.' => 'Den kjrer allerede.',
'%s cannot stop' => '%s kan ikke stoppe',
'It is not running.' => 'Kjrer ikke.',
'%s encountered an error: %s' => '%s opplever en feil: %s',
'Check the log for details.' => 'Sjekk loggen for detaljer.',
'You do not have permission to access this portion of the site.' => 'Du har ikke tillatelse til f tilgang til denne delen av nettstedet.',
'You must be logged in to access this page.' => 'Du m vre logget inn for f tilgang til denne siden.',
'This value is already used.' => 'Denne verdien er allerede brukt.',
'Storage location %s could not be validated: %s' => 'Lagringsplasseringen %s kunne ikke valideres: %s',
'Storage location %s already exists.' => 'Lagringssted %s eksisterer allerede.',
'All Permissions' => 'Alle Tillatelser',
'View Station Page' => 'Se stasjonssiden',
'View Station Reports' => 'Se stasjonsrapporter',
'View Station Logs' => 'Vis stasjonslogger',
'Manage Station Profile' => 'Administrer stasjonsprofil',
'Manage Station Broadcasting' => 'Administrer stasjonskringkasting',
'Manage Station Streamers' => 'Administrer stasjonsstreamere',
'Manage Station Mount Points' => 'Administrer stasjonsfestepunkter',
'Manage Station Remote Relays' => 'Administrer stasjonsfjernreler',
'Manage Station Media' => 'Administrer Station Media',
'Manage Station Automation' => 'Administrer stasjonsautomatisering',
'Manage Station Web Hooks' => 'Administrer Station Web Hooks',
'Manage Station Podcasts' => 'Administrer stasjonspodcaster',
'View Administration Page' => 'Se administrasjonssiden',
'View System Logs' => 'Se systemlogger',
'Administer Settings' => 'Administrer innstillinger',
'Administer API Keys' => 'Administrer API-nkler',
'Administer Stations' => 'Administrer stasjoner',
'Administer Custom Fields' => 'Administrer egendefinerte felt',
'Administer Backups' => 'Administrer sikkerhetskopier',
'Administer Storage Locations' => 'Administrer lagringsplasseringer',
'Runs routine synchronized tasks' => 'Kjrer rutinesynkroniserte oppgaver',
'Database' => 'Database',
'Web server' => 'Nettjener',
'Now Playing manager service' => 'Spiller n managertjeneste',
'PHP queue processing worker' => 'PHP-kbehandlingsarbeider',
'Cache' => 'Hurtiglager',
'SFTP service' => 'SFTP-tjeneste',
'Frontend Assets' => 'Frontend eiendeler',
'This product includes GeoLite2 data created by MaxMind, available from %s.' => 'Dette produktet inkluderer GeoLite2-data laget av MaxMind, tilgjengelig fra %s.',
'IP Geolocation by DB-IP' => 'IP Geolocation av DB-IP',
'GeoLite database not configured for this installation. See System Administration for instructions.' => 'GeoLite-databasen er ikke konfigurert for denne installasjonen. Se Systemadministrasjon for instruksjoner.',
'Installation Not Recently Backed Up' => 'Installasjon ikke nylig sikkerhetskopiert',
'This installation has not been backed up in the last two weeks.' => 'Denne installasjonen har ikke blitt sikkerhetskopiert de siste to ukene.',
'Service Not Running: %s' => 'Tjenester Kjrer Ikke: %s',
'One of the essential services on this installation is not currently running. Visit the system administration and check the system logs to find the cause of this issue.' => 'En av de essensielle tjenestene p denne installasjonen kjrer ikke for yeblikket. Besk systemadministrasjonen og sjekk systemloggene for finne rsaken til dette problemet.',
'New AzuraCast Stable Release Available' => 'Ny AzuraCast Stabil Utgivelse Tilgjengelig',
'Version %s is now available. You are currently running version %s. Updating is recommended.' => 'Versjon %s er n tilgjengelig. Du kjrer for yeblikket versjon %s. Oppdatering anbefales.',
'New AzuraCast Rolling Release Available' => 'Ny AzuraCast Rolling release tilgjengelig',
'Your installation is currently %d update(s) behind the latest version. Updating is recommended.' => 'Din installasjon er for tiden %d oppdatering(er) bak den nyeste versjonen. Oppdatering er anbefalt.',
'Switch to Stable Channel Available' => 'Bytt til Stabel Kanal Tilgjengelig',
'Your Rolling Release installation is currently older than the latest Stable release. This means you can switch releases to the "Stable" release channel if desired.' => 'Installasjonen av rullende utgivelse er eldre enn den nyeste utgivelsen. Dette betyr at du kan bytte utgivelse til kanalen for "Stabel" dersom det er nskelig.',
'Synchronization Disabled' => 'Synkronisering deaktivert',
'Routine synchronization is currently disabled. Make sure to re-enable it to resume routine maintenance tasks.' => 'Rutinesynkronisering er for yeblikket deaktivert. Srg for aktivere den p nytt for gjenoppta rutinemessige vedlikeholdsoppgaver.',
'Synchronization Not Recently Run' => 'Synkronisering ikke nylig kjrt',
'The routine synchronization task has not run recently. This may indicate an error with your installation.' => 'Den rutinemessige synkroniseringsoppgaven har ikke kjrt nylig. Dette kan indikere en feil med installasjonen.',
'The performance profiling extension is currently enabled on this installation.' => 'Ytelsesprofileringsutvidelsen er for yeblikket aktivert p denne installasjonen.',
'You can track the execution time and memory usage of any AzuraCast page or application from the profiler page.' => 'Du kan spore utfrelsestiden og minnebruken til enhver AzuraCast-side eller -applikasjon fra profileringssiden.',
'Profiler Control Panel' => 'Profiler kontrollpanel',
'Performance profiling is currently enabled for all requests.' => 'Ytelsesprofilering er for yeblikket aktivert for alle foresprsler.',
'This can have an adverse impact on system performance. You should disable this when possible.' => 'Dette kan ha en negativ innvirkning p systemytelsen. Du br deaktivere dette nr det er mulig.',
'You may want to update your base URL to ensure it is correct.' => 'Det kan vre lurt oppdatere basis-URLen for sikre at den er riktig.',
'If you regularly use different URLs to access AzuraCast, you should enable the "Prefer Browser URL" setting.' => 'Hvis du regelmessig bruker forskjellige URL-er for f tilgang til AzuraCast, br du aktivere innstillingen "Foretrekk nettleser-URL".',
'Your "Base URL" setting (%s) does not match the URL you are currently using (%s).' => 'Din "Basis-URL"-innstilling (%s) samsvarer ikke med URL-en du bruker for yeblikket (%s).',
'AzuraCast is free and open-source software.' => 'AzuraCast er fri og pen kildekode programvare.',
'If you are enjoying AzuraCast, please consider donating to support our work. We depend on donations to build new features, fix bugs, and keep AzuraCast modern, accessible and free.' => 'Hvis du liker AzuraCast, vennligst vurder donere for sttte arbeidet vrt. Vi er avhengige av donasjoner for bygge nye funksjoner, fikse feil og beholde AzuraCast modern, tilgjengelig og gratis.',
'Donate to AzuraCast' => 'Doner til AzuraCast',
'AzuraCast Installer' => 'AzuraCast installasjonsprogram',
'Welcome to AzuraCast! Complete the initial server setup by answering a few questions.' => 'Velkommen til AzuraCast! Fullfr det frste serveroppsettet ved svare p noen sprsml.',
'AzuraCast Updater' => 'AzuraCast-oppdatering',
'Change installation settings?' => 'Vil du endre installasjonsinnstillingene?',
'AzuraCast is currently configured to listen on the following ports:' => 'AzuraCast er for yeblikket konfigurert til lytte p flgende porter:',
'HTTP Port: %d' => 'HTTP-port: %d',
'HTTPS Port: %d' => 'Port nummer',
'SFTP Port: %d' => 'HTTP-port: %d',
'Radio Ports: %s' => 'Radioporter: %s',
'Customize ports used for AzuraCast?' => 'Tilpasse porter som brukes for AzuraCast?',
'Writing configuration files...' => 'Skriver konfigurasjonsfiler...',
'Server configuration complete!' => 'Serverkonfigurasjon fullfrt!',
'This file was automatically generated by AzuraCast.' => 'Denne filen ble automatisk generert av AzuraCast.',
'You can modify it as necessary. To apply changes, restart the Docker containers.' => 'Du kan endre det etter behov. For bruke endringer, start Docker-beholderne p nytt.',
'Remove the leading "#" symbol from lines to uncomment them.' => 'Fjern det ledende "#"-symbolet fra linjene for fjerne kommentarer.',
'Valid options: %s' => 'Gyldige alternativer: %s',
'Default: %s' => 'Standard: %s',
'Additional Environment Variables' => 'Ytterligere miljvariabler',
'(Docker Compose) All Docker containers are prefixed by this name. Do not change this after installation.' => '(Docker Compose) Alle Docker-beholdere har dette navnet foran. Ikke endre dette etter installasjon.',
'(Docker Compose) The amount of time to wait before a Docker Compose operation fails. Increase this on lower performance computers.' => '(Docker Compose) Hvor lang tid det m vente fr en Docker Compose-operasjon mislykkes. k dette p datamaskiner med lavere ytelse.',
'HTTP Port' => 'HTTP-port',
'The main port AzuraCast listens to for insecure HTTP connections.' => 'Hovedporten AzuraCast lytter til for usikre HTTP-tilkoblinger.',
'HTTPS Port' => 'HTTPS-port',
'The main port AzuraCast listens to for secure HTTPS connections.' => 'Hovedporten AzuraCast lytter til for sikre HTTPS-tilkoblinger.',
'The port AzuraCast listens to for SFTP file management connections.' => 'Porten AzuraCast lytter til for SFTP-filbehandlingstilkoblinger.',
'Station Ports' => 'Stasjonshavner',
'The ports AzuraCast should listen to for station broadcasts and incoming DJ connections.' => 'Portene AzuraCast skal lytte til for stasjonssendinger og innkommende DJ-tilkoblinger.',
'Docker User UID' => 'Docker Bruker UID',
'Set the UID of the user running inside the Docker containers. Matching this with your host UID can fix permission issues.' => 'Angi UID-en til brukeren som kjrer inne i Docker-beholderne. matche dette med verts-UID-en din kan fikse tillatelsesproblemer.',
'Docker User GID' => 'Docker Bruker GID',
'Set the GID of the user running inside the Docker containers. Matching this with your host GID can fix permission issues.' => 'Angi GID-en til brukeren som kjrer inne i Docker-beholderne. matche dette med verts-GID-en kan fikse tillatelsesproblemer.',
'Use Podman instead of Docker.' => 'Benytt Podman i stedet for Docker.',
'Advanced: Use Privileged Docker Settings' => 'Avansert: Bruk Privileged Docker-innstillinger',
'The locale to use for CLI commands.' => 'Lokaliteten som skal brukes for CLI-kommandoer.',
'The application environment.' => 'Applikasjonsmiljet.',
'Manually modify the logging level.' => 'Endre loggingsnivet manuelt.',
'This allows you to log debug-level errors temporarily (for problem-solving) or reduce the volume of logs that are produced by your installation, without needing to modify whether your installation is a production or development instance.' => 'Dette lar deg logge feil p feilskingsniv midlertidig (for problemlsning) eller redusere volumet av logger som produseres av installasjonen din, uten mtte endre om installasjonen er en produksjons- eller utviklingsforekomst.',
'Enable Custom Code Plugins' => 'Aktiver Custom Code Plugins',
'Enable the composer "merge" functionality to combine the main application\'s composer.json file with any plugin composer files. This can have performance implications, so you should only use it if you use one or more plugins with their own Composer dependencies.' => 'Aktiver "sammenslings"-funksjonaliteten for komponist for kombinere hovedapplikasjonens composer.json-fil med alle plugin-komponeringsfiler. Dette kan ha ytelsesimplikasjoner, s du br bare bruke det hvis du bruker ett eller flere plugins med sine egne Composer-avhengigheter.',
'Minimum Port for Station Port Assignment' => 'Maksimal port for stasjonsporttildeling',
'Modify this if your stations are listening on nonstandard ports.' => 'Endre dette hvis stasjonene dine lytter p ikke-standardporter.',
'Maximum Port for Station Port Assignment' => 'Maksimal port for stasjonsporttildeling',
'Show Detailed Slim Application Errors' => 'Vis Detaljerte Sm Program Feil',
'This allows you to debug Slim Application Errors you may encounter. Please report any Slim Application Error logs to the development team on GitHub.' => 'Dette gjr at du feilsker sm Programfeil du kan stte p. Vennligst rapporter eventuelle sm feil logger til utviklingsteamet p GitHub.',
'MariaDB Host' => 'MariaDB-vert',
'Do not modify this after installation.' => 'Ikke modifiser dette etter installasjonen.',
'MariaDB Port' => 'MariaDB-port',
'MariaDB Username' => 'MariaDB brukernavn',
'MariaDB Password' => 'MariaDB-passord',
'MariaDB Database Name' => 'MariaDB-databasenavn',
'Auto-generate Random MariaDB Root Password' => 'Autogenerer tilfeldig MariaDB-rootpassord',
'MariaDB Root Password' => 'MariaDB Root Passord',
'Enable MariaDB Slow Query Log' => 'Aktiver MariaDB Slow Query Log',
'Log slower queries to diagnose possible database issues. Only turn this on if needed.' => 'Logg tregere sprringer for diagnostisere mulige databaseproblemer. Sl denne kun p hvis ndvendig.',
'MariaDB Maximum Connections' => 'MariaDB maksimale tilkoblinger',
'Set the amount of allowed connections to the database. This value should be increased if you are seeing the "Too many connections" error in the logs.' => 'Angi mengden tillatte tilkoblinger til databasen. Denne verdien br kes hvis du ser feilen "For mange tilkoblinger" i loggene.',
'MariaDB InnoDB Buffer Pool Size' => 'MariaDB InnoDB Buffer Pool Strrelse',
'The InnoDB buffer pool size controls how much data & indexes are kept in memory. Making sure that this value is as large as possible reduces the amount of disk IO.' => 'InnoDB bufferlageret kontrollerer hvor mye data og indekser som oppbevares i minnet. Pass p at denne verdien er s stor som mulig, reduserer mengden av IO.',
'MariaDB InnoDB Log File Size' => 'MariaDB InnoDB Loggfilstrrelse',
'The InnoDB log file is used to achieve data durability in case of crashes or unexpected shutoffs and to allow the DB to better optimize IO for write operations.' => 'InnoDB loggfilen brukes for oppn data holdbarhet i tilfelle krasjer eller uventede avbrudd, og for tillate DB optimalisere IO bedre for skriveoperasjoner.',
'Enable Redis' => 'Aktiver Redis',
'Disable to use a flatfile cache instead of Redis.' => 'Deaktiver for bruke en flatfil-cache i stedet for Redis.',
'Redis Host' => 'Redis Vert',
'Redis Port' => 'Redis Port',
'PHP Maximum POST File Size' => 'PHP Maksimal POST-filstrrelse',
'PHP Memory Limit' => 'PHP minnegrense',
'PHP Script Maximum Execution Time (Seconds)' => 'PHP skript Maksimal kjringstid (sekunder)',
'Short Sync Task Execution Time (Seconds)' => 'Kort synkroniseringstid kjretid (i sekunder)',
'The maximum execution time (and lock timeout) for the 15-second, 1-minute and 5-minute synchronization tasks.' => 'Maksimal utfrelsestid (og lsetidsavbrudd) for synkroniseringsoppgavene p 15 sekunder, 1 minutter og 5 minutter.',
'Long Sync Task Execution Time (Seconds)' => 'Tid for lang synkronisering kjring av oppgaver (i sekunder)',
'The maximum execution time (and lock timeout) for the 1-hour synchronization task.' => 'Maksimal utfrelsestid (og lsetidsavbrudd) for synkroniseringsoppgaven p 1 time.',
'Now Playing Delay Time (Seconds)' => 'N spilles forsinkelse tid (i sekunder)',
'The delay between Now Playing checks for every station. Decrease for more frequent checks at the expense of performance; increase for less frequent checks but better performance (for large installations).' => 'Forsinkelsen mellom N Spilles etter hver stasjon. Reduser for hyppigere kontroller p bekostning av ytelse. k for sjeldnere kontroller, men bedre ytelse (for store installasjoner).',
'Now Playing Max Concurrent Processes' => 'Spilling av maks samtidige prosesser',
'The maximum number of concurrent processes for now playing updates. Increasing this can help reduce the latency between updates now playing updates on large installations.' => 'Maksimalt antall samtidige prosesser for n spilling av oppdateringer. ker dette kan bidra til redusere forsinkelse mellom oppdateringer som spilles av oppdateringer p store installasjoner.',
'Maximum PHP-FPM Worker Processes' => 'Maksimal PHP-FPM-arbeidsprosesser',
'Enable Performance Profiling Extension' => 'Aktiver Performance Profiling Extension',
'Profiling data can be viewed by visiting %s.' => 'Profildata kan vises ved g til %s.',
'Profile Performance on All Requests' => 'Profilytelse p alle foresprsler',
'This will have a significant performance impact on your installation.' => 'Dette vil ha en betydelig ytelsespvirkning p installasjonen din.',
'Profiling Extension HTTP Key' => 'HTTP-nkkel for profileringsutvidelse',
'The value for the "SPX_KEY" parameter for viewing profiling pages.' => 'Verdien for SPX_KEY-parameteren for visning av profileringssider.',
'Profiling Extension IP Allow List' => 'IP-tillatelsesliste for profilutvidelse',
'Enable web-based Docker image updates' => 'Aktiver web-baserte Docker bildeoppdateringer',
'Extra Ubuntu packages to install upon startup' => 'Ekstra Ubuntu pakker installere ved oppstart',
'Separate package names with a space. Packages will be installed during container startup.' => 'Separer pakkenavnene med et mellomrom. Pakker vil bli installert ved oppstart av beholderen.',
'Album Artist' => 'Album Artist',
'Album Artist Sort Order' => 'Sorteringsrekkeflge for albumartist',
'Album Sort Order' => 'Album Sorteringsrekkeflge',
'Band' => 'Band',
'BPM' => 'BPM',
'Comment' => 'Kommentar',
'Commercial Information' => 'Kommersiell informasjon',
'Composer' => 'Komponist',
'Composer Sort Order' => 'Komponist Sorteringsrekkeflge',
'Conductor' => 'Dirigent',
'Content Group Description' => 'Innholdsgruppe beskrivelse',
'Encoded By' => 'Kodet av',
'Encoder Settings' => 'Kode Innstillinger',
'Encoding Time' => 'Kodingstid',
'File Owner' => 'Fileier',
'File Type' => 'Filtype',
'Initial Key' => 'Start Nkkel',
'Internet Radio Station Name' => 'Navn p Internettradiostasjon',
'Internet Radio Station Owner' => 'Eier av Internettradiostasjon',
'Involved People List' => 'Liste Over Involverte Personer',
'Linked Information' => 'Koblet Informasjon',
'Lyricist' => 'Tekstforfatter',
'Media Type' => 'Mediatype',
'Mood' => 'Humr',
'Music CD Identifier' => 'Musikk CD-identifikator',
'Musician Credits List' => 'Kredittliste For Musiker',
'Original Album' => 'Originalt Album',
'Original Artist' => 'Original Artist',
'Original Filename' => 'Opprinnelig Filnavn',
'Original Lyricist' => 'Original Tekstforfatter',
'Original Release Time' => 'Original Utgivelsestid',
'Original Year' => 'Opprinnelig r',
'Part of a Compilation' => 'Del av en Samling',
'Part of a Set' => 'Del av et Sett',
'Performer Sort Order' => 'Utver Sorterings Rekkeflge',
'Playlist Delay' => 'Spilleliste Forsinkelse',
'Produced Notice' => 'Produsert Varsel',
'Publisher' => 'Utgiver',
'Recording Time' => 'Opptakstid',
'Release Time' => 'Utgivelsen Tid',
'Remixer' => 'Remixer',
'Set Subtitle' => 'Angi Undertekst',
'Subtitle' => 'Undertittel',
'Tagging Time' => 'Taggingstid',
'Terms of Use' => 'Vilkr for bruk',
'Title Sort Order' => 'Tittel Sorteringsrekkeflge',
'Track Number' => 'Spornummer',
'Unsynchronised Lyrics' => 'Usynkronisert Sangtekst',
'URL Artist' => 'URL Artist',
'URL File' => 'URL fil',
'URL Payment' => 'URL Betaling',
'URL Publisher' => 'URL Utgiver',
'URL Source' => 'URL Kilde',
'URL Station' => 'URL stasjon',
'URL User' => 'URL bruker',
'Year' => 'r',
'An account recovery link has been requested for your account on "%s".' => 'En kontogjenopprettingskobling er blitt bedt om for kontoen din p "%s".',
'Click the link below to log in to your account.' => 'Klikk p lenken nedenfor for logge p kontoen din.',
'Footer' => 'Bunntekst',
'Powered by %s' => 'Drevet av %s',
'Forgot Password' => 'Glemt passord',
'Sign in' => 'Logg inn',
'Send Recovery E-mail' => 'Send gjenopprettingse-post',
'Enter Two-Factor Code' => 'Skriv inn tofaktorkode',
'Your account uses a two-factor security code. Enter the code your device is currently showing below.' => 'Kontoen din bruker en to-faktor sikkerhetskode. Skriv inn koden enheten din viser nedenfor.',
'Security Code' => 'Sikkerhetskode (CVV)',
'This installation\'s administrator has not configured this functionality.' => 'Denne installasjonens administrator har ikke konfigurert denne funksjonaliteten.',
'Contact an administrator to reset your password following the instructions in our documentation:' => 'Kontakt en administrator for tilbakestille passordet ditt ved flge instruksjonene i dokumentasjonen vr:',
'Password Reset Instructions' => 'Instruksjoner for tilbakestilling av passord',
),
),
);
``` | /content/code_sandbox/translations/nb_NO.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 43,005 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=4; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 3;',
'messages' =>
array (
'' =>
array (
'A name for this stream that will be used internally in code. Should only contain letters, numbers, and underscores (i.e. "stream_lofi").' => 'Nzev pro tento stream, kter bude pouit intern v kdu. Me obsahovat pouze psmena, sla a podtrtka (nap.: "stream_lofi").',
'A unique identifier (i.e. "G-A1B2C3D4") for this measurement stream.' => 'Uniktn identifiktor (nap.: "G-A1B2C3D4") pro tento mc stream.',
'About Master_me' => 'O \'\'Master_me\'\'',
'About Release Channels' => 'O Release vydn',
'Access Code' => 'Pstupov Kd',
'Access Key ID' => 'Pstupov ID Kl',
'Access Token' => 'Pstupov Token',
'Account Details' => 'Podrobnosti tu',
'Account is Active' => 'et je Aktivn',
'Account List' => 'Seznam t',
'Actions' => 'Akce',
'Add API Key' => 'Pidat API Kl',
'Add Custom Field' => 'Pidat Vlastn Pole',
'Add Episode' => 'Pidat Epizodu',
'Add Files to Playlist' => 'Pidat Soubory do Seznamu Skladeb',
'Add HLS Stream' => 'Pidat HLS Stream',
'Add Mount Point' => 'Pidat Ppojn Bod',
'Add New GitHub Issue' => 'Pidat Nov GitHub Problm',
'Add Playlist' => 'Pidat Seznam Skladeb',
'Add Podcast' => 'Pidat Podcast',
'Add Remote Relay' => 'Pidat Vzdlen Rel',
'Add Role' => 'Pidat Roli',
'Add Schedule Item' => 'Pidat Poloku Plnu',
'Add SFTP User' => 'Pidat SFTP Uivatele',
'Add Station' => 'Pidat Stanici',
'Add Storage Location' => 'Pidat Umstn loit',
'Add Streamer' => 'Pidat Streamera',
'Add User' => 'Pidat Uivatele',
'Add Web Hook' => 'Pidat Web Hook',
'Administration' => 'Administrace',
'Advanced' => 'Pokroil',
'Advanced Configuration' => 'Pokroil Konfigurace',
'Advanced Manual AutoDJ Scheduling Options' => 'Pokroil nastaven manuln plnovanho AutoDJ',
'Aggregate listener statistics are used to show station reports across the system. IP-based listener statistics are used to view live listener tracking and may be required for royalty reports.' => 'Agregovan statistiky poslucha se pouvaj k zobrazen zprv o stanicch v systmu. Statistiky poslucha zaloen na protokolu IP slou k zobrazen aktivnch poslucha a mohou bt vyadovny pro zprvy o licennch poplatcch.',
'Album' => 'Album',
'Album Art' => 'Obal alba',
'All listed domain names should point to this AzuraCast installation. Separate multiple domain names with commas.' => 'Vekr domny by mli odkazovat na tuto instalaci AzuraCast. Oddlte vce domn rkami.',
'All Playlists' => 'Vechny Seznamy Skladeb',
'All Podcasts' => 'Vechny Podcasty',
'All values in the NowPlaying API response are available for use. Any empty fields are ignored.' => 'Vechny hodnoty v NowPlaying API jsou k dispozici. Vechna przdn pole budou ignorovna.',
'Allow Requests from This Playlist' => 'Povolit dosti o Skladby z Tohoto Seznamu Skladeb',
'Allow Song Requests' => 'Povolit dosti o Skladbu',
'Allow Streamers / DJs' => 'Povolit Streamery / DJs',
'Allowed IP Addresses' => 'Povolen IP Adresy',
'Always Use HTTPS' => 'Vdy Pouvat HTTPS',
'Amplify: Amplification (dB)' => 'Amplify: Amplifikace (dB)',
'An error occurred while loading the station profile:' => 'Dolo k chyb pi natn profilu stanice:',
'Analytics' => 'Analytika',
'Analyze and reprocess the selected media' => 'Analyzovat a znovu zpracovat vybran mdia',
'API "Access-Control-Allow-Origin" Header' => 'API "Access-Control-Allow-Origin" Zhlav',
'API Documentation' => 'API Dokumentace',
'API Key Description/Comments' => 'API Kl Popis/Koment',
'API Keys' => 'API kle',
'API Version' => 'Verze API',
'App Key' => 'Kl Aplikace',
'App Secret' => 'Tajn kl Aplikace',
'Apply for an API key at Last.fm' => 'Pout pro API kl na Last.fm',
'Apply Post-processing to Live Streams' => 'Povolit Post-processing pro Live Streamy',
'Are you sure?' => 'Jste si jisti?',
'Artist' => 'Interpret',
'Artwork must be a minimum size of 1400 x 1400 pixels and a maximum size of 3000 x 3000 pixels for Apple Podcasts.' => 'Artwork mus mt minimln velikost 1400 x 1400 pixel a maximln velikost 3000 x 3000 pixel pro Apple Podcasts.',
'Attempt to Automatically Retrieve ISRC When Missing' => 'Pokusit se o automatick naten ISRC pokud chyb',
'Audio Bitrate (kbps)' => 'Datov tok (kbps)',
'Audio Format' => 'Audio Formt',
'Audio Post-processing Method' => 'Metoda post-processingu audia',
'Audio transcoding applications like Liquidsoap use a consistent amount of CPU over time, which gradually drains this available credit. If you regularly see stolen CPU time, you should consider migrating to a VM that has CPU resources dedicated to your instance.' => 'Aplikace audio pekdovn, jako je Liquidsoap, pouvaj v prbhu asu konzistentn mnostv CPU, co postupn vypout tento dostupn kredit. Pokud pravideln vidte ukraden as CPU, mli byste zvit pechod na VM, kter m CPU zdroje vyhrazen pro vai instanci.',
'Audit Log' => 'Zznamy',
'Author' => 'Autor',
'AutoDJ Bitrate (kbps)' => 'Penosov rychlost funkce AutoDJ (kbps)',
'AutoDJ Disabled' => 'AutoDJ Vypnut',
'AutoDJ Format' => 'Formt funkce AutoDJ',
'AutoDJ has been disabled for this station. No music will automatically be played when a source is not live.' => 'AutoDJ byl pro tuto stanici vypnut. dn hudba nebude automaticky pehrvna pokud se nejedn o livestream.',
'AutoDJ Queue' => 'AutoDJ Fronta',
'AutoDJ Queue Length' => 'Dlka fronty AutoDJ',
'AutoDJ Service' => 'Sluba AutoDJ',
'Automatic Backups' => 'Automatick Zlohy',
'Automatically Scroll to Bottom' => 'Automaticky sjet dol',
'Automatically Set from ID3v2 Value' => 'Automaticky nastavit z ID3v2 Hodnoty',
'Available Logs' => 'Dostupn logy',
'Avatar Service' => 'Sluba Avatar',
'Average Listeners' => 'Prmrn poet poslucha',
'Avoid Duplicate Artists/Titles' => 'Vyhnout se duplicitnm Umlcm/Titulm',
'AzuraCast First-Time Setup' => 'Prvn nastaven AzuraCast',
'AzuraCast Instance Name' => 'Nzev instance AzuraCast',
'AzuraCast ships with a built-in free IP geolocation database. You may prefer to use the MaxMind GeoLite service instead to achieve more accurate results. Using MaxMind GeoLite requires a license key, but once the key is provided, we will automatically keep the database updated.' => 'AzuraCast je vybavena bezplatnou IP geolokan databz. Mete radji pout slubu MaxMind GeoLite pro dosaen pesnjch vsledk. Pouit MaxMind GeoLite vyaduje licenn kl, ale jakmile je kl poskytnut, budeme databzi automaticky aktualizovat.',
'AzuraCast Update Checks' => 'Kontrola aktualizac AzuraCast',
'AzuraCast User' => 'Uivatel AzuraCast',
'AzuraCast uses a role-based access control system. Roles are given permissions to certain sections of the site, then users are assigned into those roles.' => 'AzuraCast pouv systm zen pstupu zaloen na rolch. Role maj oprvnn pro urit sti webu, uivatel jsou pot piazeni k tmto rolm.',
'AzuraCast will scan the uploaded file for matches in this station\'s music library. Media should already be uploaded before running this step. You can re-run this tool as many times as needed.' => 'AzuraCast naskenuje nahran soubor pro vsledky v hudebn knihovn tto stanice. Mdia by mla bt nahrna jet ped sputnm tohoto kroku. Tento nstroj mete spustit znovu, kolikrt je poteba.',
'Back' => 'Zpt',
'Backing up your installation is strongly recommended before any update.' => 'Zlohovn va instalace je vysoce doporueno ped jakoukoliv aktualizac.',
'Backup' => 'Zloha',
'Backup Format' => 'Formt zlohy',
'Backups' => 'Zlohy',
'Banned Countries' => 'Zablokovan Stty',
'Banned IP Addresses' => 'Zablokovan IP Adresy',
'Banned User Agents' => 'Zablokovan uivatel',
'Base Station Directory' => 'Adres Zkladn Stanice',
'Base Theme for Public Pages' => 'Zkladn tma pro veejn strnky',
'Basic Info' => 'Zkladn informace',
'Basic Information' => 'Zkladn Informace',
'Best & Worst' => 'Nejlep & Nejhor',
'Best Performing Songs' => 'Nejlep Skladby',
'Bit Rate' => 'Penosov rychlost',
'Bot/Crawler' => 'Bot/Crawler',
'Branding Settings' => 'Nastaven brandingu',
'Broadcast AutoDJ to Remote Station' => 'Vysln AutoDJ do vzdlen stanice',
'Broadcasting' => 'Vysln',
'Broadcasting Service' => 'Vyslac sluba',
'Broadcasts' => 'Penosy',
'Browser' => 'Prohle',
'Browser Icon' => 'Ikona prohlee',
'Browsers' => 'Prohlee',
'Bucket Name' => 'Nzev Bucketu',
'Bulk Media Import/Export' => 'Hromadn Import/Export Mdi',
'By default, radio stations broadcast on their own ports (i.e. 8000). If you\'re using a service like CloudFlare or accessing your radio station by SSL, you should enable this feature, which routes all radio through the web ports (80 and 443).' => 'Standardn rozhlasov stanice vyslaj na svch vlastnch portech (tj. 8000). Pokud pouvte slubu jako CloudFlare nebo pistupujete k va rozhlasov stanici pomoc protokolu SSL, mli byste tuto funkci povolit, aby rdio smrovalo pes webov porty (80 a 443).',
'Cached' => 'Mezipam',
'Categories' => 'Kategorie',
'Change' => 'Zmnit',
'Change Password' => 'Zmna hesla',
'Changes' => 'Zmny',
'Character Set Encoding' => 'Kdovn znak',
'Chat ID' => 'ID chatu',
'Check for Updates' => 'Zkontrolovat aktualizace',
'Check this box to apply post-processing to all audio, including live streams. Uncheck this box to only apply post-processing to the AutoDJ.' => 'Zakrtnte toto pole pro povolen post-processingu veho audia, vetn live stream. Vynechte pole pro povolen post-processingu pouze pro AutoDJ.',
'Check Web Services for Album Art for "Now Playing" Tracks' => 'Zkontrolujte Web Services pro Album Art pro "Now Playing" Skladby',
'Check Web Services for Album Art When Uploading Media' => 'Zkontrolovat Webov Sluby pro Album Art Pi Nahrvn Mdi',
'Choose a method to use when transitioning from one song to another. Smart Mode considers the volume of the two tracks when fading for a smoother effect, but requires more CPU resources.' => 'Zvolte metodu, kterou pouijete pi pechodu z jedn skladby na druhou. Inteligentn reim zohleduje pi pechodu hlasitost obou skladeb, m dosahuje plynulejho efektu, ale vyaduje vce prostedk CPU.',
'Choose a name for this webhook that will help you distinguish it from others. This will only be shown on the administration page.' => 'Zvolte pro tento webhook nzev, kter vm pome odliit jej od ostatnch. Ten se zobraz pouze na strnce sprvy.',
'Choose a new password for your account.' => 'Zvolte si nov heslo k tu.',
'Clear' => 'Vyistit',
'Clear All Message Queues' => 'Vymazat Vechny Fronty Zprv',
'Clear Artwork' => 'Vymazat Artwork',
'Clear Cache' => 'Vyistit Mezipam',
'Clear File' => 'Vymazat Soubor',
'Clear Image' => 'Vymazat Obrzek',
'Clear List' => 'Vymazat Seznam',
'Clear Media' => 'Vymazat Mdia',
'Clear Pending Requests' => 'Vymazat nevyzen dosti',
'Clear Queue' => 'Vymazat frontu',
'Clear Upcoming Song Queue' => 'Vymazat nadchzejc frontu skladeb',
'Clearing the application cache may log you out of your session.' => 'Vymazn mezipamti aplikace vs me odhlsit z relace.',
'Click "Generate new license key".' => 'Kliknte na "Vygenerovat nov licenn kl".',
'Click "New Application"' => 'Kliknte na "Nov Aplikace"',
'Click the "Preferences" link, then "Development" on the left side menu.' => 'Kliknte na "Pedvolby" a pot na "Vvoj" v levm menu.',
'Click the button below to generate a CSV file with all of this station\'s media. You can make any necessary changes, and then import the file using the file picker on the right.' => 'Kliknutm na tlatko ne vygenerujete soubor CSV se vemi mdii tto stanice. Mete provst vechny potebn zmny a pot soubor importovat pomoc nstroje pro vbr soubor vpravo.',
'Click the button below to retry loading the page.' => 'Kliknte na tlatko ne pro znovu naten strnky.',
'Client' => 'Klient',
'Clients' => 'Klienti',
'Clients by Connected Time' => 'Klienti podle asu pipojen',
'Clients by Listeners' => 'Klienti podle poslucha',
'Clone' => 'Klonovat',
'Clone Station' => 'Klonovat Stanici',
'Close' => 'Zavt',
'Code from Authenticator App' => 'Kd z autentizan aplikace',
'Comments' => 'Poznmky',
'Complete the setup process by providing some information about your broadcast environment. These settings can be changed later from the administration panel.' => 'Proces nastaven dokonete zadnm nkterch informac o vaem vyslacm prosted. Tato nastaven lze pozdji zmnit na panelu sprvy.',
'Configure' => 'Nastavit',
'Configure Backups' => 'Nastaven zloh',
'Confirm New Password' => 'Potvrzen novho hesla',
'Connected AzuraRelays' => 'Pipojen AzuraRelays',
'Connection Information' => 'Informace o pipojen',
'Contains explicit content' => 'Obsahuje explicitn obsah',
'Continue the setup process by creating your first radio station below. You can edit any of these details later.' => 'Pokraujte v procesu nastaven vytvoenm va prvn stanice ne. Vechny tyto nastaven mete pozdji upravit.',
'Continuous Play' => 'Kontinuln pehrvn',
'Control how this playlist is handled by the AutoDJ software.' => 'Ovldejte, jak bude tento seznam skladeb pehrvat software AutoDJ.',
'Copies older than the specified number of days will automatically be deleted. Set to zero to disable automatic deletion.' => 'Kopie star ne stanoven poet dn budou automaticky smazny.',
'Copy to Clipboard' => 'Koprovat do schrnky',
'Copy to New Station' => 'Koprovat do nov stanice',
'Countries' => 'Stty',
'Country' => 'Stt',
'CPU Load' => 'Zaten CPU',
'CPU Stats Help' => 'Npovda statistiky CPU',
'Create a new application. Choose "Scoped Access", select your preferred level of access, then name your app. Do not name it "AzuraCast", but rather use a name specific to your installation.' => 'Vytvoen nov aplikace. Zvolte monost "Rozen pstup", vyberte preferovanou rove pstupu a pojmenujte aplikaci. Nejmenujte ji "AzuraCast", ale pouijte nzev specifick pro vai instalaci.',
'Create a New Radio Station' => 'Vytvote novou stanici',
'Create Account' => 'Vytvoit et',
'Create an account on the MaxMind developer site.' => 'Vytvote si et na developer webu MaxMind.',
'Create and Continue' => 'Vytvoit a pokraovat',
'Create custom fields to store extra metadata about each media file uploaded to your station libraries.' => 'Vytvote si vlastn pole pro kladn extra metadat o kadm medilnm souboru nahranm do va knihovny stanice.',
'Create Directory' => 'Vytvote adres',
'Create New Key' => 'Vytvoit Nov Kl',
'Crossfade Duration (Seconds)' => 'Doba trvn prolnn (Vteiny)',
'Crossfade Method' => 'Zpsob prolnn',
'Current Configuration File' => 'Souasn konfiguran soubor',
'Current Custom Fallback File' => 'Souasn vlastn soubor Fallback',
'Current Installed Version' => 'Aktuln nainstalovan verze',
'Current Intro File' => 'Souasn Intro soubor',
'Current Password' => 'Stvajc heslo',
'Current Podcast Media' => 'Souasn Podcast mdia',
'Custom' => 'Vlastn',
'Custom API Base URL' => 'Vlastn zkladn URL API',
'Custom Branding' => 'Vlastn branding',
'Custom Configuration' => 'Vlastn konfigurace',
'Custom CSS for Internal Pages' => 'Vlastn CSS pro intern strnky',
'Custom CSS for Public Pages' => 'Vlastn CSS pro veejn strnky',
'Custom Cues: Cue-In Point (seconds)' => 'Vlastn stih: msto nstupu (v sekundch)',
'Custom Cues: Cue-Out Point (seconds)' => 'Vlastn stih: msto ukonen (v sekundch)',
'Custom Fading: Fade-In Time (seconds)' => 'Vlastn pechod: zesilovn zvuku (v sekundch)',
'Custom Fading: Fade-Out Time (seconds)' => 'Vlastn pechod: zeslabovn zvuku (v sekundch)',
'Custom Fallback File' => 'Souasn vlastn soubor Fallback',
'Custom Fields' => 'Vlastn pole',
'Custom Frontend Configuration' => 'Vlastn konfigurace frontendu',
'Custom JS for Public Pages' => 'Vlastn JS pro veejn strnky',
'Customize' => 'Pizpsobit',
'Customize Administrator Password' => 'Pizpsobit heslo administrtora',
'Customize AzuraCast Settings' => 'Pizpsobit nastaven AzuraCast',
'Customize Broadcasting Port' => 'Pizpsobit port vysln',
'Customize Copy' => 'Pizpsobit kopii',
'Customize DJ/Streamer Mount Point' => 'Pizpsobit ppojn bod DJ/Streamer',
'Customize DJ/Streamer Port' => 'Pizpsobit DJ/Streamer port',
'Customize Internal Request Processing Port' => 'Pizpsobit port internho zpracovn poadavk',
'Customize Source Password' => 'Pizpsobit heslo zdroje',
'Customize the number of songs that will appear in the "Song History" section for this station and in all public APIs.' => 'Pizpsobte poet skladeb, kter se zobraz v sti "Historie skladeb" pro tuto stanici a ve vech veejnch rozhranch API.',
'Customize this setting to ensure you get the correct IP address for remote users. Only change this setting if you use a reverse proxy, either within Docker or a third-party service like CloudFlare.' => 'Pizpsobte toto nastaven tak, abyste zajistili sprvnou IP adresu pro vzdlen uivatele. Toto nastaven zmte pouze v ppad, e pouvte reverzn proxy server, a u v rmci nstroje Docker, nebo sluby tetch stran, jako je CloudFlare.',
'Dashboard' => 'Ovldac Panel',
'Days of Playback History to Keep' => 'Doba udrovn historie pehrvn',
'Deactivate Streamer on Disconnect (Seconds)' => 'Deaktivace Streamera pi Odpojen (vteiny)',
'Default Album Art' => 'Vchoz Album Art',
'Default Album Art URL' => 'URL adresa vchozho obrzku alba',
'Default Avatar URL' => 'Vchoz URL Avataru',
'Default Mount' => 'Vchoz pipojen',
'Delete' => 'Odstranit',
'Delete Album Art' => 'Vymazat Album Art',
'Description' => 'Popisek',
'Details' => 'Podrobnosti',
'Directory' => 'Adres',
'Directory Name' => 'Nzev Adrese',
'Disable' => 'Zakzno',
'Disable Two-Factor' => 'Zakzat Dvoufzov oven',
'Disabled' => 'Zakzno',
'Disconnect Streamer' => 'Odpojit Streamera',
'Discord Web Hook URL' => 'URL Discord Web Hooku',
'Disk caching makes a system much faster and more responsive in general. It does not take memory away from applications in any way since it will automatically be released by the operating system when needed.' => 'Diskov ukldn do mezipamti in systm mnohem rychlej a responzivnj. Nebere dnou pam z ostatnch aplikac jeliko ji v ppad poteby automaticky uvoln.',
'Disk Space' => 'Msto na disku',
'Display Name' => 'Zobrazovan nzev',
'DJ/Streamer Buffer Time (Seconds)' => 'Doba vyrovnvac pamti DJ/Streamera (Vteiny)',
'Domain Name(s)' => 'Nzev/Nzvy domn',
'Donate to support AzuraCast!' => 'Podpoit AzuraCast!',
'Download' => 'Sthnout',
'Download CSV' => 'Sthnout CSV',
'Download M3U' => 'Sthnout M3U',
'Download PLS' => 'Sthnout PLS',
'Download the appropriate binary from the Stereo Tool downloads page:' => 'Sthnte si odpovdajc binrn soubor ze strnky Stereo Tool:',
'Download the Linux x64 binary from the Shoutcast Radio Manager:' => 'Sthnte si binrn soubor Linux x64 z Shoutcast Radio Manager:',
'Drag file(s) here to upload or' => 'Soubory pro nahrn pethnte sem nebo',
'Dropbox App Console' => 'Aplikace Dropbox konzole',
'Dropbox Setup Instructions' => 'Pokyny pro nastaven Dropboxu',
'Duplicate' => 'Duplikovat',
'Duplicate Playlist' => 'Duplikovat Seznam Skladeb',
'Duplicate Prevention Time Range (Minutes)' => 'Duplikovat asov rozsah prevence (Minuty)',
'Duplicate Songs' => 'Duplicitn skladby',
'E-mail Address' => 'Emailov adresa',
'E-mail Address (Optional)' => 'E-Mailov adresa (nepovinn)',
'E-mail addresses can be separated by commas.' => 'E-Mailov adresy od sebe mohou bt oddleny rkami.',
'E-mail Delivery Service' => 'Sluba pro doruovn E-Mail',
'Edit' => 'Upravit',
'Edit Branding' => 'Upravit branding',
'Edit Liquidsoap Configuration' => 'Upravit Liquidsoap konfiguraci',
'Edit Media' => 'Upravit mdia',
'Edit Profile' => 'Upravit profil',
'Edit Station Profile' => 'Upravit profil stanice',
'Embed Code' => 'Vloit kd',
'Embed Widgets' => 'Vloit widgety',
'Enable' => 'Povoleno',
'Enable Advanced Features' => 'Povolit rozen funkce',
'Enable AutoDJ' => 'Povolit funkci AutoDJ',
'Enable Broadcasting' => 'Povolit vysln',
'Enable certain advanced features in the web interface, including advanced playlist configuration, station port assignment, changing base media directories and other functionality that should only be used by users who are comfortable with advanced functionality.' => 'Povolen nkterch pokroilch funkc ve webovm rozhran, vetn pokroil konfigurace seznamu skladeb, piazen portu stanice, zmny adres zkladnch mdi a dalch funkc, kter by mli pouvat pouze uivatel, kte maj zkuenosti s pokroilmi funkcemi.',
'Enable Downloads on On-Demand Page' => 'Povolit staen na On-Demand strnce',
'Enable HTTP Live Streaming (HLS)' => 'Povolit HTTP Live Streaming (HLS)',
'Enable listeners to request a song for play on your station. Only songs that are already in your playlists are requestable.' => 'Povolit poslucham o dost skladby na va stanici. Pouze skladby kter jsou ji ve vaich seznamech skladeb jsou dostupn.',
'Enable Mail Delivery' => 'Povolit doruovn E-Mail',
'Enable On-Demand Streaming' => 'Povolit On-Demand Streaming',
'Enable Public Pages' => 'Povolit veejn strnky',
'Enable this setting to prevent metadata from being sent to the AutoDJ for files in this playlist. This is useful if the playlist contains jingles or bumpers.' => 'Povolte toto nastaven, abyste pro soubory v tomto seznamu skladeb zabrnili odesln metadat do AutoDJe. To je uiten v ppad, e seznam skladeb obsahuje znlky, reklamy a podobn.',
'Enable to advertise this mount point on "Yellow Pages" public radio directories.' => 'Povolit publikovn tohoto ppojnho bodu do veejnch adres rdiovch stanic typu "Zlat strnky".',
'Enable to advertise this relay on "Yellow Pages" public radio directories.' => 'Povolit propagaci tohoto rel na "Yellow Pages" veejnch adres stanic.',
'Enable to allow listeners to select this relay on this station\'s public pages.' => 'Umonte poslucham vybrat toto vzdlen pipojen na veejnch strnkch tto stanice.',
'Enable to allow this account to log in and stream.' => 'Povolit pihlaovn a streamovn tohoto tu.',
'Enable to have AzuraCast automatically run nightly backups at the time specified.' => 'Povolit, aby AzuraCast v urenm ase automaticky spoutla non zlohovn.',
'Enable Two-Factor' => 'Povolit Dvoufzov oven',
'Enable Two-Factor Authentication' => 'Povolit autentikaci Dvoufzovho oven',
'Enabled' => 'Povoleno',
'End Date' => 'Koncov datum',
'End Time' => 'as ukonen',
'Enforce Schedule Times' => 'Vynutit asov rozvrhy',
'Enlarge Album Art' => 'Zvtit Album Art',
'Enter "AzuraCast" as the application name. You can leave the URL fields unchanged. For "Scopes", only "write:media" and "write:statuses" are required.' => 'Jako nzev aplikace zadejte "AzuraCast". Pole URL mete ponechat beze zmny. Pro "Scopes" (Rozsah) jsou vyadovny pouze poloky "write:media" a "write:statuses".',
'Enter the access code you receive below.' => 'Ne zadejte pstupov kd, kter jste obdreli.',
'Enter the current code provided by your authenticator app to verify that it\'s working correctly.' => 'Zadejte aktuln kd poskytnut autentizan aplikac, abyste ovili, zda funguje sprvn.',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => 'Zadejte plnou adresu URL jinho streamu, aby bylo mon penet vysln prostednictvm tohoto bodu pipojen.',
'Enter your app secret and app key below.' => 'Ne zadejte svj tajn kl aplikace a kl aplikace.',
'Enter your e-mail address to receive updates about your certificate.' => 'Zadejte svou e-mailovou adresu, abyste mohli dostvat aktuln informace o svm certifiktu.',
'Enter your password' => 'Zadejte sv heslo',
'Episode' => 'Epizoda',
'Episodes' => 'Epizody',
'Example: if the remote radio URL is path_to_url enter "path_to_url".' => 'Pklad: Pokud je adresa URL vzdlenho rdia path_to_url zadejte "path_to_url".',
'Exclude Media from Backup' => 'Vylouit mdia ze zloh',
'Excluding media from automated backups will save space, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => 'Vylouenm mdi z automatickho zlohovn uette msto, ale mli byste se ujistit, e mdia zlohujete jinde. Vimnte si, e zlohovna budou pouze lokln uloen mdia.',
'Explicit' => 'Explicitn',
'Export %{format}' => 'Exportovat %{format}',
'Export Media to CSV' => 'Exportovat Mdia do CSV',
'External' => 'Extern',
'Fallback Mount' => 'Nouzov ppojn bod',
'Field Name' => 'Nzev pole',
'File Name' => 'Jmno souboru',
'Footer Text' => 'Text Zpat',
'For local filesystems, this is the base path of the directory. For remote filesystems, this is the folder prefix.' => 'U mstnch souborovch systm je to zkladn cesta k adresi. U vzdlench souborovch systm je to pedpona sloky.',
'For most cases, use the default UTF-8 encoding. The older ISO-8859-1 encoding can be used if accepting connections from Shoutcast 1 DJs or using other legacy software.' => 'Ve vtin ppad pouijte vchoz kdovn UTF-8. Star kdovn ISO-8859-1 lze pout, pokud pijmte pipojen od DJ Shoutcast 1 nebo pouvte jin star software.',
'for selected period' => 'pro zvolen obdob',
'For simple updates where you want to keep your current configuration, you can update directly via your web browser. You will be disconnected from the web interface and listeners will be disconnected from all stations.' => 'V ppad jednoduchch aktualizac, kdy chcete zachovat aktuln konfiguraci, mete aktualizovat pmo prostednictvm webovho prohlee. Budete odpojeni od webovho rozhran a posluchai budou odpojeni od vech stanic.',
'For some clients, use port:' => 'U nkterch klient pouijte port:',
'Forgot your password?' => 'Zapomnli jste heslo?',
'Friday' => 'Ptek',
'From your smartphone, scan the code to the right using an authentication app of your choice (FreeOTP, Authy, etc).' => 'Z chytrho telefonu naskenujte kd vpravo pomoc vybran ovovac aplikace (FreeOTP, Authy atd.).',
'Full Volume' => 'Pln hlasitost',
'General Rotation' => 'Obecn rotace',
'Generate Access Code' => 'Vygenerovat Pstupov Kd',
'Generate Report' => 'Generovat pehled',
'Generate/Renew Certificate' => 'Vygenerovat/Obnovit Certifikt',
'Generic Web Hooks' => 'Obecn Web Hooky',
'Genre' => 'nr',
'GeoLite is not currently installed on this installation.' => 'GeoLite nen na tto instanci nainstalovn.',
'Get Next Song' => 'Zskat Dal Pse',
'Get Now Playing' => 'Zskat Nyn Hraje',
'Global' => 'Globln',
'Global Permissions' => 'Globln Oprvnn',
'Help' => 'Pomoc',
'Hide Album Art on Public Pages' => 'Skrt obal alba na veejnch strnkch',
'Hide AzuraCast Branding on Public Pages' => 'Skrt AzuraCast znaku na veejnch strnkch',
'Hide Metadata from Listeners ("Jingle Mode")' => 'Skrt poslucham metadata ("Jingle md")',
'High I/O Wait can indicate a bottleneck with the server\'s hard disk, a potentially failing hard disk, or heavy load on the hard disk.' => 'Vysok poet I/O Wait me indikovat bottleneck na pevnm disku serveru, potenciln selhvajc pevn disk nebo velk zaten pevnho disku.',
'Higher weight playlists are played more frequently compared to other lower-weight playlists.' => 'Seznamy skladeb s vy vhou se pehrvaj astji ne ostatn seznamy skladeb s ni vhou.',
'History' => 'Historie',
'HLS Streams' => 'HLS Streamy',
'Home' => 'vod',
'Homepage Redirect URL' => 'URL adresa pesmrovn z vodn strnky',
'HTTP Live Streaming (HLS)' => 'HTTP Live Streamy (HLS)',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate streaming technology. From this page, you can configure the individual bitrates and formats that are included in the combined HLS stream.' => 'HTTP Live Streaming (HLS) je nov technologie streamovn s adaptivnm datovm tokem. Na tto strnce mete konfigurovat jednotliv datov toky a formty, kter jsou zahrnuty do kombinovanho streamu HLS.',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate technology supported by some clients. It does not use the standard broadcasting frontends.' => 'HTTP Live Streaming (HLS) je nov technologie adaptivnho datovho toku, kterou podporuj nkte klienti. Nepouv standardn vyslac frontendy.',
'Icecast Clients' => 'Icecast Klienti',
'If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.' => 'Pokud skladba nem dn obrzek alba, bude zobrazen obrzek z tto URL adresy. Chcete-li pout standardn zstupn obrzek, ponechte przdn.',
'If a visitor is not signed in and visits the AzuraCast homepage, you can automatically redirect them to the URL specified here. Leave blank to redirect them to the login screen by default.' => 'Pokud nen nvtvnk pihlen a navtv domovskou strnku AzuraCast, mete ho automaticky pesmrovat na zde uvedenou URL adresu. Chcete-li ho pesmrovat na vchoz pihlaovac obrazovku, ponechte przdn.',
'If disabled, the playlist will not be included in radio playback, but can still be managed.' => 'Pokud je vypnuto, seznam skladeb nebude zahrnut do pehrvn rdia, ale stle jej lze spravovat.',
'If disabled, the station will not broadcast or shuffle its AutoDJ.' => 'Pokud je vypnuto, stanice nebude vyslat ani nhodn pehrvat svj AutoDJ.',
'If enabled, a download button will also be present on the public "On-Demand" page.' => 'Pokud je tato monost povolena, bude na veejn strnce "On-Demand" k dispozici tak tlatko pro staen.',
'If enabled, AzuraCast will automatically record any live broadcasts made to this station to per-broadcast recordings.' => 'Pokud je tato funkce povolena, bude AzuraCast automaticky nahrvat vechna iv vysln tto stanice do nahrvek na vysln.',
'If enabled, AzuraCast will connect to the MusicBrainz database to attempt to find an ISRC for any files where one is missing. Disabling this may improve performance.' => 'Pokud je tato funkce povolena, AzuraCast se pipoj k databzi MusicBrainz a pokus se najt ISRC pro vechny soubory, u kterch chyb. Vypnut tto funkce me zlepit vkon.',
'If enabled, music from playlists with on-demand streaming enabled will be available to stream via a specialized public page.' => 'Pokud je tato monost povolena, bude hudba ze seznam skladeb se zapnutm on-demand dostupn ke streamovn prostednictvm specializovan veejn strnky.',
'If enabled, streamers (or DJs) will be able to connect directly to your stream and broadcast live music that interrupts the AutoDJ stream.' => 'Pokud je tato funkce povolena, mohou se streamei (nebo DJs) pipojit pmo k vaemu streamu a vyslat ivou hudbu, kter peru stream AutoDJ.',
'If enabled, the AutoDJ on this installation will automatically play music to this mount point.' => 'Pokud je povoleno, funkce AutoDJ tto instalace bude do tohoto ppojnho bodu automaticky pehrvat playlisty.',
'If enabled, the AutoDJ will automatically play music to this mount point.' => 'Pokud je povoleno, funkce AutoDJ bude do tohoto ppojnho bodu automaticky pehrvat playlisty.',
'If enabled, this streamer will only be able to connect during their scheduled broadcast times.' => 'Pokud je tato monost povolena, bude se tento streamer moci pipojit pouze v dob svho plnovanho vysln.',
'If requests are enabled for your station, users will be able to request media that is on this playlist.' => 'Pokud jsou pro vai stanici povoleny dosti, uivatel budou moci podat o skladby, kter jsou v tomto seznamu skladeb.',
'If requests are enabled, this specifies the minimum delay (in minutes) between a request being submitted and being played. If set to zero, a minor delay of 15 seconds is applied to prevent request floods.' => 'Pokud jsou povoleny dosti, uruje minimln prodlevu (v minutch) mezi odeslnm poadavku a jeho pehrnm. Pokud je nastavena na nulu, pouije se men zpodn 15 sekund, aby se zabrnilo zplav poadavk.',
'If selected, album art will not display on public-facing radio pages.' => 'Pokud je vybrno, nebude se obal alba zobrazovat na veejn pstupnch strnkch.',
'If selected, this will remove the AzuraCast branding from public-facing pages.' => 'Pokud je tato monost vybrna, odstran se znaka AzuraCast ze strnek, kter jsou veejn pstupn.',
'If the end time is before the start time, the playlist will play overnight.' => 'Pokud je as ukonen ped asem zahjen, bude seznam skladeb hrt pes noc.',
'If the end time is before the start time, the schedule entry will continue overnight.' => 'Pokud je as ukonen ped asem zahjen, bude zznam plnu pokraovat pes noc.',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => 'Pokud je toto pipojen vchoz, bude pehrno v nhledu rdia a na veejn strnce rdia.',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => 'Pokud tento ppojn bod nepehrv zvuk, posluchai budou automaticky pesmrovni na tento ppojn bod. Vchoz hodnota je /error.mp3, opakujc se chybov zprva.',
'If this setting is set to "Yes", the browser URL will be used instead of the base URL when it\'s available. Set to "No" to always use the base URL.' => 'Pokud je nastaveno na hodnotu Ano, bude URL adresa prohlee pouita msto zkladn URL adresy, pokud je k dispozici. Chcete-li vdy pout zkladn URL adresu, nastavte hodnotu Ne.',
'If this station has on-demand streaming and downloading enabled, only songs that are in playlists with this setting enabled will be visible.' => 'Pokud m tato stanice povoleno on-demand streamovn a stahovn na vydn, budou viditeln pouze skladby, kter jsou v seznamech skladeb s tmto nastavenm.',
'If you are broadcasting using AutoDJ, enter the source password here.' => 'Pokud se vysl pomoc funkce AutoDJ, zadejte zde zdrojov heslo.',
'If you are broadcasting using AutoDJ, enter the source username here. This may be blank.' => 'Pokud se vysl pomoc funkce AutoDJ, zadejte zde zdrojov uivatelsk jmno. Me bt przdn.',
'If you\'re experiencing a bug or error, you can submit a GitHub issue using the link below.' => 'Pokud se setkte s chybou nebo omylem, mete odeslat problm na GitHub pomoc ne uvedenho odkazu.',
'If your installation is constrained by CPU or memory, you can change this setting to tune the resources used by Liquidsoap.' => 'Pokud je vae instalace omezena procesorem nebo pamt, mete toto nastaven zmnit a upravit tak prostedky vyuvan aplikac Liquidsoap.',
'If your Mastodon username is "@test@example.com", enter "example.com".' => 'Pokud je vae uivatelsk jmno Mastodon "@test@example.com", zadejte "example.com".',
'If your stream is set to advertise to YP directories above, you must specify an authorization hash. You can manage these on the Shoutcast web site.' => 'Pokud je v datov tok nastaven na inzerovn do ve uvedench adres YP, muste zadat autorizan hash. Ty mete spravovat na webu Shoutcast.',
'If your streaming software requires a specific mount point path, specify it here. Otherwise, use the default.' => 'Pokud v streamovac software vyaduje konkrtn cestu k ppojnmu bodu, zadejte ji zde. V opanm ppad pouijte vchoz hodnotu.',
'If your web hook requires HTTP basic authentication, provide the password here.' => 'Pokud v web hook vyaduje zkladn oven HTTP, zadejte zde heslo.',
'If your web hook requires HTTP basic authentication, provide the username here.' => 'Pokud v web hook vyaduje zkladn oven HTTP, zadejte zde uivatelsk jmno.',
'Import Changes from CSV' => 'Importovat zmny z CSV',
'Import from PLS/M3U' => 'Importovat z PLS/M3U',
'Import Results' => 'Vsledky importu',
'Important: copy the key below before continuing!' => 'Dleit: ped pokraovnm zkoprujte ne uveden kl!',
'In order to install Shoutcast:' => 'Chcete-li nainstalovat slubu Shoutcast:',
'In order to install Stereo Tool:' => 'Chcete-li nainstalovat nstroj Stereo Tool:',
'In order to process quickly, web hooks have a short timeout, so the responding service should be optimized to handle the request in under 2 seconds.' => 'Aby bylo zpracovn rychl, maj web hooky krtk timeout, take sluba, kter odpovd, by mla bt optimalizovna tak, aby poadavek vydila za mn ne 2 sekundy.',
'Include in On-Demand Player' => 'Zahrnut do pehrvae On-Demand',
'Information about the current playing track will appear here once your station has started.' => 'Po sputn stanice se zde zobraz informace o aktuln pehrvan skladb.',
'Insert' => 'Vloit',
'Install GeoLite IP Database' => 'Nainstalovat GeoLite IP databzi',
'Install Shoutcast' => 'Instalovat Shoutcast',
'Install Shoutcast 2 DNAS' => 'Instalace sluby Shoutcast 2 DNAS',
'Install Stereo Tool' => 'Instalace nstroje Stereo',
'Instructions' => 'Instrukce',
'Internal notes or comments about the user, visible only on this control panel.' => 'Intern poznmky nebo komente o uivateli, viditeln pouze na tomto ovldacm panelu.',
'International Standard Recording Code, used for licensing reports.' => 'Mezinrodn standardn kd zznam, kter se pouv pro zprvy o licencch.',
'IP Address Source' => 'Zdroj IP Adresy',
'IP Geolocation is used to guess the approximate location of your listeners based on the IP address they connect with. Use the free built-in IP Geolocation library or enter a license key on this page to use MaxMind GeoLite.' => 'Funkce IP Geolocation slou k odhadu piblin polohy poslucha na zklad IP adresy, ze kter se pipojuj. Chcete-li pouvat knihovnu MaxMind GeoLite, pouijte zdarma vestavnou knihovnu IP Geolocation nebo zadejte licenn kl na tto strnce.',
'ISRC' => 'ISRC',
'Jingle Mode' => 'Reim Jingle',
'Language' => 'Jazyk',
'Last run:' => 'Posledn sputn:',
'Last.fm API Key' => 'Kl API sluby Last.fm',
'Learn about Advanced Playlists' => 'Pette si o pokroilch seznamech skladeb',
'Learn more about release channels in the AzuraCast docs.' => 'Dal informace o kanlech vydn najdete v dokumentech k AzuraCastu.',
'Learn more about this header.' => 'Vce informac o tto hlavice.',
'Leave blank to automatically generate a new password.' => 'Pro automatick vygenerovn novho hesla ponechte przdn.',
'Leave blank to play on every day of the week.' => 'Nechte przdn, aby playlist hrl kad den v tdnu.',
'Leave blank to use the current password.' => 'Pro pouit aktulnho hesla ponechte przdn.',
'Leave blank to use the default Telegram API URL (recommended).' => 'Pokud chcete pout vchoz adresu URL rozhran Telegram API, ponechte ji przdnou (doporueno).',
'Length' => 'Dlka',
'Let\'s get started by creating your Super Administrator account.' => 'Zanme vytvoenm tu superadministrtora.',
'LetsEncrypt provides simple, free SSL certificates allowing you to secure traffic through your control panel and radio streams.' => 'LetsEncrypt poskytuje jednoduch a bezplatn certifikty SSL, kter umouj zabezpeit provoz pes ovldac panel a rdiov streamy.',
'Liquidsoap Performance Tuning' => 'Ladn vkonu Liquidsoap',
'List one IP address or group (in CIDR format) per line.' => 'Na kadm dku uvete jednu IP adresu nebo skupinu (ve formtu CIDR).',
'List one user agent per line. Wildcards (*) are allowed.' => 'Na kadm dku uvete jednoho uivatelskho agenta. Zstupn znaky (*) jsou povoleny.',
'Listener Analytics Collection' => 'Analytick sbr nad posluchai',
'Listener History' => 'Historie Posluchae',
'Listener Report' => 'Pehled Posluchae',
'Listener Request' => 'dost Posluchae',
'Listeners' => 'Posluchai',
'Listeners by Day' => 'Posluchai podle dne',
'Listeners by Day of Week' => 'Posluchai podle dne v tdnu',
'Listeners by Hour' => 'Posluchai podle hodiny',
'Listeners by Listening Time' => 'Posluchai podle asu',
'Listeners By Time Period' => 'Posluchai Podle asovho Obdob',
'Listeners Per Station' => 'Posluchai Na Jednu Stanici',
'Listening Time' => 'as Poslechu',
'Live' => 'iv',
'Live Broadcast Recording Bitrate (kbps)' => 'Bitrate (v kbps) Nahrvn ivho Vysln',
'Live Broadcast Recording Format' => 'Formt Zznamu ivho Vysln',
'Live Listeners' => 'Posluchai',
'Live Recordings Storage Location' => 'Umstn loit ivho Vysln',
'Live Streaming' => 'iv Vysln',
'Load Average' => 'Prmr Zaten',
'Local' => 'Lokln',
'Local Streams' => 'Lokln Streamy',
'Log In' => 'Pihlsit se',
'Log Viewer' => 'Prohle protokol',
'Logs' => 'Zznamy',
'Logs by Station' => 'Zznamy podle Stanice',
'Loop Once' => 'Opakovat Jednou',
'Main Message Content' => 'Hlavn Obsah Zprvy',
'Make HLS Stream Default in Public Player' => 'Nastavit HLS Stream Jako Vchoz ve Veejnm Pehrvai',
'Make the selected media play immediately, interrupting existing media' => 'Provst pehrn aktuln vybrnch mdi okamit, peruenm existujcch mdi',
'Manage' => 'Sprva',
'Manage Avatar' => 'Spravovat Avatar',
'Manage SFTP Accounts' => 'Sprva SFTP tu',
'Manage Stations' => 'Sprva Stanic',
'Manual AutoDJ Mode' => 'Run Reim AutoDJ',
'Manual Updates' => 'Run Aktualizace',
'Master_me is an open-source automatic mastering plugin for streaming, podcasts and Internet radio.' => 'Master_me je open source automaticky masterovac plugin pro stremovn, podcasty a Internetov rdio.',
'Master_me Loudness Target (LUFS)' => 'Master_me Nastaven Hlasitosti (v LUFS)',
'Master_me Preset' => 'Master_me Pednastaven',
'Master_me Project Homepage' => 'Hlavn strnka Projektu Master_me',
'Mastodon Account Details' => 'daje o tu Mastodon',
'Mastodon Instance URL' => 'URL Instance Mastodon',
'Matomo API Token' => 'API Token Matomo',
'Matomo Installation Base URL' => 'Zkladn URL Instalace Matomo',
'Matomo Site ID' => 'ID Strnky Matomo',
'Max Listener Duration' => 'Maximln Doba Poslouchn Posluchae',
'Maximum Listeners' => 'Maximum Poslucha',
'Maximum number of total listeners across all streams. Leave blank to use the default.' => 'Maximln poet vech poslucha na vech streamech. Ponechte przdn pro vchoz nastaven.',
'MaxMind Developer Site' => 'Vvojsk Strnka MaxMind',
'Measurement ID' => 'ID Men',
'Measurement Protocol API Secret' => 'Tajn API Mcho Protokolu',
'Media' => 'Mdia',
'Media File' => 'Soubor Mdia',
'Media Storage Location' => 'Umstn loit Mdi',
'Memory' => 'Pam',
'Memory Stats Help' => 'Pomoc se Statistikami Pamti',
'Message Body' => 'Tlo Zprvy',
'Message Body on Song Change' => 'Tlo Zprvy na Zmnu Skladby',
'Message Body on Station Offline' => 'Tlo Zprvy na Offline Stanici',
'Message Body on Station Online' => 'Tlo Zprvy na Online Stanici',
'Message Body on Streamer/DJ Connect' => 'Tlo Zprvy na Streamerskm/DJ Pipojen',
'Message Body on Streamer/DJ Disconnect' => 'Tlo Zprvy na Streamerskm/DJ Odpojen',
'Message Customization Tips' => 'Tipy pro Pizpsoben Zprv',
'Message parsing mode' => 'Reim rozboru zprv',
'Message Queues' => 'Fronty Zprv',
'Message Recipient(s)' => 'Pijemce/y Zprvy',
'Message Subject' => 'Pedmt Zprvy',
'Message Visibility' => 'Viditelnost Zprvy',
'Microphone' => 'Mikrofon',
'Microphone Source' => 'Zdroj Mikrofonu',
'Minute of Hour to Play' => 'Minuta hodiny pro pehrn',
'Mixer' => 'Mixr',
'Monday' => 'Pondl',
'More' => 'Vce',
'Most hosting providers will put more Virtual Machines (VPSes) on a server than the hardware can handle when each VM is running at full CPU load. This is called over-provisioning, which can lead to other VMs on the server "stealing" CPU time from your VM and vice-versa.' => 'Vtina poskytovatel hostingu umst na server vce virtulnch stroj (VPS), ne kolik jich zvldne hardware, kdy kad virtuln stroj b pi plnm zaten procesoru. Tomuto postupu se k over-provisioning, co me vst k tomu, e ostatn virtuln potae na serveru "kradou" procesorov as vaemu virtulnmu potai a naopak.',
'Most Played Songs' => 'Nejvce Pehrvne Skladby',
'Most Recent Backup Log' => 'Nejnovj Log Zlohy',
'Mount Name:' => 'Jmno Pipojen:',
'Mount Point URL' => 'URL ppojnho bodu',
'Mount Points' => 'Ppojn body',
'Mount points are how listeners connect and listen to your station. Each mount point can be a different audio format or quality. Using mount points, you can set up a high-quality stream for broadband listeners and a mobile stream for phone users.' => 'Mount points jsou zpsobem, jakm se posluchai pipojuj a poslouchaj vai stanici. Kad ppojn bod me mt jin zvukov formt nebo kvalitu. Pomoc ppojnch bod mete nastavit vysoce kvalitn stream pro irokopsmov posluchae a mobiln stream pro uivatele telefon.',
'Move' => 'Pemstit',
'Move to Directory' => 'Pemstit do Adrese',
'Music Files' => 'Hudebn Soubory',
'Mute' => 'Umlet',
'My Account' => 'Mj et',
'Name' => 'Nzev',
'name@example.com' => 'jmeno@priklad.cz',
'Need Help?' => 'Potebujete Pomoct?',
'Network Interfaces' => 'Sov Rozhran',
'Never run' => 'Nikdy Neprobhla',
'New Directory' => 'Nov Adres',
'New File Name' => 'Nov Jmno Souboru',
'New Folder' => 'Nov Sloka',
'New Key Generated' => 'Nov Vygenerovan Kl',
'New Password' => 'Nov heslo',
'New Playlist' => 'Nov Seznam Skladeb',
'New Playlist Name' => 'Nzev Novho Seznamu Skladeb',
'New Station Description' => 'Popis Nov Stanice',
'New Station Name' => 'Nzev Nov Stanice',
'No' => 'Ne',
'No AutoDJ Enabled' => 'AutoDJ Nen Povolen',
'No Match' => 'dn Shoda',
'No other program can be using this port. Leave blank to automatically assign a port.' => 'Tento port nesm pouvat dn jin program. Pro automatick piazen portu ponechte przdn.',
'No records to display.' => 'dn zznamy k zobrazen.',
'None' => 'Nic',
'Not Played' => 'Nehrno',
'Not Scheduled' => 'Nen Naplnovno',
'Note that restoring a backup will clear your existing database. Never restore backup files from untrusted users.' => 'Upozorujeme, e obnoven zlohy vymae stvajc databzi. Nikdy neobnovujte zlon soubory od nedvryhodnch uivatel.',
'Note: If your media metadata has UTF-8 characters, you should use a spreadsheet editor that supports UTF-8 encoding, like OpenOffice.' => 'Poznmka: Pokud metadata mdi obsahuj znaky UTF-8, mli byste pout tabulkov editor, kter podporuje kdovn UTF-8, napklad OpenOffice.',
'Note: This should be the public-facing homepage of the radio station, not the AzuraCast URL. It will be included in broadcast details.' => 'Poznmka: Toto by mla bt veejn domovsk strnka rozhlasov stanice, nikoli adresa URL AzuraCast. Bude uvedena v podrobnostech o vysln.',
'Now' => 'Nyn',
'Now Playing' => 'Nyn Hraje',
'NowPlaying API Response' => 'NynHraje API Odpov',
'Number of Backup Copies to Keep' => 'Poet zlonch kopi pro uchovn',
'Number of Minutes Between Plays' => 'Poet minut mezi pehrnm',
'Number of seconds to overlap songs.' => 'Poet vtein pro pekrvn skladeb.',
'Number of Songs Between Plays' => 'Poet skladeb mezi pehrnm',
'Number of Visible Recent Songs' => 'Poet viditelnch poslednch skladeb',
'On the Air' => 'Ve Vysln',
'On-Demand Media' => 'Mdia na vydn',
'On-Demand Streaming' => 'On-Demand Streamovn',
'Once per %{minutes} Minutes' => 'Jednou za %{minutes} Minut',
'Once per %{songs} Songs' => 'Jednou za %{songs} Skladeb',
'Once per Hour' => 'Jednou za hodinu',
'Once per Hour (at %{minute})' => 'Jednou za Hodinu (v %{minute})',
'Once per x Minutes' => 'Jednou za x Minut',
'Once per x Songs' => 'Jednou za x skladeb',
'Once these steps are completed, enter the "Access Token" from the application\'s page into the field below.' => 'Jakmile jsou tyto kroky dokoneny, zadejte "Access Token" ze strnky aplikace do ne uvedenho pole.',
'One important note on I/O Wait is that it can indicate a bottleneck or problem but also may be completely meaningless, depending on the workload and general available resources. A constantly high I/O Wait should prompt further investigation with more sophisticated tools.' => 'Dleitou poznmkou k I/O Wait je, e me indikovat zk msto nebo problm, ale tak me bt zcela bezvznamn, v zvislosti na pracovn zti a obecn dostupnch zdrojch. Trvale vysok I/O Wait by ml bt podntem k dalmu zkoumn pomoc sofistikovanjch nstroj.',
'Only loop through playlist once.' => 'Pehrt seznam skladeb pouze jednou.',
'Only Post Once Every...' => 'Pspvek Jen Jednou Za...',
'Optional: HTTP Basic Authentication Password' => 'Voliteln: Heslo pro Zkladn Oven HTTP',
'Optional: HTTP Basic Authentication Username' => 'Voliteln: Uivatelsk Jmno pro Zkladn Oven HTTP',
'Optional: Request Timeout (Seconds)' => 'Voliteln: asov Limit Poadavku (vteiny)',
'Optionally select an ID3v2 metadata field that, if present, will be used to set this field\'s value.' => 'Voliteln vyberte pole metadat ID3v2, kter, pokud je ptomno, bude pouito k nastaven hodnoty tohoto pole.',
'Optionally specify a short URL-friendly name, such as "my_station_name", that will be used in this station\'s URLs. Leave this field blank to automatically create one based on the station name.' => 'Voliteln zadejte krtk nzev vhodn pro adresu URL, napklad "my_station_name", kter se bude pouvat v adresch URL tto stanice. Nechte toto pole przdn, aby se automaticky vytvoil na zklad nzvu stanice.',
'Optionally specify an API-friendly name, such as "field_name". Leave this field blank to automatically create one based on the name.' => 'Voliteln zadejte nzev vhodn pro rozhran API, napklad "field_name". Nechte toto pole przdn, aby se automaticky vytvoilo na zklad nzvu.',
'Optionally supply an API token to allow IP address overriding.' => 'Voliteln zadejte token API, kter umon pepsn IP adresy.',
'Optionally supply SSH public keys this user can use to connect instead of a password. Enter one key per line.' => 'Voliteln zadejte veejn kle SSH, kter me tento uivatel pout k pipojen msto hesla. Na kad dek zadejte jeden kl.',
'or' => 'nebo',
'Original Path' => 'Pvodn Cesta',
'Password' => 'Heslo',
'Password:' => 'Heslo:',
'Paste the generated license key into the field on this page.' => 'Vlote vygenerovan licenn kl do pole na tto strnce.',
'Path/Suffix' => 'Cesta/Ppona',
'Play' => 'Hrt',
'Play Now' => 'Pehrt Nyn',
'Playback Queue' => 'Fronta Pehrvn',
'Playing Next' => 'Dal Skladba',
'Playlist 1' => 'Seznam Skladeb 1',
'Playlist 2' => 'Seznam Skladeb 2',
'Playlist Name' => 'Nzev Seznamu Skladeb',
'Playlist queue cleared.' => 'Fronta seznamu skladeb vymazna.',
'Playlist Type' => 'Typ Seznamu Skladeb',
'Playlist Weight' => 'Vha Seznamu Skladeb',
'Playlist:' => 'Seznam Skladeb:',
'Playlists' => 'Seznamy Skladeb',
'Plays' => 'Pehrn',
'Please log in to continue.' => 'Pro pokraovn se prosm pihlaste.',
'Podcast media should be in the MP3 or M4A (AAC) format for the greatest compatibility.' => 'Podcast mdia by mla bt ve formtu MP3 nebo M4A (AAC) pro nejlep kompatibilitu.',
'Podcast Title' => 'Titulek Podcastu',
'Podcasts' => 'Podcasty',
'Podcasts Storage Location' => 'Umstn loit Podcastu',
'Prefer Browser URL (If Available)' => 'Preferovat URL adresu prohlee (je-li k dispozici)',
'Previous' => 'Pedchoz',
'Privacy' => 'Ochrana Soukrom',
'Profile' => 'Profil',
'Programmatic Name' => 'Systmov nzev',
'Provide a valid license key from Thimeo. Functionality is limited without a license key.' => 'Poskytnte platn licenn kl od spolenosti Thimeo. Bez licennho kle je funknost omezena.',
'Public Page' => 'Veejn strnka',
'Public Page Background' => 'Pozad Veejn Strnky',
'Public Pages' => 'Veejn Strnky',
'Publish to "Yellow Pages" Directories' => 'Publikovat do adres "Zlat strnky"',
'Queue' => 'Fronta',
'Queue the selected media to play next' => 'Pidejte do fronty vybran mdia pro jejich pehrn',
'Ready to start broadcasting? Click to start your station.' => 'Jste pipraveni zat vyslat? Kliknte pro sputn stanice.',
'Received' => 'Pijato',
'Record Live Broadcasts' => 'Nahrvat iv Vysln',
'Recover Account' => 'Obnovit et',
'Refresh rows' => 'Obnovit dky',
'Region' => 'Oblast',
'Relay' => 'Rel',
'Relay Stream URL' => 'URL jinho streamu',
'Release Channel' => 'Kanl Vydn',
'Reload' => 'Obnovit',
'Reload Configuration' => 'Obnovit Konfiguraci',
'Reload to Apply Changes' => 'Znovu Nast pro Pouit Zmn',
'Remember me' => 'Zstat Pihlen',
'Remote' => 'Vzdlen',
'Remote Playback Buffer (Seconds)' => 'Vzdlen vyrovnvac pam (sekundy)',
'Remote Relays' => 'Vzdlen pipojen',
'Remote relays let you work with broadcasting software outside this server. Any relay you include here will be included in your station\'s statistics. You can also broadcast from this server to remote relays.' => 'Vzdlen rel umouj pracovat s vyslacm softwarem mimo tento server. Jakkoli rel, kter zde uvedete, bude zahrnuto do statistik va stanice. Z tohoto serveru mete tak vyslat na vzdlen rel.',
'Remote Station Administrator Password' => 'Heslo Administrtora Vzdlen Stanice',
'Remote Station Listening Mountpoint/SID' => 'Ppojn bod/SID vzdlen stanice',
'Remote Station Listening URL' => 'URL adresa pro vzdlenou stanici',
'Remote Station Source Mountpoint/SID' => 'Ppojn bod/SID vzdlen stanice',
'Remote Station Source Password' => 'Zdrojov heslo vzdlen stanice',
'Remote Station Source Port' => 'Zdrojov port vzdlen stanice',
'Remote Station Source Username' => 'Zdrojov uivatelsk jmno vzdlen stanice',
'Remote Station Type' => 'Typ vzdlen stanice',
'Remote URL' => 'Vzdlen URL',
'Remote URL Playlist' => 'Vzdlen Seznam Skladeb',
'Remote URL Type' => 'Typ vzdlenho URL',
'Remote: Dropbox' => 'Vzdlen: Dropbox',
'Remote: S3 Compatible' => 'Vzdlen: S3 Compatible',
'Remote: SFTP' => 'Vzdlen: SFTP',
'Remove' => 'Odstranit',
'Remove Key' => 'Odstranit Kl',
'Rename' => 'Pejmenovat',
'Rename File/Directory' => 'Pejmenovn souboru/adrese',
'Reorder' => 'Zmnit Poad',
'Reorder Playlist' => 'Zmnit Poad Seznamu Skladeb',
'Repeat' => 'Opakovat',
'Replace Album Cover Art' => 'Vymnit pebal alba',
'Reports' => 'Reporty',
'Reprocess' => 'Optovn Zpracovn',
'Request' => 'dost',
'Request a Song' => 'dost o skladbu na pn',
'Request Last Played Threshold (Minutes)' => 'Prahov Hodnota Naposledy Pehranho Poadavku (Minuty)',
'Request Minimum Delay (Minutes)' => 'Poadavek Na Minimln Zpodn (Minuty)',
'Request Song' => 'Na pn',
'Requests' => 'dost',
'Reshuffle' => 'Pemchat',
'Restart' => 'Restartovat',
'Restart Broadcasting' => 'Restartovat vysln',
'Restoring Backups' => 'Obnoven Zloh',
'Role Name' => 'Nzev role',
'Roles' => 'Role',
'Roles & Permissions' => 'Role a Oprvnn',
'RSS Feed' => 'RSS Kanl',
'Run Automatic Nightly Backups' => 'Spustit automatick non zlohovn',
'Run Manual Backup' => 'Spustit run zlohu',
'Run Task' => 'Spustit lohu',
'Sample Rate' => 'Vzorkovac Frekvence',
'Saturday' => 'Sobota',
'Save' => 'Uloit',
'Save and Continue' => 'Uloit a Pokraovat',
'Save Changes' => 'Uloit zmny',
'Save Changes first' => 'Nejprvte Ulote zmny',
'Schedule' => 'Rozvrh',
'Schedule View' => 'Zobrazen Rozvrhu',
'Scheduled' => 'Rozvrh',
'Scheduled Backup Time' => 'Plnovan as zlohovn',
'Scheduled Play Days of Week' => 'Plnovan dny v tdnu',
'Scheduled playlists and other timed items will be controlled by this time zone.' => 'Podle tohoto asovho psma se budou dit naplnovan seznamy skladeb a dal asovan poloky.',
'Scheduled Time #%{num}' => 'Naplnovan as #%{num}',
'Search' => 'Vyhledat',
'Seconds from the start of the song that the AutoDJ should start playing.' => 'Poet sekund od zatku skladby, kde m AutoDJ zat pehrvat.',
'Seconds from the start of the song that the AutoDJ should stop playing.' => 'Poet sekund od zatku skladby, kde m AutoDJ pestat pehrvat.',
'Secret Key' => 'Tajn Kl (Secret Key)',
'Security' => 'Zabezpeen',
'Security & Privacy' => 'Bezpenost & Soukrom',
'See the Telegram documentation for more details.' => 'Dal podrobnosti naleznete v dokumentaci aplikace Telegram.',
'See the Telegram Documentation for more details.' => 'Dal podrobnosti naleznete v dokumentaci aplikace Telegram.',
'Seek' => 'Hledat',
'Segment Length (Seconds)' => 'Dlka Segmentu (vteiny)',
'Segments in Playlist' => 'Segmenty v Seznamu Skladeb',
'Segments Overhead' => 'Segmenty Reie',
'Select' => 'Vybrat',
'Select a theme to use as a base for station public pages and the login page.' => 'Vyberte tma, kter se pouije jako zkladn pro veejn strnky stanice a pihlaovac strnku.',
'Select an option here to apply post-processing using an easy preset or tool. You can also manually apply post-processing by editing your Liquidsoap configuration manually.' => 'Vbrem monosti zde mete pout nsledn post-processing pomoc jednoduch pedvolby nebo nstroje. Post-processing mete tak pout run pravou konfigurace Liquidsoap.',
'Select Configuration File' => 'Vybrat Konfiguran Soubor',
'Select CSV File' => 'Vybrat Soubor CSV',
'Select Custom Fallback File' => 'Vybrat Vlastn Soubor Fallback',
'Select File' => 'Zvolte soubor',
'Select Intro File' => 'Vybrat Intro Soubor',
'Select Media File' => 'Vybrat Soubor Mdia',
'Select PLS/M3U File to Import' => 'Vybrat Soubor PLS/M3U pro Import',
'Select PNG/JPG artwork file' => 'Vybrat Soubor PNG/JPG pro artwork',
'Select the category/categories that best reflects the content of your podcast.' => 'Vyberte kategorii/kategorie, kter nejlpe odrej obsah vaeho podcastu.',
'Select the countries that are not allowed to connect to the streams.' => 'Vyberte zem, kter se nesmj pipojovat ke streamm.',
'Send Test Message' => 'Odeslat Testovac Zprvu',
'Sender E-mail Address' => 'E-Mailov Adresa Odeslatele',
'Sender Name' => 'Jmno Odeslatele',
'Sequential' => 'Postupn',
'Server Status' => 'Stav Serveru',
'Services' => 'Sluby',
'Set a maximum disk space that this storage location can use. Specify the size with unit, i.e. "8 GB". Units are measured in 1024 bytes. Leave blank to default to the available space on the disk.' => 'Nastaven maximlnho prostoru na disku, kter me toto umstn loit vyuvat. Zadejte velikost s jednotkami, nap. "8 GB". Jednotky se m v 1024 bytech. Nechte przdn, aby se vchoz hodnota rovnala dostupnmu mstu na disku.',
'Set as Default Mount Point' => 'Nastavit jako vchoz ppojn bod',
'Set cue and fade points using the visual editor. The timestamps will be saved to the corresponding fields in the advanced playback settings.' => 'Pomoc vizulnho editoru nastavte body cue a prolnut. asov znaky se ulo do pslunch pol v pokroilm nastaven pehrvn.',
'Set Cue In' => 'Nastaven Cue In',
'Set Cue Out' => 'Nastaven Cue Out',
'Set Fade In' => 'Nastaven Fade In',
'Set Fade Out' => 'Nastaven Fade Out',
'Set longer to preserve more playback history and listener metadata for stations. Set shorter to save disk space.' => 'Nastavte del dobu, aby se zachovalo vce historie pehrvn a metadat poslucha stanic. Nastavte krat, abyste uetili msto na disku.',
'Set the length of time (seconds) a listener will stay connected to the stream. If set to 0, listeners can stay connected infinitely.' => 'Nastaven doby (vteiny), po kterou bude poslucha pipojen ke streamu. Je-li nastavena hodnota 0, mohou posluchai zstat pipojeni nekonen dlouho.',
'Set to * to allow all sources, or specify a list of origins separated by a comma (,).' => 'Nastavte * pro povolen vech zdroj nebo zadejte seznam zdroj oddlench rkou (,).',
'Settings' => 'Nastaven',
'Setup instructions for broadcasting software are available on the AzuraCast wiki.' => 'Pokyny k nastaven vyslacho softwaru jsou k dispozici na wiki AzuraCast.',
'SFTP Password' => 'SFTP Heslo',
'SFTP Port' => 'SFTP Port',
'SFTP Private Key' => 'SFTP Soukrom Kl',
'SFTP Private Key Pass Phrase' => 'SFTP Frze Soukromho Kle',
'SFTP Username' => 'SFTP Uivatelsk Jmno',
'SFTP Users' => 'SFTP Uivatel',
'Shoutcast 2 DNAS is not currently installed on this installation.' => 'Sluba Shoutcast 2 DNAS nen v souasn dob v tto instalaci nainstalovna.',
'Shoutcast 2 DNAS is not free software, and its restrictive license does not allow AzuraCast to distribute the Shoutcast binary.' => 'Shoutcast 2 DNAS nen free software a jeho omezujc licence neumouje spolenosti AzuraCast distribuovat binrn soubor Shoutcast.',
'Shoutcast Clients' => 'Shoutcast Klienti',
'Shoutcast Radio Manager' => 'Sprvce Rdia Shoutcast',
'Shoutcast User ID' => 'Shoutcast ID Uivatele',
'Show HLS Stream on Public Player' => 'Zobrazit Stream HLS ve Veejnm Pehrvai',
'Show new releases within your update channel on the AzuraCast homepage.' => 'Zobrazen novch verz v rmci aktualizanho kanlu na domovsk strnce AzuraCastu.',
'Show on Public Pages' => 'Zobrazit na veejnch strnkch',
'Show the station in public pages and general API results.' => 'Zobrazen stanice na veejnch strnkch a v obecnch vsledcch API.',
'Show Update Announcements' => 'Zobrazit Oznmen o Aktualizaci',
'Sidebar' => 'Postrann panel',
'Sign Out' => 'Odhlsit Se',
'Site Base URL' => 'Zkladn URL webu',
'Skip Song' => 'Peskoit Skladbu',
'Skip to main content' => 'Peskoit na hlavn obsah',
'SMTP Host' => 'SMTP Hostitel',
'SMTP Password' => 'SMTP Heslo',
'SMTP Username' => 'SMTP Uivatelsk Jmno',
'Social Media' => 'Sociln St',
'Some stream licensing providers may have specific rules regarding song requests. Check your local regulations for more information.' => 'Nkte poskytovatel streamovch licenc mohou mt specifick pravidla tkajc se dost o skladby. Dal informace zskte podle mstnch pedpis.',
'Song' => 'Skladba',
'Song Album' => 'Album skladby',
'Song Artist' => 'Interpret skladby',
'Song Genre' => 'nr Skladby',
'Song History' => 'Historie skladeb',
'Song Length' => 'Dlka Skladby',
'Song Lyrics' => 'Texty skladby',
'Song Playback Order' => 'Poad pehrvn skladeb',
'Song Playback Timeline' => 'asov osa pehrvn skladeb',
'Song Requests' => 'dosti o skladby',
'Song Title' => 'Nzev skladby',
'Song-based' => 'Na zklad skladeb',
'Song-Based Playlist' => 'Seznam Skladeb zaloen na skladbch',
'SoundExchange Report' => 'SoundExchange report',
'Source' => 'Zdroj',
'Specify a mountpoint (i.e. "/radio.mp3") or a Shoutcast SID (i.e. "2") to specify a specific stream to use for statistics or broadcasting.' => 'Zadejte ppojn bod (nap. "/radio.mp3") nebo identifiktor SID sluby Shoutcast (nap. "2") a urete konkrtn stream, kter se m pout pro statistiky nebo vysln.',
'Specify the minute of every hour that this playlist should play.' => 'Zvolte minutu kad hodiny, kterou by ml hrt tento seznam skladeb.',
'SSH Public Keys' => 'SSH Veejn Kle',
'Start' => 'Spustit',
'Start Date' => 'Datum Zahjen',
'Start Station' => 'Spustit stanici',
'Start Time' => 'as zahjen',
'Station Directories' => 'Adrese Stanic',
'Station Name' => 'Nzev Stanice',
'Station Offline' => 'Stanice je Offline',
'Station Overview' => 'Pehled Stanice',
'Station Permissions' => 'Oprvnn Stanice',
'Station Statistics' => 'Statistiky Stanice',
'Station Time' => 'as Stanice',
'Station Time Zone' => 'asov psmo stanice',
'Station-Specific Debugging' => 'Ladn pro Konkrtn Stanici',
'Stations' => 'Stanice',
'Steal' => 'Krde',
'Steal (St)' => 'Krde (St)',
'Step 1: Scan QR Code' => 'Krok 1: Naskenujte QR Kd',
'Step 2: Verify Generated Code' => 'Krok 2: Ovte Vygenerovan Kd',
'Steps for configuring a Mastodon application:' => 'Kroky pro konfiguraci aplikace Mastodon:',
'Stereo Tool documentation.' => 'Dokumentace k nstroji Stereo Tool.',
'Stereo Tool Downloads' => 'Stereo Tool ke staen',
'Stereo Tool is an industry standard for software audio processing. For more information on how to configure it, please refer to the' => 'Stereo Tool je prmyslov standard pro softwarov zpracovn zvuku. Dal informace o jeho konfiguraci naleznete v dokumentaci',
'Stereo Tool is not currently installed on this installation.' => 'Nstroj Stereo Tool nen v souasn dob v tto instalaci nainstalovn.',
'Stereo Tool is not free software, and its restrictive license does not allow AzuraCast to distribute the Stereo Tool binary.' => 'Stereo Tool nen free software a jeho omezujc licence neumouje spolenosti AzuraCast it binrn soubor Stereo Tool.',
'Stop' => 'Zastavit',
'Storage Adapter' => 'Adaptr pro ukldn dat',
'Storage Location' => 'Umstn loit',
'Storage Locations' => 'Umstn loi',
'Storage Quota' => 'Kvta loit',
'Streamer Broadcasts' => 'Streamer Vysln',
'Streamer Display Name' => 'Zobrazen Jmno Streamera',
'Streamer password' => 'Heslo Streamera',
'Streamer Username' => 'Uivatelsk Jmno Streamera',
'Streamer/DJ Accounts' => 'Stream/DJ ty',
'Streamers/DJs' => 'Streamei/DJs',
'Streams' => 'Streamy',
'Submit Code' => 'Odeslat Kd',
'Sunday' => 'Nedle',
'Support Documents' => 'Dokumenty Podpory',
'Supported file formats:' => 'Podporovan formty soubor:',
'Switch Theme' => 'Pepnout Motiv',
'Synchronization Tasks' => 'Synchronizan lohy',
'System Administration' => 'Sprva Systmu',
'System Debugger' => 'Systmov Debugger',
'System Logs' => 'Systmov logy',
'System Maintenance' => 'drba systmu',
'System Settings' => 'Systmov nastaven',
'Test' => 'Zkouka',
'The amount of memory Linux is using for disk caching.' => 'Mnostv pamti, kter Linux vyuv pro ukldn do mezipamti disku.',
'The average target loudness (measured in LUFS) for the broadcasted stream. Values between -14 and -18 LUFS are common for Internet radio stations.' => 'Prmrn clov hlasitost (men v LUFS) pro vyslan stream. Pro internetov rozhlasov stanice jsou bn hodnoty mezi -14 a -18 LUFS.',
'The base URL where this service is located. Use either the external IP address or fully-qualified domain name (if one exists) pointing to this server.' => 'Zkladn URL adresa, na kter se tato sluba nachz. Pouijte extern adresu IP nebo pln nzev domny (pokud existuje) smujc na tento server.',
'The body of the POST message is the exact same as the NowPlaying API response for your station.' => 'Tlo zprvy POST je naprosto stejn jako odpov rozhran API NowPlaying pro vai stanici.',
'The contact person of the podcast. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => 'Kontaktn osoba podcastu. Me bt vyadovno pro zaazen podcastu do slueb, jako jsou Apple Podcasts, Spotify, Google Podcasts atd.',
'The current CPU usage including I/O Wait and Steal.' => 'Aktuln vyuit CPU vetn I/O Wait a Steal.',
'The current Memory usage excluding cached memory.' => 'Aktuln vyuit pamti bez mezipamti.',
'The description of the episode. The typical maximum amount of text allowed for this is 4000 characters.' => 'Popis epizody. Obvykle je povoleno maximln 4000 znak textu.',
'The description of your podcast. The typical maximum amount of text allowed for this is 4000 characters.' => 'Popis vaeho podcastu. Obvykle je povoleno maximln 4000 znak textu.',
'The display name assigned to this mount point when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Zobrazovan nzev piazen tomuto ppojnmu bodu pi zobrazen na administrativnch nebo veejnch strnkch. Nechte przdn pro automatick vygenerovn.',
'The display name assigned to this relay when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Zobrazovan nzev piazen tomuto vzdlenmu pipojen pi zobrazen na administrativnch nebo veejnch strnkch. Nechte przdn pro automatick vygenerovn.',
'The editable text boxes are areas where you can insert custom configuration code. The non-editable sections are automatically generated by AzuraCast.' => 'Upraviteln textov pole jsou oblasti, do kterch mete vloit vlastn konfiguran kd. Needitovateln sti jsou automaticky generovny aplikac AzuraCast.',
'The email of the podcast contact. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => 'E-mail kontaktn osoby podcastu. Me bt vyadovn pro zaazen podcastu do slueb, jako jsou Apple Podcasts, Spotify, Google Podcasts atd.',
'The file name should look like:' => 'Nzev souboru by ml vypadat takto:',
'The format and headers of this CSV should match the format generated by the export function on this page.' => 'Formt a zhlav tohoto CSV by mly odpovdat formtu vygenerovanmu exportn funkc na tto strnce.',
'The full base URL of your Matomo installation.' => 'pln zkladn adresa URL va instalace Matomo.',
'The I/O Wait is the percentage of time that the CPU is waiting for disk access before it can continue the work that depends on the result of this.' => 'I/O Wait je procento asu, po kter CPU ek na pstup k disku, ne me pokraovat v prci, kter zvis na jeho vsledku.',
'The language spoken on the podcast.' => 'Jazyk, kterm se v podcastu mluv.',
'The length of playback time that Liquidsoap should buffer when playing this remote playlist. Shorter times may lead to intermittent playback on unstable connections.' => 'Dlka pehrvn, kterou by ml Liquidsoap pi pouit tohoto vzdlenho seznamu skladeb pednatat. Krat asy mohou vst k peruovanmu pehrvn na nestabilnch pipojench.',
'The number of seconds of signal to store in case of interruption. Set to the lowest value that your DJs can use without stream interruptions.' => 'Poet vtein signlu, kter se m uloit v ppad peruen. Nastavte na nejni hodnotu, kterou mohou vai DJs pouvat bez peruen streamu.',
'The number of seconds to wait for a response from the remote server before cancelling the request.' => 'Poet vtein, po kter se m ekat na odpov ze vzdlenho serveru ped zruenm poadavku.',
'The numeric site ID for this site.' => 'seln ID webu pro tento web.',
'The parent directory where station playlist and configuration files are stored. Leave blank to use default directory.' => 'Nadazen adres, ve kterm jsou uloeny soubory seznamu skladeb a konfiguran soubory stanice. Nechte przdn, chcete-li pout vchoz adres.',
'The relative path of the file in the station\'s media directory.' => 'Relativn cesta souboru v medilnm adresi stanice.',
'The station ID will be a numeric string that starts with the letter S.' => 'ID stanice bude seln etzec zanajc psmenem S.',
'The streamer will use this password to connect to the radio server.' => 'Streamer pouije toto heslo pro pipojen k rdiovmu serveru.',
'The streamer will use this username to connect to the radio server.' => 'Streamer pouije toto uivatelsk jmno pro pipojen k rdiovmu serveru.',
'The time period that the song should fade in. Leave blank to use the system default.' => 'asov sekvence, ve kter by se mla skladba pekrvat na zatku. Chcete-li pout vchoz nastaven systmu, ponechte przdn.',
'The time period that the song should fade out. Leave blank to use the system default.' => 'asov sekvence, ve kter by se mla skladba pekrvat na konci. Chcete-li pout vchoz nastaven systmu, ponechte przdn.',
'The URL that will receive the POST messages any time an event is triggered.' => 'Adresa URL, kter bude pijmat zprvy POST pi kadm sputn udlosti.',
'The volume in decibels to amplify the track with. Leave blank to use the system default.' => 'Hlasitost v decibelech pro zeslen skladby. Nechte przdn, chcete-li pout vchoz nastaven systmu.',
'The WebDJ lets you broadcast live to your station using just your web browser.' => 'WebDJ umouje iv vysln na va stanici pouze pomoc webovho prohlee.',
'Theme' => 'Vzhled',
'There is no existing custom fallback file associated with this station.' => 'K tto stanici nen piazen dn fallback soubor.',
'There is no existing intro file associated with this mount point.' => 'K tomuto ppojnmu bodu nen piazen dn existujc intro soubor.',
'There is no existing media associated with this episode.' => 'S touto epizodou nejsou spojena dn existujc mdia.',
'There is no Stereo Tool configuration file present.' => 'Nen k dispozici dn konfiguran soubor nstroje Stereo Tool.',
'This account will have full access to the system, and you\'ll automatically be logged in to it for the rest of setup.' => 'Tento et bude mt pln pstup do systmu a budete k nmu automaticky pihleni po zbytek instalace.',
'This can be generated in the "Events" section for a measurement.' => 'Tento daj lze vygenerovat v sti "Udlosti" pro men.',
'This can make it look like your memory is low while it actually is not. Some monitoring solutions/panels include cached memory in their used memory statistics without indicating this.' => 'Me se tak zdt, e vae pam je nedostaten, akoli tomu tak ve skutenosti nen. Nkter monitorovac een/panely zahrnuj pam v mezipamti do statistik pouit pamti, ani by to uvdly.',
'This code will be included in the frontend configuration. Allowed formats are:' => 'Tento kd bude zahrnut do konfigurace frontendu. Povolen formty jsou:',
'This configuration file should be a valid .sts file exported from Stereo Tool.' => 'Tento konfiguran soubor by ml bt platn soubor s pponou .sts exportovan z nstroje Stereo Tool.',
'This CSS will be applied to the main management pages, like this one.' => 'Tento CSS bude aplikovn na hlavn sprvcovsk strnky, jako je tato.',
'This CSS will be applied to the station public pages and login page.' => 'Tento CSS bude aplikovn na veejn strnky stanice a na pihlaovac strnku.',
'This CSS will be applied to the station public pages.' => 'Toto CSS se pouije na veejn strnky stanice.',
'This determines how many songs in advance the AutoDJ will automatically fill the queue.' => 'Tm se uruje, kolik skladeb pedem AutoDJ automaticky vypln frontu.',
'This feature requires the AutoDJ feature to be enabled.' => 'Tato funkce vyaduje, aby byla povolena funkce AutoDJ.',
'This file will be played on your radio station any time no media is scheduled to play or a critical error occurs that interrupts regular broadcasting.' => 'Tento soubor se na va rozhlasov stanici pehraje vdy, kdy nen naplnovno pehrvn dnho mdia nebo dojde ke kritick chyb, kter peru pravideln vysln.',
'This image will be used as the default album art when this streamer is live.' => 'Tento obrzek se pouije jako vchoz album art, kdy je tento streamer v provozu.',
'This introduction file should exactly match the bitrate and format of the mount point itself.' => 'Tento vodn soubor by ml pesn odpovdat datovmu toku a formtu samotnho ppojnho bodu.',
'This is an advanced feature and custom code is not officially supported by AzuraCast. You may break your station by adding custom code, but removing it should fix any issues.' => 'Jedn se o pokroilou funkci a vlastn kd nen oficiln podporovn spolenost AzuraCast. Pidnm vlastnho kdu mete stanici pokodit, ale jeho odstrannm by mly bt ppadn problmy odstranny.',
'This is the informal display name that will be shown in API responses if the streamer/DJ is live.' => 'Jedn se o neformln zobrazovan nzev, kter se bude zobrazovat v odpovdch API, pokud Streamer/DJ vysl iv.',
'This is the number of seconds until a streamer who has been manually disconnected can reconnect to the stream. Set to 0 to allow the streamer to immediately reconnect.' => 'Jedn se o poet sekund, po kter se me streamer, kter byl run odpojen, znovu pipojit ke streamu. Nastavenm na hodnotu 0 umonte streamerovi okamit optovn pipojen.',
'This javascript code will be applied to the station public pages and login page.' => 'Tento javascript bude aplikovn na veejn strnky stanice a na pihlaovac strnku.',
'This javascript code will be applied to the station public pages.' => 'Tento javascriptov kd bude pouit na veejnch strnkch stanice.',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => 'Tento etzec by ml vdy zanat lomtkem (/) a mus bt platnou adresou URL, napklad /autodj.mp3',
'This name will appear as a sub-header next to the AzuraCast logo, to help identify this server.' => 'Tento nzev se zobraz jako dl zhlav vedle loga AzuraCast, aby bylo mon tento server identifikovat.',
'This playlist currently has no scheduled times. It will play at all times. To add a new scheduled time, click the button below.' => 'Tento seznam skladeb nem v souasn dob naplnovan dn asy. Bude se pehrvat kdykoli. Chcete-li pidat nov naplnovan as, kliknte na tlatko ne.',
'This playlist will play every $x minutes, where $x is specified here.' => 'Tento seznam skladeb se bude pehrvat kadch $x minut, kde je zadno $x.',
'This playlist will play every $x songs, where $x is specified here.' => 'Tento seznam skladeb bude pehrvat kadch $x skladeb, kde je zadno $x.',
'This port is not used by any external process. Only modify this port if the assigned port is in use. Leave blank to automatically assign a port.' => 'Tento port nen pouvn dnm externm procesem. Tento port upravte pouze v ppad, e je piazen port pouvn. Pro automatick piazen portu ponechte przdn pole.',
'This queue contains the remaining tracks in the order they will be queued by the AzuraCast AutoDJ (if the tracks are eligible to be played).' => 'Tato fronta obsahuje zbvajc skladby v poad, v jakm je AzuraCast AutoDJ zaad do fronty (pokud je mon je pehrt).',
'This service can provide album art for tracks where none is available locally.' => 'Tato sluba me poskytnout album art pro skladby, kter nejsou k dispozici lokln.',
'This software shuffles from playlists of music constantly and plays when no other radio source is available.' => 'Tento software neustle pehrv hudbu ze seznam skladeb a pehrv ji, kdy nen k dispozici dn jin rdiov zdroj.',
'This specifies the minimum time (in minutes) between a song playing on the radio and being available to request again. Set to 0 for no threshold.' => 'Uruje minimln dobu (v minutch) mezi pehrnm skladby v rdiu a jejm optovnm vydnm. Nastavte hodnotu 0, abyste nemli dn prh.',
'This specifies the time range (in minutes) of the song history that the duplicate song prevention algorithm should take into account.' => 'Uruje asov rozsah (v minutch) historie skladby, kter by ml algoritmus prevence duplicitnch skladeb zohlednit.',
'This station\'s time zone is currently %{tz}.' => 'asov psmo tto stanice je aktuln %{tz}.',
'This streamer is not scheduled to play at any times.' => 'Tento streamer nem naplnovan dn hran.',
'This URL is provided within the Discord application.' => 'Tato adresa URL je uvedena v aplikaci Discord.',
'This web hook will only run when the selected event(s) occur on this specific station.' => 'Tento web hook se spust pouze tehdy, kdy na tto konkrtn stanici dojde k vybran udlosti.',
'This will be used as the label when editing individual songs, and will show in API results.' => 'Toto bude pouito jako popisek pi pravch jednotlivch skladeb a bude zobrazeno ve vsledcch API.',
'This will clear any pending unprocessed messages in all message queues.' => 'Tm se vymaou vechny ekajc nezpracovan zprvy ve vech frontch zprv.',
'This will produce a significantly smaller backup, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => 'Vytvote tak vrazn men zlohu, ale mli byste se ujistit, e zlohujete mdia jinde. Upozorujeme, e zlohovna budou pouze lokln uloen mdia.',
'Thumbnail Image URL' => 'Adresa URL miniatury obrzku',
'Thursday' => 'tvrtek',
'Time' => 'as',
'Time Display' => 'Zobrazen asu',
'Time spent waiting for disk I/O to be completed.' => 'as strven eknm na dokonen I/O disku.',
'Time stolen by other virtual machines on the same physical server.' => 'as ukraden jinmi virtulnmi potai na stejnm fyzickm serveru.',
'Time Zone' => 'asov Psmo',
'Title' => 'Nzev',
'To alleviate this potential problem with shared CPU resources, hosts assign "credits" to a VPS which are used up according to an algorithm based on the CPU load as well as the time over which the CPU load is generated. If your VM\'s assigned credit is used up, they will take CPU time from your VM and assign it to other VMs on the machine. This is seen as the "Steal" or "St" value.' => 'Pro zmrnn tohoto potencilnho problmu se sdlenmi prostedky CPU hostitel pidluj VPS "kredity", kter se vyerpaj podle algoritmu zaloenho na zaten CPU a tak na dob, po kterou je CPU zatovn. Pokud je pidlen kredit vaeho virtulnho potae vyerpn, odebere vaemu virtulnmu potai as procesoru a pidl jej jinm virtulnm potam v potai. To se projev jako hodnota " Krde" nebo "St".',
'To customize installation settings, or if automatic updates are disabled, you can follow our standard update instructions to update via your SSH console.' => 'Chcete-li upravit nastaven instalace nebo pokud jsou automatick aktualizace zakzny, mete postupovat podle naich standardnch pokyn k aktualizaci prostednictvm konzoly SSH.',
'To download the GeoLite database:' => 'Staen databze GeoLite:',
'To play once per day, set the start and end times to the same value.' => 'Chcete-li hrt jednou za den, nastavte zatek a konec asu na stejnou hodnotu.',
'To restore a backup from your host computer, run:' => 'Chcete-li obnovit zlohu z hostitelskho potae, spuste:',
'To retrieve detailed unique listeners and client details, an administrator password is often required.' => 'Pro naten podrobnch jedinench daj o posluchach a klientech je asto vyadovno heslo sprvce.',
'To set this schedule to run only within a certain date range, specify a start and end date.' => 'Chcete-li tento pln nastavit tak, aby se spoutl pouze v uritm rozsahu dat, zadejte poten a koncov datum.',
'To use this feature, a secure (HTTPS) connection is required. Firefox is recommended to avoid static when broadcasting.' => 'Pro pouit tto funkce je nutn zabezpeen pipojen (HTTPS). Doporuuje se pouvat prohle Firefox, aby se zabrnilo statickmu vysln.',
'To verify that the code was set up correctly, enter the 6-digit code the app shows you.' => 'Chcete-li ovit, zda byl kd nastaven sprvn, zadejte estimstn kd, kter vm aplikace zobraz.',
'Toggle Menu' => 'Pepnout Nabdku',
'Toggle Sidebar' => 'Pepnut Postrannho Panelu',
'Top Browsers by Connected Time' => 'Nejlep Prohlee podle asu Pipojen',
'Top Browsers by Listeners' => 'Nejlep Prohlee podle Poslucha',
'Top Countries by Connected Time' => 'Nejlep Zem podle asu Pipojen',
'Top Countries by Listeners' => 'Nejlep Zem podle Potu Poslucha',
'Top Streams by Connected Time' => 'Nejlep Streamy podle asu Pipojen',
'Top Streams by Listeners' => 'Nejlep Streamy podle Poslucha',
'Total Disk Space' => 'Celkov Velikost Disku',
'Total Listener Hours' => 'Celkov Poet Hodin Posluchae',
'Total RAM' => 'Celkem RAM',
'Transmitted' => 'Peneno',
'Tuesday' => 'ter',
'TuneIn Partner ID' => 'ID Tunein Partnera',
'TuneIn Partner Key' => 'Kl Tunein Partnera',
'TuneIn Station ID' => 'ID Stanice Tunein',
'Two-Factor Authentication' => 'Dvoufzov Oven',
'Two-factor authentication improves the security of your account by requiring a second one-time access code in addition to your password when you log in.' => 'Dvoufzov autentifikace zvyuje zabezpeen vaeho tu tm, e pi pihlaovn vyaduje krom hesla tak druh jednorzov pstupov kd.',
'Typically a website with content about the episode.' => 'Obvykle se jedn o webov strnky s obsahem o dan epizod.',
'Typically the home page of a podcast.' => 'Obvykle domovsk strnka podcastu.',
'Unable to update.' => 'Nelze aktualizovat.',
'Unassigned Files' => 'Nepiazen Soubory',
'Unique' => 'Uniktn',
'Unique identifier for the target chat or username of the target channel (in the format @channelusername).' => 'Uniktn identifiktor clovho chatu nebo uivatelsk jmno clovho kanlu (ve formtu @channelusername).',
'Unique Listeners' => 'Uniktn Posluchai',
'Unknown' => 'Neznm',
'Unknown Artist' => 'Neznm interpret',
'Unknown Title' => 'Neznm nzev',
'Unprocessable Files' => 'Nezpracovateln soubory',
'Upcoming Song Queue' => 'Nadchzejc fronta skladeb',
'Update' => 'Aktualizovat',
'Update AzuraCast' => 'Aktualizovat AzuraCast',
'Update AzuraCast via Web' => 'Aktualizovat AzuraCast prostednictvm Webu',
'Update Details' => 'Aktualizovat Podrobnosti',
'Update Instructions' => 'Pokyny k aktualizaci',
'Update Metadata' => 'Aktualizovat Metadata',
'Update via Web' => 'Aktualizovat pes Web',
'Updated' => 'Aktualizovno',
'Updated successfully.' => 'spn aktualizovno.',
'Upload a Stereo Tool configuration file from the "Broadcasting" submenu in the station profile.' => 'Nahrajte konfiguran soubor nstroje Stereo Tool z podnabdky "Vysln" v profilu stanice.',
'Upload Custom Assets' => 'Nahrt Vlastn Poloky',
'Upload Stereo Tool Configuration' => 'Nahrt Konfiguraci nstroje Stereo Tool',
'Upload the file on this page to automatically extract it into the proper directory.' => 'Nahrajte soubor na tto strnce, aby se automaticky rozbalil do sprvnho adrese.',
'URL Stub' => 'Stub URL',
'Use' => 'Vyuito',
'Use (Us)' => 'Vyuit (Us)',
'Use API keys to authenticate with the AzuraCast API using the same permissions as your user account.' => 'Pouitm kl API se mete ovit pomoc rozhran AzuraCast API se stejnmi oprvnnmi jako v uivatelsk et.',
'Use High-Performance Now Playing Updates' => 'Pout High-Performance Nyn Hraje Aktualizace',
'Use Secure (TLS) SMTP Connection' => 'Pout Zabezpeen (TLS) SMTP Pipojen',
'Use Web Proxy for Radio' => 'Pout pro rdio web proxy',
'Used' => 'Vyuito',
'Used for "Forgot Password" functionality, web hooks and other functions.' => 'Pouv se pro funkci "Zapomenut Heslo", web hooky a dal funkce.',
'User Accounts' => 'Uivatelsk ty',
'User Agent' => 'Uivatelsk Agent',
'Username' => 'Uivatelsk Jmno',
'Username:' => 'Uivatelsk Jmno:',
'Users' => 'Uivatel',
'Users with this role will have these permissions across the entire installation.' => 'Uivatel s touto rol budou mt tato oprvnn v cel instalaci.',
'Users with this role will have these permissions for this single station.' => 'Uivatel s touto rol budou mt tato oprvnn pro tuto jedinou stanici.',
'Uses either Websockets, Server-Sent Events (SSE) or static JSON files to serve Now Playing data on public pages. This improves performance, especially with large listener volume. Disable this if you are encountering problems with the service or use multiple URLs to serve your public pages.' => 'K zobrazovn dat Nyn Hraje na veejnch strnkch pouv bu webov sockety, udlosti odeslan serverem (SSE), nebo statick soubory JSON. To zlepuje vkon, zejmna pi velkm potu poslucha. Pokud se setkvte s problmy se slubou nebo pouvte k obsluze veejnch strnek vce adres URL, zakate tuto funkci.',
'Using this page, you can customize several sections of the Liquidsoap configuration. This allows you to add advanced functionality to your station\'s AutoDJ.' => 'Na tto strnce mete upravit nkolik st konfigurace aplikace Liquidsoap. To vm umon pidat pokroil funkce do aplikace AutoDJ va stanice.',
'Usually enabled for port 465, disabled for ports 587 or 25.' => 'Obvykle je povolen pro port 465, zakzn pro porty 587 nebo 25.',
'Variables are in the form of: ' => 'Promnn jsou ve tvaru: ',
'View' => 'Zobrazit',
'View Listener Report' => 'Zobrazit Zprvu o Posluchai',
'View Profile' => 'Zobrazit Profil',
'View tracks in playlist' => 'Zobrazen skladeb v seznamu skladeb',
'Visit the Dropbox App Console:' => 'Navtivte konzolu aplikace Dropbox:',
'Visit the link below to sign in and generate an access code:' => 'Pro pihlen a vygenerovn pstupovho kdu navtivte ne uveden odkaz:',
'Visit your Mastodon instance.' => 'Navtivte svou instanci Mastodon.',
'Visual Cue Editor' => 'Editor Vizulnch Narek',
'Volume' => 'Hlasitost',
'Wait' => 'ekn',
'Wait (Wa)' => 'ekn (Wa)',
'Waveform Zoom' => 'Zvten Tvaru Vlny',
'Web DJ' => 'Web DJ',
'Web Hook Details' => 'Detaily Web Hooku',
'Web Hook Name' => 'Nzev Web Hooku',
'Web Hook Triggers' => 'Triggery na Web Hooku',
'Web Hook URL' => 'URL Web Hooku',
'Web Hooks' => 'Webhooky',
'Web hooks automatically send a HTTP POST request to the URL you specify to notify it any time one of the triggers you specify occurs on your station.' => 'Web hooky automaticky odelou poadavek HTTP POST na zadanou adresu URL a upozorn ji, kdykoli se na stanici objev nkter ze zadanch spout.',
'Web hooks let you connect to external web services and broadcast changes to your station to them.' => 'Web hooky umouj pipojit se k externm webovm slubm a penet do nich zmny ve stanici.',
'Web Site URL' => 'Adresa URL Webov Strnky',
'Web updates are not available for your installation. To update your installation, perform the manual update process instead.' => 'Webov aktualizace nejsou pro vai instalaci k dispozici. Chcete-li svou instalaci aktualizovat, provete msto toho proces run aktualizace.',
'Website' => 'Webov Strnka',
'Wednesday' => 'Steda',
'Welcome to AzuraCast!' => 'Vtejte v AzuraCast!',
'Welcome!' => 'Vtejte!',
'When making API calls, you can pass this value in the "X-API-Key" header to authenticate as yourself.' => 'Pi voln rozhran API mete tuto hodnotu pedat v hlavice "X-API-Key" a ovit se tak jako vy.',
'Whether the AutoDJ should attempt to avoid duplicate artists and track titles when playing media from this playlist.' => 'Zda se m aplikace AutoDJ pi pehrvn mdi z tohoto seznamu skladeb snait vyhnout duplicitnm interpretm a nzvm skladeb.',
'Widget Type' => 'Typ Widgetu',
'Worst Performing Songs' => 'Nejhor Skladby',
'Yes' => 'Ano',
'You' => 'Vy',
'You can also upload files in bulk via SFTP.' => 'Soubory mete nahrvat tak hromadn prostednictvm protokolu SFTP.',
'You can find answers for many common questions in our support documents.' => 'Odpovdi na mnoho bnch otzek najdete v naich dokumentech podpory.',
'You can include any special mount point settings here, in either JSON { key: \'value\' } format or XML <key>value</key>' => 'Zde mete uvst jakkoli speciln nastaven ppojnho bodu, a to bu ve formtu JSON { key: \'value\' }, nebo XML <key>hodnota</key>',
'You can only perform the actions your user account is allowed to perform.' => 'Mete provdt pouze akce, kter m v uivatelsk et povolen.',
'You may need to connect directly to your IP address:' => 'Mon se budete muset pipojit pmo ke sv IP adrese:',
'You may need to connect directly via your IP address:' => 'Mon se budete muset pipojit pmo pes svou IP adresu:',
'You will not be able to retrieve it again.' => 'Nebudete ji moci znovu nast.',
'Your full API key is below:' => 'pln kl API je uveden ne:',
'Your installation is currently on this release channel:' => 'Vae instalace je v souasn dob v tomto kanlu vydn:',
'Your installation is up to date! No update is required.' => 'Vae instalace je aktuln! dn aktualizace nen nutn.',
'Your installation needs to be updated. Updating is recommended for performance and security improvements.' => 'Instalaci je teba aktualizovat. Aktualizace se doporuuje kvli zlepen vkonu a zabezpeen.',
'YP Directory Authorization Hash' => 'Autorizan hash adrese YP',
'Select...' => 'Vybrat...',
'Too many forgot password attempts' => 'Pli mnoho pokus o zapomenut heslo',
'You have attempted to reset your password too many times. Please wait 30 seconds and try again.' => 'Pli mnohokrt jste se pokoueli obnovit heslo. Pokejte prosm 30 sekund a zkuste to znovu.',
'Account Recovery' => 'Obnoven tu',
'Account recovery e-mail sent.' => 'E-mail pro obnoven tu odesln.',
'If the e-mail address you provided is in the system, check your inbox for a password reset message.' => 'Pokud je zadan e-mailov adresa v systmu, zkontrolujte, zda vm nepila zprva o obnoven hesla.',
'Too many login attempts' => 'Pli mnoho pokus o pihlen',
'You have attempted to log in too many times. Please wait 30 seconds and try again.' => 'Snaili jste se pihlsit pli asto, prosm, pokejte 30 sekund a zkuste to znovu.',
'Logged in successfully.' => 'Pihlen probhlo spn.',
'Complete the setup process to get started.' => 'Chcete-li zat, dokonete proces nastaven.',
'Login unsuccessful' => 'Pihlen bylo nespn',
'Your credentials could not be verified.' => 'Vae oprvnn nebylo mon ovit.',
'User not found.' => 'Uivatel nenalezen.',
'Invalid token specified.' => 'Zadn neplatn token.',
'Logged in using account recovery token' => 'Pihlen pomoc tokenu pro obnoven tu',
'Your password has been updated.' => 'Vae heslo bylo aktualizovno.',
'Set Up AzuraCast' => 'Nastaven sluby AzuraCast',
'Setup has already been completed!' => 'Nastaven ji bylo dokoneno!',
'All Stations' => 'Vechny stanice',
'AzuraCast Application Log' => 'Protokol aplikace AzuraCast',
'Service Log: %s (%s)' => 'Servisn Protokol: %s (%s)',
'Nginx Access Log' => 'Pstupov protokol Nginx',
'Nginx Error Log' => 'Chybov protokol Nginx',
'PHP Application Log' => 'PHP aplikan protokol',
'Supervisord Log' => 'Supervisorsk protokol',
'Create a new storage location based on the base directory.' => 'Vytvoit nov loit zaloen na zkladnm adresi.',
'You cannot modify yourself.' => 'Sami sebe nemete upravovat.',
'You cannot remove yourself.' => 'Nemete odstranit sami sebe.',
'Test Message' => 'Testovac Zprva',
'This is a test message from AzuraCast. If you are receiving this message, it means your e-mail settings are configured correctly.' => 'Toto je testovac zprva z AzuraCastu. Pokud tuto zprvu dostvte, znamen to, e nastaven e-mailu je sprvn nakonfigurovno.',
'Test message sent successfully.' => 'Testovac zprva byla spn odeslna.',
'Less than Thirty Seconds' => 'Mn ne Ticet Vtein',
'Thirty Seconds to One Minute' => 'Ticet Vtein a Jedna Minuta',
'One Minute to Five Minutes' => 'Minuta a Pt Minut',
'Five Minutes to Ten Minutes' => 'Pt Minut a Deset Minut',
'Ten Minutes to Thirty Minutes' => 'Deset Minut a Ticet Minut',
'Thirty Minutes to One Hour' => 'Ticet Minut a Jedna Hodina',
'One Hour to Two Hours' => 'Jedna Hodina a Dv Hodiny',
'More than Two Hours' => 'Vce ne Dv Hodiny',
'Mobile Device' => 'Mobiln Zazen',
'Desktop Browser' => 'Desktopov Prohle',
'Non-Browser' => 'Neprohle',
'Connected Seconds' => 'Pipojeno Vtein',
'File Not Processed: %s' => 'Soubor nen zpracovn: %s',
'Cover Art' => 'Cover Art',
'File Processing' => 'Zpracovn soubor',
'No directory specified' => 'Nebyl zadn dn adres',
'File not specified.' => 'Nespecifikovan soubor.',
'New path not specified.' => 'Nespecifikovna nov cesta.',
'This station is out of available storage space.' => 'Tato stanice je mimo dostupn lon prostor.',
'Web hook enabled.' => 'Webhook povolen.',
'Web hook disabled.' => 'Web hook zakzn.',
'Station reloaded.' => 'Stanice znovu natena.',
'Station restarted.' => 'Stanice restartovna.',
'Service stopped.' => 'Sluba zastavena.',
'Service started.' => 'Sluba sputna.',
'Service reloaded.' => 'Sluba znovu natena.',
'Service restarted.' => 'Sluba restartovna.',
'Song skipped.' => 'Skladba peskoena.',
'Streamer disconnected.' => 'Streamer odpojen.',
'Station Nginx Configuration' => 'Konfigurace Nginx Stanice',
'Liquidsoap Log' => 'Liquidsoap protokol',
'Liquidsoap Configuration' => 'Liquidsoap konfigurace',
'Icecast Access Log' => 'Pstupov protokol Icecast',
'Icecast Error Log' => 'Chybov protokol Icecast',
'Icecast Configuration' => 'Icecast konfigurace',
'Shoutcast Log' => 'Shoutcast Protokol',
'Shoutcast Configuration' => 'Konfigurace Shoutcast',
'Search engine crawlers are not permitted to use this feature.' => 'Vyhledva nem povoleno pouvat tuto funkci.',
'You are not permitted to submit requests.' => 'Nemte oprvnn k odesln dosti.',
'This song or artist has been played too recently. Wait a while before requesting it again.' => 'Tato skladba nebo umlce byla pehrna pli nedvno. Pokejte, ne o ni znovu podte.',
'You have submitted a request too recently! Please wait before submitting another one.' => 'Skladbu na pn jste dali nedvno, ped dal dost je poteba njakou dobu pokat.',
'This playlist is not a sequential playlist.' => 'Tento playlist nen sekvenn playlist.',
'Playlist reshuffled.' => 'Seznam Skladeb byl zamchn.',
'Playlist enabled.' => 'Playlist povolen.',
'Playlist disabled.' => 'Playlist zakzn.',
'Playlist successfully imported; %d of %d files were successfully matched.' => 'Seznam Skladeb byl spn importovn; %d z %d soubor bylo spn porovnno.',
'%d files processed.' => '%d soubor zpracovno.',
'No recording available.' => 'Nen k dispozici dn zznam.',
'Record not found' => 'Zznam nebyl nalezen',
'The uploaded file exceeds the upload_max_filesize directive in php.ini.' => 'Nahran soubor pekrauje hodnotu upload_max_filesize v php.ini.',
'The uploaded file exceeds the MAX_FILE_SIZE directive from the HTML form.' => 'Nahran soubor pekrauje hodnotu MAX_FILE_SIZE z HTML formule.',
'The uploaded file was only partially uploaded.' => 'Nahran soubor byl nahrn pouze sten.',
'No file was uploaded.' => 'Nebyl nahrn dn soubor.',
'No temporary directory is available.' => 'Nen k dispozici dn doasn adres.',
'Could not write to filesystem.' => 'Nelze zapisovat do souborovho systmu.',
'Upload halted by a PHP extension.' => 'Nahrvn bylo zastaveno rozenm PHP.',
'Unspecified error.' => 'Nespecifikovan chyba.',
'Changes saved successfully.' => 'Zmny byly spn uloeny.',
'Record created successfully.' => 'Zznam byl spn vytvoen.',
'Record updated successfully.' => 'Zznam byl spn aktualizovn.',
'Record deleted successfully.' => 'Zznam byl spn vymazn.',
'Playlist: %s' => 'Seznam Skladeb: %s',
'Streamer: %s' => 'Streamer: %s',
'The account associated with e-mail address "%s" has been set as an administrator' => 'et spojen s e-mailovou adresou "%s" byl nastaven jako sprvce',
'Account not found.' => 'et nenalezen.',
'Running database migrations...' => 'Sputn migrace databze...',
'Database migration failed: %s' => 'Migrace databze se nezdaila: %s',
'AzuraCast Settings' => 'Nastaven AzuraCast',
'Setting Key' => 'Kl Nastaven',
'Setting Value' => 'Nastaven Hodnoty',
'Fixtures loaded.' => 'Naten poloky.',
'Backing up initial database state...' => 'Zlohovn pvodnho stavu databze...',
'We detected a database restore file from a previous (possibly failed) migration.' => 'Detekovali jsme soubor pro obnoven databze z pedchoz (pravdpodobn nespn) migrace.',
'Attempting to restore that now...' => 'Zkou se to te obnovit...',
'Attempting to roll back to previous database state...' => 'Pokus o nvrat k pedchozmu stavu databze...',
'Your database was restored due to a failed migration.' => 'Vae databze byla obnovena z dvodu nespn migrace.',
'Please report this bug to our developers.' => 'Nahlate prosm tuto chybu naim vvojm.',
'Restore failed: %s' => 'Obnoven se nezdailo: %s',
'AzuraCast Backup' => 'Zloha AzuraCast',
'Please wait while a backup is generated...' => 'Pokejte prosm, ne se vytvo zloha...',
'Creating temporary directories...' => 'Vytven doasnch adres...',
'Backing up MariaDB...' => 'Zlohovn databze MariaDB...',
'Creating backup archive...' => 'Vytven zlonho archivu...',
'Cleaning up temporary files...' => 'itn doasnch soubor...',
'Backup complete in %.2f seconds.' => 'Zlohovn dokoneno za %.2f vtein.',
'Backup path %s not found!' => 'Zlohovac cesta %s nebyla nalezena!',
'Imported locale: %s' => 'Importovan mstn prosted: %s',
'Database Migrations' => 'Migrace Databze',
'Database is already up to date!' => 'Databze je ji aktuln!',
'Database migration completed!' => 'Migrace databze dokonena!',
'AzuraCast Initializing...' => 'Inicializace systmu AzuraCast...',
'AzuraCast Setup' => 'Nastaven AzuraCast',
'Welcome to AzuraCast. Please wait while some key dependencies of AzuraCast are set up...' => 'Vtejte v AzuraCastu. Pokejte prosm, ne se nastav nkter klov zvislosti AzuraCastu...',
'Running Database Migrations' => 'Provdn Migrac Databz',
'Generating Database Proxy Classes' => 'Generovn Td Proxy Server Databze',
'Reload System Data' => 'Znovunaten Systmovch Dat',
'Installing Data Fixtures' => 'Instalace Datovho Psluenstv',
'Refreshing All Stations' => 'Aktualizace Vech Stanic',
'AzuraCast is now updated to the latest version!' => 'AzuraCast je nyn aktualizovn na nejnovj verzi!',
'AzuraCast installation complete!' => 'Instalace AzuraCast je dokonena!',
'Visit %s to complete setup.' => 'Navtivte %s pro dokonen nastaven.',
'%s is not recognized as a service.' => '%s nen rozpoznn jako sluba.',
'It may not be registered with Supervisor yet. Restarting broadcasting may help.' => 'Zatm nemus bt registrovno u Supervisora. Restartovn vysln me pomoci.',
'%s cannot start' => '%s nelze spustit',
'It is already running.' => 'Ji b.',
'%s cannot stop' => '%s nelze zastavit',
'It is not running.' => 'Neb.',
'%s encountered an error: %s' => '%s narazilo na chybu: %s',
'Check the log for details.' => 'Podrobnosti naleznete v protokolu.',
'You do not have permission to access this portion of the site.' => 'Nemte oprvnn pro pstup k tto sti webu.',
'You must be logged in to access this page.' => 'Pro pstup na tuto strnku muste bt pihleni.',
'This value is already used.' => 'Tato hodnota je ji pouita.',
'Storage location %s could not be validated: %s' => 'Cestu k uloiti %s nelze ovit: %s',
'Storage location %s already exists.' => 'Umstn loit %s ji existuje.',
'All Permissions' => 'Vechna oprvnn',
'View Station Page' => 'Zobrazit strnku stanice',
'View Station Reports' => 'Zobrazit pehledy stanice',
'View Station Logs' => 'Zobrazit protokoly stanice',
'Manage Station Profile' => 'Nastaven Profilu Stanice',
'Manage Station Broadcasting' => 'Nastaven Vysln Stanice',
'Manage Station Streamers' => 'Spravovat Streamery Stanice',
'Manage Station Mount Points' => 'Spravovat ppojn body stanice',
'Manage Station Remote Relays' => 'Sprva vzdlench relays stanice',
'Manage Station Media' => 'Sprva mdi stanice',
'Manage Station Automation' => 'Sprva automatizace stanice',
'Manage Station Web Hooks' => 'Spravovat webhooks stanice',
'Manage Station Podcasts' => 'Spravovat podcasty stanice',
'View Administration Page' => 'Zobrazit administran strnku',
'View System Logs' => 'Zobrazen systmovch protokol',
'Administer Settings' => 'Nastaven administrace',
'Administer API Keys' => 'Nastaven API kl',
'Administer Stations' => 'Nastaven Stanic',
'Administer Custom Fields' => 'Nastaven Vlastnch Pol',
'Administer Backups' => 'Nastaven Zloh',
'Administer Storage Locations' => 'Nastaven Lokace loit',
'Runs routine synchronized tasks' => 'Provd rutinn synchronizovan lohy',
'Database' => 'Databze',
'Web server' => 'Webov server',
'Now Playing manager service' => 'Nyn Hraje sprvce sluby',
'PHP queue processing worker' => 'Pracovnk pro zpracovn fronty PHP',
'Cache' => 'Mezipam',
'SFTP service' => 'Sluba SFTP',
'This product includes GeoLite2 data created by MaxMind, available from %s.' => 'Tento produkt obsahuje GeoLite2 data vytvoen MaxMindem, dostupn na %s.',
'IP Geolocation by DB-IP' => 'IP Geolokace od DB-IP',
'GeoLite database not configured for this installation. See System Administration for instructions.' => 'Databze GeoLite nen pro tuto instalaci nakonfigurovna. Instrukce viz Sprva systmu.',
'Installation Not Recently Backed Up' => 'Instalace nen dlouho zlohovna',
'This installation has not been backed up in the last two weeks.' => 'Tato instalace nebyla v poslednch dvou tdnech zlohovna.',
'Service Not Running: %s' => 'Sluba Neb: %s',
'One of the essential services on this installation is not currently running. Visit the system administration and check the system logs to find the cause of this issue.' => 'Jedna ze zkladnch slueb v tto instalaci neb. Navtivte sprvu systmu a zkontrolujte systmov protokoly, abyste zjistili pinu tohoto problmu.',
'New AzuraCast Stable Release Available' => 'K dispozici je nov stabiln verze AzuraCast',
'Version %s is now available. You are currently running version %s. Updating is recommended.' => 'Verze %s je nyn k dispozici. V souasn dob pouvte verzi %s. Doporuujeme provst aktualizaci.',
'New AzuraCast Rolling Release Available' => 'Nov verze AzuraCast Rolling Release je k dispozici',
'Your installation is currently %d update(s) behind the latest version. Updating is recommended.' => 'Vae instalace je aktuln o %d aktualizac pozadu oproti nejnovj verzi. Doporuujeme provst aktualizaci.',
'Synchronization Disabled' => 'Synchronizace Vypnuta',
'Routine synchronization is currently disabled. Make sure to re-enable it to resume routine maintenance tasks.' => 'Rutinn synchronizace je v souasn dob vypnuta. Chcete-li pokraovat v rutinnch konech drby, nezapomete ji znovu povolit.',
'Synchronization Not Recently Run' => 'Synchronizace Nebyla v Posledn Dob Sputna',
'The routine synchronization task has not run recently. This may indicate an error with your installation.' => 'Rutinn synchronizan loha nebyla v posledn dob sputna. To me znamenat chybu v instalaci.',
'The performance profiling extension is currently enabled on this installation.' => 'Rozen profilovn vkonu je v souasn dob povoleno.',
'You can track the execution time and memory usage of any AzuraCast page or application from the profiler page.' => 'Mete sledovat as provdn a vyuit pamti jakkoli strnky AzuraCast nebo aplikace z profileru strnky.',
'Profiler Control Panel' => 'Ovldac panel Profileru',
'Performance profiling is currently enabled for all requests.' => 'Pro vechny poadavky je nyn povoleno profilovn vkonu.',
'This can have an adverse impact on system performance. You should disable this when possible.' => 'To me mt nepzniv dopad na vkon systmu. Pokud je to mon, mli byste to zakzat.',
'You may want to update your base URL to ensure it is correct.' => 'Mon budete chtt aktualizovat zkladn adresu URL, abyste se ujistili, e je sprvn.',
'If you regularly use different URLs to access AzuraCast, you should enable the "Prefer Browser URL" setting.' => 'Pokud pro pstup k AzuraCastu pravideln pouvte rzn adresy URL, mli byste povolit nastaven "Preferovat adresu URL prohlee".',
'Your "Base URL" setting (%s) does not match the URL you are currently using (%s).' => 'Vae nastaven "Zkladn adresa URL" (%s) neodpovd adrese URL, kterou prv pouvte (%s).',
'AzuraCast Installer' => 'Instaltor AzuraCast',
'Welcome to AzuraCast! Complete the initial server setup by answering a few questions.' => 'Vtejte na AzuraCast! Dokonete poten nastaven serveru zodpovzenm nkolika otzek.',
'AzuraCast Updater' => 'Aktualizace AzuraCast',
'Change installation settings?' => 'Zmnit nastaven instalace?',
'AzuraCast is currently configured to listen on the following ports:' => 'AzuraCast je v nakonfigurovn pro poslouchn na nsledujcch portech:',
'HTTP Port: %d' => 'HTTP port: %d',
'HTTPS Port: %d' => 'HTTPS port: %d',
'SFTP Port: %d' => 'SFTP port: %d',
'Radio Ports: %s' => 'Rdiov porty: %s',
'Customize ports used for AzuraCast?' => 'Pizpsobit porty pouvan pro AzuraCast?',
'Writing configuration files...' => 'Zapisovn konfiguranch soubor...',
'Server configuration complete!' => 'Konfigurace serveru dokonena!',
'This file was automatically generated by AzuraCast.' => 'Tento soubor byl automaticky vygenerovn softwarem AzuraCast.',
'You can modify it as necessary. To apply changes, restart the Docker containers.' => 'Podle poteby ho mete upravit. Chcete-li zmny pout, restartujte kontejnery Docker.',
'Remove the leading "#" symbol from lines to uncomment them.' => 'Odstrannm vodnho symbolu "#" z dk zrute jejich komentovn.',
'Valid options: %s' => 'Platn monosti: %s',
'Default: %s' => 'Vchoz: %s',
'Additional Environment Variables' => 'Dodaten Promnn Prosted',
'(Docker Compose) All Docker containers are prefixed by this name. Do not change this after installation.' => '(Docker Compose) Vechny kontejnery Docker maj pedponu tohoto nzvu. Po instalaci jej nemte.',
'(Docker Compose) The amount of time to wait before a Docker Compose operation fails. Increase this on lower performance computers.' => '(Docker Compose) Doba ekn, ne operace Docker Compose sele. Na potach s nim vkonem tuto hodnotu zvyte.',
'HTTP Port' => 'HTTP Port',
'The main port AzuraCast listens to for insecure HTTP connections.' => 'Hlavn port, ktermu AzuraCast naslouch pro nezabezpeen pipojen HTTP.',
'HTTPS Port' => 'HTTPS Port',
'The main port AzuraCast listens to for secure HTTPS connections.' => 'Hlavn port, ktermu AzuraCast naslouch pro zabezpeen pipojen HTTPS.',
'The port AzuraCast listens to for SFTP file management connections.' => 'Port, na kterm AzuraCast naslouch pro pipojen sprvy soubor SFTP.',
'Station Ports' => 'Porty Stanic',
'The ports AzuraCast should listen to for station broadcasts and incoming DJ connections.' => 'Porty, na kterch m AzuraCast poslouchat vysln stanic a pchoz pipojen DJ.',
'Docker User UID' => 'UID Uivatele Dockeru',
'Set the UID of the user running inside the Docker containers. Matching this with your host UID can fix permission issues.' => 'Nastaven UID Uivatele bcho uvnit kontejner Docker. Shoda s UID hostitele me vyeit problmy s oprvnnm.',
'Docker User GID' => 'GID uivatele Dockeru',
'Set the GID of the user running inside the Docker containers. Matching this with your host GID can fix permission issues.' => 'Nastavte GID uivatele bcho v kontejnerech v Dockeru. Toto nastaven me opravit problmy s oprvnnm hostitele.',
'Use Podman instead of Docker.' => 'Pouijte Podman msto Dockeru.',
'Advanced: Use Privileged Docker Settings' => 'Pokroil: Pout privilegovan nastaven Dockeru',
'The locale to use for CLI commands.' => 'Lokln prosted pro pkazy CLI.',
'The application environment.' => 'Aplikan prosted.',
'Manually modify the logging level.' => 'Run upravit rove protokolovn.',
'This allows you to log debug-level errors temporarily (for problem-solving) or reduce the volume of logs that are produced by your installation, without needing to modify whether your installation is a production or development instance.' => 'To vm umon doasn zaznamenvat chyby na rovni ladn (kvli een problm) nebo snit objem log, kter jsou vytvoeny va instalac, ani by bylo nutn upravit, zda je vae instalace prdukn nebo vvojskou instanc.',
'Enable Custom Code Plugins' => 'Povolen Plugin Vlastnho Kdu',
'Enable the composer "merge" functionality to combine the main application\'s composer.json file with any plugin composer files. This can have performance implications, so you should only use it if you use one or more plugins with their own Composer dependencies.' => 'Povolte funkci composer "merge" pro kombinovn composer.json souboru hlavn aplikace s jakmkoli plugin composer souborem. Toto me mt vliv na vkon, take byste jej mli pout pouze v ppad, e pouvte jeden nebo vce plugin s jejich vlastn zvislost na Composeru.',
'Minimum Port for Station Port Assignment' => 'Minimln port pro pidlen portu stanice',
'Modify this if your stations are listening on nonstandard ports.' => 'Upravte, pokud vae stanice poslouchaj na nestandardnch portech.',
'Maximum Port for Station Port Assignment' => 'Minimln port pro pidlen portu stanice',
'Show Detailed Slim Application Errors' => 'Zobrazen Detailnch Chyb Aplikace Slim',
'This allows you to debug Slim Application Errors you may encounter. Please report any Slim Application Error logs to the development team on GitHub.' => 'To vm umon ladit chyby aplikace Slim, se ktermi se mete setkat. Nahlaste prosm vechny protokoly o chybch aplikace Slim vvojovmu tmu na GitHubu.',
'MariaDB Host' => 'MariaDB Hostitel',
'Do not modify this after installation.' => 'Po instalaci neupravujte.',
'MariaDB Port' => 'Port MariaDB',
'MariaDB Username' => 'Uivatelsk Jmno MariaDB',
'MariaDB Password' => 'Heslo MariaDB',
'MariaDB Database Name' => 'Nzev Databze MariaDB',
'Auto-generate Random MariaDB Root Password' => 'Automatick vygenerovn nhodnho Root hesla MariaDB',
'MariaDB Root Password' => 'Heslo Root MariaDB',
'Enable MariaDB Slow Query Log' => 'Povolen Protokolu Pomalch Poadavk MariaDB',
'Log slower queries to diagnose possible database issues. Only turn this on if needed.' => 'Zaznamenvn pomalejch poadavk za elem diagnostiky monch problm s databz. Tuto funkci zapnte pouze v ppad poteby.',
'MariaDB Maximum Connections' => 'Maximln Poet Pipojen k MariaDB',
'Set the amount of allowed connections to the database. This value should be increased if you are seeing the "Too many connections" error in the logs.' => 'Nastaven potu povolench pipojen k databzi. Tuto hodnotu je teba zvit, pokud se v protokolech zobrazuje chyba "Pli mnoho pipojen".',
'MariaDB InnoDB Buffer Pool Size' => 'Velikost vyrovnvac pamti MariaDB InnoDB',
'The InnoDB buffer pool size controls how much data & indexes are kept in memory. Making sure that this value is as large as possible reduces the amount of disk IO.' => 'Velikost vyrovnvac pamti InnoDB uruje, kolik dat a index se uchovv v pamti. Ujistte se, e je tato hodnota co nejvt, a snite tak mnostv diskovch operac.',
'MariaDB InnoDB Log File Size' => 'Velikost souboru protokolu MariaDB InnoDB',
'The InnoDB log file is used to achieve data durability in case of crashes or unexpected shutoffs and to allow the DB to better optimize IO for write operations.' => 'Soubor protokolu InnoDB se pouv k dosaen trvanlivosti dat v ppad pdu nebo neoekvanho vypnut a k lep optimalizaci IO pro operace zpisu.',
'Enable Redis' => 'Povolit Redis',
'Disable to use a flatfile cache instead of Redis.' => 'Zakzat pouit mezipamti plochho souboru msto Redis.',
'Redis Host' => 'Hostitel Redis',
'Redis Port' => 'Redis Port',
'PHP Maximum POST File Size' => 'Maximln velikost souboru POST PHP',
'PHP Memory Limit' => 'Limit Pamti PHP',
'PHP Script Maximum Execution Time (Seconds)' => 'Maximln Doba Sputnho Skriptu v PHP (vteiny)',
'Short Sync Task Execution Time (Seconds)' => 'Doba Proveden Krtk Synchronizan lohy (vteiny)',
'The maximum execution time (and lock timeout) for the 15-second, 1-minute and 5-minute synchronization tasks.' => 'Maximln doba provdn (a asov limit uzamen) pro 15vteinov, 1minutov a 5minutov synchronizan lohy.',
'Long Sync Task Execution Time (Seconds)' => 'Doba Provdn Dlouh Synchronizan lohy (vteiny)',
'The maximum execution time (and lock timeout) for the 1-hour synchronization task.' => 'Maximln doba provdn (a asov limit uzamen) pro jednohodinovou synchronizan lohu.',
'Now Playing Delay Time (Seconds)' => 'Doba Zpodn Nyn Hraje (vteiny)',
'The delay between Now Playing checks for every station. Decrease for more frequent checks at the expense of performance; increase for less frequent checks but better performance (for large installations).' => 'Prodleva mezi kontrolami Nyn Hraje pro kadou stanici. Snite pro astj kontroly na kor vkonu; zvyte pro mn ast kontroly, ale lep vkon (pro velk instalace).',
'Maximum PHP-FPM Worker Processes' => 'Maximln Poet Pracovnch Proces PHP-FPM',
'Enable Performance Profiling Extension' => 'Povolen Rozen Profilovn Vkonu',
'Profiling data can be viewed by visiting %s.' => 'Data profilovn si mete prohldnout na strnce %s.',
'Profile Performance on All Requests' => 'Vkonnost Profilu na Vech dostech',
'This will have a significant performance impact on your installation.' => 'To bude mt vrazn dopad na vkon va instalace.',
'Profiling Extension HTTP Key' => 'Rozen profilovn HTTP Key',
'The value for the "SPX_KEY" parameter for viewing profiling pages.' => 'Hodnota parametru "SPX_KEY" pro zobrazen profilovacch strnek.',
'Profiling Extension IP Allow List' => 'Profilovn Seznamu Povolench IP Rozen',
'Enable web-based Docker image updates' => 'Povolen webov aktualizace docker image',
'Extra Ubuntu packages to install upon startup' => 'Instalace dalch balk Ubuntu pi sputn',
'Separate package names with a space. Packages will be installed during container startup.' => 'Nzvy balk oddlujte mezerou. Balky se nainstaluj pi sputn kontejneru.',
'Album Artist' => 'Album Artist',
'Album Artist Sort Order' => 'Album Artist Poad azen',
'Album Sort Order' => 'Poad azen Alb',
'Band' => 'Skupina',
'BPM' => 'BPM',
'Comment' => 'Koment',
'Commercial Information' => 'Komern daje',
'Composer' => 'Skladatel',
'Composer Sort Order' => 'Skladatel Poad azen',
'Conductor' => 'Veden',
'Content Group Description' => 'Skupina Obsahu Popis',
'Encoded By' => 'Kdovno',
'Encoder Settings' => 'Nastaven Enkdovn',
'Encoding Time' => 'Doba Kdovn',
'File Owner' => 'Vlastn Souboru',
'File Type' => 'Typ Souboru',
'Initial Key' => 'Poten Kl',
'Internet Radio Station Name' => 'Nzev Internetovho Rdia',
'Internet Radio Station Owner' => 'Majitel Internetovho Rdia',
'Involved People List' => 'Seznam Zapojench Osob',
'Linked Information' => 'Propojen Informace',
'Lyricist' => 'Texta',
'Media Type' => 'Typ Mdia',
'Mood' => 'Nlada',
'Music CD Identifier' => 'Hudebn CD Identifiktor',
'Musician Credits List' => 'Seznam Hudebnk',
'Original Album' => 'Pvodn Album',
'Original Artist' => 'Pvodn Interpret',
'Original Filename' => 'Pvodn Nzev Souboru',
'Original Lyricist' => 'Pvodn Texta',
'Original Release Time' => 'Pvodn as Vydn',
'Original Year' => 'Pvodn Rok',
'Part of a Compilation' => 'st Kompilace',
'Part of a Set' => 'Soust Sady',
'Performer Sort Order' => 'azen inkujcch',
'Playlist Delay' => 'Zpodn Seznamu Skladeb',
'Produced Notice' => 'Vyhotoven Oznmen',
'Publisher' => 'Vydavatel',
'Recording Time' => 'Doba Zznamu',
'Release Time' => 'as Vydn',
'Remixer' => 'Remixer',
'Set Subtitle' => 'Nastavit Titulky',
'Subtitle' => 'Titulky',
'Tagging Time' => 'as Znaen',
'Terms of Use' => 'Podmnky Pouit',
'Title Sort Order' => 'Poad azen Titul',
'Track Number' => 'slo Skladby',
'Unsynchronised Lyrics' => 'Nesynchronizovan Texty',
'URL Artist' => 'URL Umlce',
'URL File' => 'Soubor adresy URL',
'URL Payment' => 'Platba URL',
'URL Publisher' => 'URL Vydavatel',
'URL Source' => 'Zdroj URL',
'URL Station' => 'Stanice URL',
'URL User' => 'Uivatel URL',
'Year' => 'Rok',
'An account recovery link has been requested for your account on "%s".' => 'Pro v et na "%s" byl vydn odkaz pro obnoven tu.',
'Click the link below to log in to your account.' => 'Kliknutm na ne uveden odkaz se pihlste ke svmu tu.',
'Footer' => 'Zpat',
'Powered by %s' => 'B na %s',
'Forgot Password' => 'Zapomenut Heslo',
'Sign in' => 'Pihlasit se',
'Send Recovery E-mail' => 'Odeslat E-mail Pro Obnoven',
'Enter Two-Factor Code' => 'Zadejte Dvoufzov Kd',
'Your account uses a two-factor security code. Enter the code your device is currently showing below.' => 'V et pouv dvoufzov bezpenostn kd. Ne zadejte kd, kter vae zazen aktuln zobrazuje.',
'Security Code' => 'Bezpenostn Kd',
'This installation\'s administrator has not configured this functionality.' => 'Sprvce tto instalace tuto funkci nenakonfiguroval.',
'Contact an administrator to reset your password following the instructions in our documentation:' => 'Pro obnoven hesla se obrate na sprvce podle pokyn v na dokumentaci:',
'Password Reset Instructions' => 'Pokyny k Obnoven Hesla',
),
),
);
``` | /content/code_sandbox/translations/cs_CZ.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 34,672 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 && n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 && n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));',
'messages' =>
array (
'' =>
array (
'# Episodes' => '# ',
'# Songs' => '# ',
'%{ dj } is now live on %{ station }! Tune in now: %{ url }' => '%{ dj } %{ station }! : %{ url }',
'%{ hours } hours' => '%{ hours } ',
'%{ minutes } minutes' => '%{ minutes } ',
'%{ seconds } seconds' => '%{ seconds } ',
'%{ station } is back online! Tune in now: %{ url }' => '%{ station } ! : %{ url }',
'%{ station } is going offline for now.' => '%{ station } .',
'%{filesCount} File' =>
array (
0 => '%{filesCount} ',
1 => '%{filesCount} ',
2 => '%{filesCount} ',
3 => '%{filesCount} ',
),
'%{listeners} Listener' =>
array (
0 => '%{listeners} ',
1 => '%{listeners} ',
2 => '%{listeners} ',
3 => '%{listeners} ',
),
'%{messages} queued messages' => '%{messages} ',
'%{name} - Copy' => '%{name} - ',
'%{numPlaylists} playlist' =>
array (
0 => '%{numPlaylists} ',
1 => '%{numPlaylists} ',
2 => '%{numPlaylists} ',
3 => '%{numPlaylists} ',
),
'%{numSongs} uploaded song' =>
array (
0 => '%{numSongs} ',
1 => '%{numSongs} ',
2 => '%{numSongs} ',
3 => '%{numSongs} ',
),
'%{spaceUsed} of %{spaceTotal} Used' => ' %{spaceUsed} %{spaceTotal}',
'%{spaceUsed} Used' => '%{spaceUsed} ',
'%{station} - Copy' => '%{station} - ',
'12 Hour' => '12 ',
'24 Hour' => '24 ',
'A completely random track is picked for playback every time the queue is populated.' => ' .',
'A name for this stream that will be used internally in code. Should only contain letters, numbers, and underscores (i.e. "stream_lofi").' => ' , , (, "stream_lofi").',
'A passkey has been selected. Submit this form to add it to your account.' => ' . , .',
'A playlist containing media files hosted on this server.' => ' , .',
'A playlist that instructs the station to play from a remote URL.' => ', URL-.',
'A unique identifier (i.e. "G-A1B2C3D4") for this measurement stream.' => ' (.. "G-A1B2C3D4") .',
'About AzuraRelay' => ' AzuraRelay',
'About Master_me' => ' Master_me',
'About Release Channels' => ' ',
'Access Code' => ' ',
'Access Key ID' => 'ID ',
'Access Token' => ' ',
'Account Details' => ' ',
'Account is Active' => ' ',
'Account List' => ' ',
'Actions' => '',
'Adapter' => '',
'Add API Key' => ' API ',
'Add Custom Field' => ' ',
'Add Episode' => ' ',
'Add Files to Playlist' => ' ',
'Add HLS Stream' => ' HLS ',
'Add Mount Point' => ' ',
'Add New GitHub Issue' => ' GitHub',
'Add New Passkey' => ' ',
'Add Playlist' => ' ',
'Add Podcast' => ' ',
'Add Remote Relay' => ' ',
'Add Role' => ' ',
'Add Schedule Item' => ' ',
'Add SFTP User' => ' SFTP',
'Add Station' => ' ',
'Add Storage Location' => ' ',
'Add Streamer' => ' /',
'Add User' => ' ',
'Add Web Hook' => ' -',
'Administration' => '',
'Advanced' => '',
'Advanced Configuration' => ' ',
'Advanced Manual AutoDJ Scheduling Options' => ' ',
'Aggregate listener statistics are used to show station reports across the system. IP-based listener statistics are used to view live listener tracking and may be required for royalty reports.' => ' . IP- .',
'Album' => '',
'Album Art' => ' ',
'Alert' => '',
'All Days' => ' ',
'All listed domain names should point to this AzuraCast installation. Separate multiple domain names with commas.' => ' AzuraCast. .',
'All Playlists' => ' ',
'All Podcasts' => ' ',
'All Types' => ' ',
'All values in the NowPlaying API response are available for use. Any empty fields are ignored.' => ' NowPlaying API . .',
'Allow Requests from This Playlist' => ' ',
'Allow Song Requests' => ' ',
'Allow Streamers / DJs' => ' /',
'Allowed IP Addresses' => ' IP-',
'Always Use HTTPS' => ' HTTPS',
'Always Write Playlists to Liquidsoap' => ' Liquidsoap',
'Amplify: Amplification (dB)' => ': ()',
'An error occurred and your request could not be completed.' => ' .',
'An error occurred while loading the station profile:' => ' :',
'An error occurred with the WebDJ socket.' => ' .',
'Analytics' => '',
'Analyze and reprocess the selected media' => ' ',
'Any of the following file types are accepted:' => ' :',
'Any time a live streamer/DJ connects to the stream' => ' , /',
'Any time a live streamer/DJ disconnects from the stream' => ' , / ',
'Any time the currently playing song changes' => ' , ',
'Any time the listener count decreases' => ' , ',
'Any time the listener count increases' => ' , ',
'API "Access-Control-Allow-Origin" Header' => 'API "Access-Control-Allow-Origin"',
'API Documentation' => ' API',
'API Key Description/Comments' => '/ API',
'API Keys' => ' API',
'API Token' => ' API',
'API Version' => ' API',
'App Key' => ' ',
'App Secret' => ' ',
'Apple Podcasts' => ' Apple',
'Apply audio processors (like compressors, limiters, or equalizers) to your stream to create a more uniform sound or enhance the listening experience. Processing requires extra CPU resources, so it may slow down your server.' => ' (, , ) . , .',
'Apply for an API key at Last.fm' => ' API Last.fm',
'Apply Playlist to Folders' => ' ',
'Apply Post-processing to Live Streams' => ' ',
'Apply to Folders' => ' ',
'Are you sure?' => ' ?',
'Art' => '',
'Artist' => '',
'Artwork' => '',
'Artwork must be a minimum size of 1400 x 1400 pixels and a maximum size of 3000 x 3000 pixels for Apple Podcasts.' => ' 1400 x 1400 3000 x 3000 Apple.',
'Attempt to Automatically Retrieve ISRC When Missing' => ' ISRC ',
'Audio Bitrate (kbps)' => ' (/)',
'Audio Format' => '',
'Audio Post-processing Method' => ' ',
'Audio Processing' => ' ',
'Audio transcoding applications like Liquidsoap use a consistent amount of CPU over time, which gradually drains this available credit. If you regularly see stolen CPU time, you should consider migrating to a VM that has CPU resources dedicated to your instance.' => ' , Liquid soap, , . , , .',
'Audit Log' => ' ',
'Author' => '',
'Auto-Assign Value' => ' ',
'AutoCue analyzes your music and automatically calculates cue points, fade points, and volume levels for a consistent listening experience.' => 'AutoCue , .',
'AutoDJ' => '',
'AutoDJ Bitrate (kbps)' => ' (kbps)',
'AutoDJ Disabled' => ' ',
'AutoDJ Format' => ' ',
'AutoDJ has been disabled for this station. No music will automatically be played when a source is not live.' => ' . , .',
'AutoDJ Queue' => ' ',
'AutoDJ Queue Length' => ' ',
'AutoDJ Service' => ' ',
'Automatic Backups' => ' ',
'Automatically create new podcast episodes when media is added to a specified playlist.' => ' .',
'Automatically Publish New Episodes' => ' ',
'Automatically publish to a Mastodon instance.' => ' Mastodon.',
'Automatically Scroll to Bottom' => ' ',
'Automatically send a customized message to your Discord server.' => ' Discord.',
'Automatically send a message to any URL when your station data changes.' => ' URL- .',
'Automatically Set from ID3v2 Value' => ' ID3v2',
'Available Logs' => ' ',
'Avatar Service' => ' ',
'Avatars are retrieved based on your e-mail address from the %{ service } service. Click to manage your %{ service } settings.' => ' %{ service } . %{ service }.',
'Average Listeners' => ' ',
'Avoid Duplicate Artists/Titles' => ' /',
'AzuraCast First-Time Setup' => ' AzuraCast',
'AzuraCast Instance Name' => ' AzuraCast',
'AzuraCast ships with a built-in free IP geolocation database. You may prefer to use the MaxMind GeoLite service instead to achieve more accurate results. Using MaxMind GeoLite requires a license key, but once the key is provided, we will automatically keep the database updated.' => 'AzuraCast IP-. , MaxMind . MaxMind GeoLite , , .',
'AzuraCast Update Checks' => ' AzuraCast',
'AzuraCast User' => ' AzuraCast',
'AzuraCast uses a role-based access control system. Roles are given permissions to certain sections of the site, then users are assigned into those roles.' => 'AzuraCast , . , .',
'AzuraCast Wiki' => 'AzuraCast Wiki',
'AzuraCast will scan the uploaded file for matches in this station\'s music library. Media should already be uploaded before running this step. You can re-run this tool as many times as needed.' => 'AzuraCast . . , .',
'AzuraRelay is a standalone service that connects to your AzuraCast instance, automatically relays your stations via its own server, then reports the listener details back to your main instance. This page shows all currently connected instances.' => 'AzuraRelay - , AzuraCast, , . .',
'Back' => '',
'Backing up your installation is strongly recommended before any update.' => ' .',
'Backup' => ' ',
'Backup Format' => ' ',
'Backups' => ' ',
'Balanced' => '',
'Banned Countries' => ' ',
'Banned IP Addresses' => ' IP ',
'Banned User Agents' => ' User Agents',
'Base Directory' => ' ',
'Base Station Directory' => ' ',
'Base Theme for Public Pages' => ' ',
'Basic Info' => ' ',
'Basic Information' => ' ',
'Basic Normalization and Compression' => ' ',
'Best & Worst' => ' ',
'Best Performing Songs' => ' ',
'Bit Rate' => '',
'Bitrate' => '',
'Bot Token' => ' ',
'Bot/Crawler' => '/',
'Branding' => '',
'Branding Settings' => ' ',
'Broadcast AutoDJ to Remote Station' => ' ',
'Broadcasting' => '',
'Broadcasting Service' => ' ',
'Broadcasts' => '',
'Browser' => '',
'Browser Default' => ' ',
'Browser Icon' => ' ',
'Browsers' => '',
'Bucket Name' => ' ',
'Bulk Edit Episodes' => ' ',
'Bulk Media Import/Export' => ' / ',
'by' => '',
'By default, all playlists are written to Liquidsoap as a backup in case the normal AutoDJ fails. This can affect CPU load, especially on startup. Disable to only write essential playlists to Liquidsoap.' => ' Liquidsoap . , . , Liquidsoap .',
'By default, radio stations broadcast on their own ports (i.e. 8000). If you\'re using a service like CloudFlare or accessing your radio station by SSL, you should enable this feature, which routes all radio through the web ports (80 and 443).' => ' (. . 8000). CloudFlare SSL, , - - (80 443).',
'Cached' => '',
'Calculate and use normalized volume level metadata for each track.' => ' .',
'Cancel' => '',
'Categories' => '',
'Change' => '',
'Change Password' => ' ',
'Changes' => '',
'Changes saved.' => ' .',
'Character Set Encoding' => ' ',
'Chat ID' => 'ID ',
'Check for Updates' => ' ',
'Check this box to apply post-processing to all audio, including live streams. Uncheck this box to only apply post-processing to the AutoDJ.' => ' , , . , .',
'Check Web Services for Album Art for "Now Playing" Tracks' => ' - " "',
'Check Web Services for Album Art When Uploading Media' => ' - ',
'Choose a method to use when transitioning from one song to another. Smart Mode considers the volume of the two tracks when fading for a smoother effect, but requires more CPU resources.' => ' , . , .',
'Choose a name for this webhook that will help you distinguish it from others. This will only be shown on the administration page.' => ' -, . .',
'Choose a new password for your account.' => ' .',
'City' => '',
'Clear' => '',
'Clear all media from playlist?' => ' ?',
'Clear All Message Queues' => ' ',
'Clear All Pending Requests?' => ' ?',
'Clear Artwork' => ' ',
'Clear Cache' => ' ',
'Clear Field' => ' ',
'Clear File' => ' ',
'Clear Filters' => ' ',
'Clear Image' => ' ',
'Clear List' => ' ',
'Clear Media' => ' ',
'Clear Pending Requests' => ' ',
'Clear Queue' => ' ',
'Clear Upcoming Song Queue' => ' ',
'Clear Upcoming Song Queue?' => ' ?',
'Clearing the application cache may log you out of your session.' => ' .',
'Click "Generate new license key".' => ' " ".',
'Click "New Application"' => ' " "',
'Click the "Preferences" link, then "Development" on the left side menu.' => ' , .',
'Click the button below to generate a CSV file with all of this station\'s media. You can make any necessary changes, and then import the file using the file picker on the right.' => ' , CSV . , .',
'Click the button below to open your browser window to select a passkey.' => ' , .',
'Click the button below to retry loading the page.' => ' , .',
'Client' => '',
'Clients' => '',
'Clients by Connected Time' => ' ',
'Clients by Listeners' => ' ',
'Clone' => '',
'Clone Station' => ' ',
'Close' => '',
'CloudFlare (CF-Connecting-IP)' => 'CloudFlare (CF-Connecting-IP)',
'Code from Authenticator App' => ' ',
'Collect aggregate listener statistics and IP-based listener statistics' => ' IP-',
'Comments' => '',
'Complete the setup process by providing some information about your broadcast environment. These settings can be changed later from the administration panel.' => ' , . .',
'Configure' => '',
'Configure Backups' => ' ',
'Confirm' => '',
'Confirm New Password' => ' ',
'Connected AzuraRelays' => ' AzuraRelays',
'Connection Information' => ' ',
'Contains explicit content' => ' ',
'Continue the setup process by creating your first radio station below. You can edit any of these details later.' => ' , . .',
'Continuous Play' => ' ',
'Control how this playlist is handled by the AutoDJ software.' => ' , .',
'Copied!' => '!',
'Copies older than the specified number of days will automatically be deleted. Set to zero to disable automatic deletion.' => ' . , .',
'Copy associated media and folders.' => ' .',
'Copy scheduled playback times.' => ' .',
'Copy to Clipboard' => ' ',
'Copy to New Station' => ' ',
'Could not upload file.' => ' .',
'Countries' => '',
'Country' => '',
'CPU Load' => ' ',
'CPU Stats Help' => ' ',
'Create a new application. Choose "Scoped Access", select your preferred level of access, then name your app. Do not name it "AzuraCast", but rather use a name specific to your installation.' => ' . " ", , . "AzuraCast", , .',
'Create a New Radio Station' => ' ',
'Create Account' => ' ',
'Create an account on the MaxMind developer site.' => ' MaxMind.',
'Create and Continue' => ' ',
'Create custom fields to store extra metadata about each media file uploaded to your station libraries.' => ' , .',
'Create Directory' => ' ',
'Create New Key' => ' ',
'Create New Playlist for Each Folder' => ' ',
'Create podcast episodes independent of your station\'s media collection.' => ' - .',
'Create Station' => ' ',
'Critical' => '',
'Crossfade Duration (Seconds)' => ' ( )',
'Crossfade Method' => ' ',
'Cue' => '',
'Current Configuration File' => ' ',
'Current Custom Fallback File' => ' ',
'Current Installed Version' => ' ',
'Current Intro File' => ' ',
'Current Password' => ' ',
'Current Podcast Media' => ' ',
'Custom' => '',
'Custom API Base URL' => ' URL- API',
'Custom Branding' => ' ',
'Custom Configuration' => ' ',
'Custom CSS for Internal Pages' => ' CSS ',
'Custom CSS for Public Pages' => ' CSS ',
'Custom Cues: Cue-In Point (seconds)' => ' : ( )',
'Custom Cues: Cue-Out Point (seconds)' => ' : ( )',
'Custom Fading: Fade-In Time (seconds)' => ' : ( )',
'Custom Fading: Fade-Out Time (seconds)' => ' : ( )',
'Custom Fading: Start Next (seconds)' => ' : ( )',
'Custom Fallback File' => ' ',
'Custom Fields' => ' ',
'Custom Frontend Configuration' => ' ',
'Custom HTML for Public Pages' => ' HTML ',
'Custom JS for Public Pages' => ' JS ',
'Customize' => '',
'Customize Administrator Password' => ' ',
'Customize AzuraCast Settings' => ' AzuraCast',
'Customize Broadcasting Port' => ' ',
'Customize Copy' => ' ',
'Customize DJ/Streamer Mount Point' => ' /',
'Customize DJ/Streamer Port' => ' /',
'Customize Internal Request Processing Port' => ' ',
'Customize Source Password' => ' Source',
'Customize the number of songs that will appear in the "Song History" section for this station and in all public APIs.' => ' , API.',
'Customize this setting to ensure you get the correct IP address for remote users. Only change this setting if you use a reverse proxy, either within Docker or a third-party service like CloudFlare.' => ' , , IP- . , - Docker, , CloudFlare.',
'Dark' => '',
'Dashboard' => ' ',
'Date Played' => ' ',
'Date Requested' => ' ',
'Date/Time' => '/',
'Date/Time (Browser)' => '/ ()',
'Date/Time (Station)' => '/ ()',
'Days of Playback History to Keep' => ' ',
'Deactivate Streamer on Disconnect (Seconds)' => ' / ( )',
'Debug' => '',
'Default Album Art' => ' ',
'Default Album Art URL' => 'URL ',
'Default Avatar URL' => 'URL ',
'Default Live Broadcast Message' => ' ',
'Default Mount' => ' ',
'Delete' => '',
'Delete %{ num } episodes?' => ' %{ num } ()?',
'Delete %{ num } media files?' => ' %{ num } ()?',
'Delete Album Art' => ' ',
'Delete API Key?' => ' API ?',
'Delete Backup?' => ' ?',
'Delete Broadcast?' => ' ?',
'Delete Custom Field?' => ' ?',
'Delete Episode?' => ' ?',
'Delete HLS Stream?' => ' HLS ?',
'Delete Mount Point?' => ' ?',
'Delete Passkey?' => ' ?',
'Delete Playlist?' => ' ?',
'Delete Podcast?' => ' ?',
'Delete Queue Item?' => ' ?',
'Delete Record?' => ' ?',
'Delete Remote Relay?' => ' ?',
'Delete Request?' => ' ?',
'Delete Role?' => ' ?',
'Delete SFTP User?' => ' SFTP?',
'Delete Station?' => ' ?',
'Delete Storage Location?' => ' ?',
'Delete Streamer?' => ' ?',
'Delete User?' => ' ?',
'Delete Web Hook?' => ' -?',
'Description' => '',
'Desktop' => ' ',
'Details' => '',
'Directory' => '',
'Directory Name' => ' ',
'Disable' => '',
'Disable Crossfading' => ' ',
'Disable Optimizations' => ' ',
'Disable station?' => ' ?',
'Disable Two-Factor' => ' ',
'Disable two-factor authentication?' => ' ?',
'Disable?' => '?',
'Disabled' => '',
'Disconnect Streamer' => ' /',
'Discord Web Hook URL' => 'URL - Discord',
'Discord Webhook' => '- Discord',
'Disk caching makes a system much faster and more responsive in general. It does not take memory away from applications in any way since it will automatically be released by the operating system when needed.' => ' . , .',
'Disk Space' => ' ',
'Display fields' => ' ',
'Display Name' => ' ',
'DJ/Streamer Buffer Time (Seconds)' => ' / ( )',
'Do not collect any listener analytics' => ' ',
'Do not use a local broadcasting service.' => ' .',
'Do not use an AutoDJ service.' => ' .',
'Documentation' => '',
'Domain Name(s)' => ' ()',
'Donate to support AzuraCast!' => ' AzuraCast!',
'Download' => '',
'Download CSV' => ' CSV',
'Download M3U' => ' M3U',
'Download PLS' => ' PLS',
'Download the appropriate binary from the Stereo Tool downloads page:' => ' Stereo Tool:',
'Download the Linux x64 binary from the Shoutcast Radio Manager:' => ' Linux x64 Shoutcast Radio Manager:',
'Drag file(s) here to upload or' => ' () ',
'Dropbox App Console' => ' Dropbox',
'Dropbox Setup Instructions' => ' Dropbox',
'Duplicate' => '',
'Duplicate Playlist' => ' ',
'Duplicate Prevention Time Range (Minutes)' => ' ( )',
'Duplicate Songs' => ' ',
'E-Mail' => 'E-Mail',
'E-mail Address' => 'E-mail ',
'E-mail Address (Optional)' => ' ()',
'E-mail addresses can be separated by commas.' => ' .',
'E-mail Delivery Service' => ' ',
'EBU R128' => 'EBU R128',
'Edit' => '',
'Edit Branding' => ' ',
'Edit Custom Field' => ' ',
'Edit Episode' => ' ',
'Edit HLS Stream' => ' HLS ',
'Edit Liquidsoap Configuration' => ' Liquidsoap',
'Edit Media' => ' ',
'Edit Mount Point' => ' ',
'Edit Playlist' => ' ',
'Edit Podcast' => ' ',
'Edit Profile' => ' ',
'Edit Remote Relay' => ' ',
'Edit Role' => ' ',
'Edit SFTP User' => ' SFTP',
'Edit Station' => ' ',
'Edit Station Profile' => ' ',
'Edit Storage Location' => ' ',
'Edit Streamer' => ' ',
'Edit User' => ' ',
'Edit Web Hook' => ' -',
'Embed Code' => ' ',
'Embed Widgets' => ' ',
'Emergency' => ' ',
'Empty' => '',
'Enable' => '',
'Enable Advanced Features' => ' ',
'Enable AutoDJ' => ' ',
'Enable Broadcasting' => ' ',
'Enable certain advanced features in the web interface, including advanced playlist configuration, station port assignment, changing base media directories and other functionality that should only be used by users who are comfortable with advanced functionality.' => ' -, , , , , .',
'Enable Downloads on On-Demand Page' => ' ',
'Enable HTTP Live Streaming (HLS)' => ' HTTP Live Streaming (HLS)',
'Enable listeners to request a song for play on your station. Only songs that are already in your playlists are requestable.' => ' . , .',
'Enable Mail Delivery' => ' ',
'Enable on Public Pages' => ' ',
'Enable On-Demand Streaming' => ' ',
'Enable Public Pages' => ' ',
'Enable ReplayGain' => ' ReplayGain',
'Enable station?' => ' ?',
'Enable this option if your S3 provider is using paths instead of sub-domains for their S3 endpoint; for example, when using MinIO or with other self-hosted S3 storage solutions that are accessible via a path on a domain/IP instead of a subdomain.' => ' , S3 S3; , MinIO S3, /IP-, .',
'Enable this setting to prevent metadata from being sent to the AutoDJ for files in this playlist. This is useful if the playlist contains jingles or bumpers.' => ' , . , .',
'Enable to advertise this mount point on "Yellow Pages" public radio directories.' => ', " " .',
'Enable to advertise this relay on "Yellow Pages" public radio directories.' => ', " " .',
'Enable to allow listeners to select this relay on this station\'s public pages.' => ' .',
'Enable to allow this account to log in and stream.' => ', .',
'Enable to have AzuraCast automatically run nightly backups at the time specified.' => ', AzuraCast .',
'Enable Two-Factor' => ' ',
'Enable Two-Factor Authentication' => ' ',
'Enable?' => '?',
'Enabled' => '',
'End Date' => ' ',
'End Time' => ' ',
'Endpoint' => ' ',
'Enforce Schedule Times' => ' ',
'Enlarge Album Art' => ' ',
'Ensure the library matches your system architecture' => ', ',
'Enter "AzuraCast" as the application name. You can leave the URL fields unchanged. For "Scopes", only "write:media" and "write:statuses" are required.' => ' AzuraCast . URL . Scopes write:media write:statuses.',
'Enter the access code you receive below.' => ' , .',
'Enter the current code provided by your authenticator app to verify that it\'s working correctly.' => ' , -, , .',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => ' URL- , .',
'Enter your app secret and app key below.' => ' .',
'Enter your e-mail address to receive updates about your certificate.' => ' , .',
'Enter your password' => ' ',
'Episode' => '',
'Episode Number' => ' ',
'Episodes' => '',
'Episodes removed:' => ' :',
'Episodes updated:' => ' :',
'Error' => '',
'Error moving files:' => ' :',
'Error queueing files:' => ' :',
'Error removing episodes:' => ' :',
'Error removing files:' => ' :',
'Error reprocessing files:' => ' :',
'Error updating episodes:' => ' :',
'Error updating playlists:' => ' :',
'Example: if the remote radio URL is path_to_url enter "path_to_url".' => ': URL- path_to_url "path_to_url".',
'Exclude Media from Backup' => ' ',
'Excluding media from automated backups will save space, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => ' , . , .',
'Exit Fullscreen' => ' ',
'Expected to Play at' => ', ',
'Explicit' => '',
'Export %{format}' => ' %{format}',
'Export Media to CSV' => ' CSV',
'External' => '',
'Fallback Mount' => ' ',
'Field Name' => ' ',
'File Name' => ' ',
'Files marked for reprocessing:' => ', :',
'Files moved:' => ' :',
'Files played immediately:' => ' :',
'Files queued for playback:' => ' :',
'Files removed:' => ' :',
'First Connected' => ' ',
'Followers Only' => ' ',
'Footer Text' => ' ',
'For ARM (Raspberry Pi, etc.) installations, choose "Raspberry Pi Thimeo-ST plugin".' => ' ARM (Raspberry Pi ..) "Raspberry Pi Thimeo-ST plugin".',
'For local filesystems, this is the base path of the directory. For remote filesystems, this is the folder prefix.' => ' . .',
'For most cases, use the default UTF-8 encoding. The older ISO-8859-1 encoding can be used if accepting connections from Shoutcast 1 DJs or using other legacy software.' => ' UTF-8 . ISO-8859-1 Shoutcast 1 .',
'for selected period' => ' ',
'For simple updates where you want to keep your current configuration, you can update directly via your web browser. You will be disconnected from the web interface and listeners will be disconnected from all stations.' => ' , , -. -, .',
'For some clients, use port:' => ' :',
'For the legacy version' => ' ',
'For x86/64 installations, choose "x86/64 Linux Thimeo-ST plugin".' => ' x86/64 " x86/64 Linux Thimeo-ST".',
'Forgot your password?' => ' ?',
'Format' => '',
'Friday' => '',
'From your smartphone, scan the code to the right using an authentication app of your choice (FreeOTP, Authy, etc).' => ' , , (FreeOTP, Authy ..).',
'Full' => '',
'Full Volume' => ' ',
'General Rotation' => ' ',
'Generate Access Code' => ' ',
'Generate Report' => ' ',
'Generate/Renew Certificate' => '/ ',
'Generic Web Hook' => ' -',
'Generic Web Hooks' => ' -',
'Genre' => '',
'GeoLite is not currently installed on this installation.' => 'GeoLite .',
'GeoLite version "%{ version }" is currently installed.' => ' GeoLite "%{ version }" .',
'Get Next Song' => ' ',
'Get Now Playing' => ' ',
'GetMeRadio' => 'GetMeRadio',
'GetMeRadio Station ID' => 'ID GetMeRadio',
'Global' => '',
'Global Permissions' => ' ',
'Go' => '',
'Google Analytics V4 Integration' => ' Google V4',
'Help' => '',
'Hide Album Art on Public Pages' => ' ',
'Hide AzuraCast Branding on Public Pages' => ' AzuraCast ',
'Hide Charts' => ' ',
'Hide Credentials' => ' ',
'Hide Metadata from Listeners ("Jingle Mode")' => ' (" ")',
'High CPU' => ' ',
'High I/O Wait can indicate a bottleneck with the server\'s hard disk, a potentially failing hard disk, or heavy load on the hard disk.' => ' - , .',
'Higher weight playlists are played more frequently compared to other lower-weight playlists.' => ' .',
'History' => ' ',
'HLS' => 'HLS',
'HLS Streams' => 'HLS ',
'Home' => '',
'Homepage Redirect URL' => 'URL ',
'Hour' => '',
'HTML' => 'HTML',
'HTTP Live Streaming (HLS)' => 'HTTP Live Streaming (HLS)',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate streaming technology. From this page, you can configure the individual bitrates and formats that are included in the combined HLS stream.' => 'HTTP Live Streaming (HLS) - . , HLS.',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate technology supported by some clients. It does not use the standard broadcasting frontends.' => 'HTTP Live Streaming (HLS) - , . .',
'Icecast Clients' => ' Icecast',
'Icecast/Shoutcast Stream URL' => 'Icecast/Shoutcast URL ',
'Identifier' => '',
'If a live DJ connects but has not yet sent metadata, this is the message that will display on player pages.' => ' , , .',
'If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.' => ' , URL-. , .',
'If a visitor is not signed in and visits the AzuraCast homepage, you can automatically redirect them to the URL specified here. Leave blank to redirect them to the login screen by default.' => ' AzuraCast, URL. , .',
'If disabled, the playlist will not be included in radio playback, but can still be managed.' => ' , , .',
'If disabled, the station will not be visible on public-facing pages or APIs.' => ' , API.',
'If disabled, the station will not broadcast or shuffle its AutoDJ.' => ' , .',
'If enabled, a download button will also be present on the public "On-Demand" page.' => ' , " ".',
'If enabled, AzuraCast will automatically record any live broadcasts made to this station to per-broadcast recordings.' => ' , AzuraCast , , .',
'If enabled, AzuraCast will connect to the MusicBrainz database to attempt to find an ISRC for any files where one is missing. Disabling this may improve performance.' => ' , AzuraCast MusicBrainz, ISRC , . .',
'If enabled, music from playlists with on-demand streaming enabled will be available to stream via a specialized public page.' => ' , , .',
'If enabled, streamers (or DJs) will be able to connect directly to your stream and broadcast live music that interrupts the AutoDJ stream.' => ' , ( ) , .',
'If enabled, the AutoDJ on this installation will automatically play music to this mount point.' => ' , .',
'If enabled, the AutoDJ will automatically play music to this mount point.' => ' , .',
'If enabled, this streamer will only be able to connect during their scheduled broadcast times.' => ' , / .',
'If requests are enabled for your station, users will be able to request media that is on this playlist.' => ' , , .',
'If requests are enabled, this specifies the minimum delay (in minutes) between a request being submitted and being played. If set to zero, a minor delay of 15 seconds is applied to prevent request floods.' => ' , ( ) . , 15 .',
'If selected, album art will not display on public-facing radio pages.' => ' , .',
'If selected, this will remove the AzuraCast branding from public-facing pages.' => ' , AzuraCast .',
'If the end time is before the start time, the playlist will play overnight.' => ' , .',
'If the end time is before the start time, the schedule entry will continue overnight.' => ' , .',
'If the mountpoint (i.e. /radio.mp3) or Shoutcast SID (i.e. 2) you broadcast to is different from the stream URL, specify the source mount point here.' => ' (.. /radio.mp3) Shoutcast SID (.. 2), , URL- , .',
'If the port you broadcast to is different from the stream URL, specify the source port here.' => ' , , URL- , .',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => ' , .',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => ' , () . /error.mp3.',
'If this setting is set to "Yes", the browser URL will be used instead of the base URL when it\'s available. Set to "No" to always use the base URL.' => ' , URL- URL-, . , URL-.',
'If this station has on-demand streaming and downloading enabled, only songs that are in playlists with this setting enabled will be visible.' => ' , , .',
'If you are broadcasting using AutoDJ, enter the source password here.' => ' , .',
'If you are broadcasting using AutoDJ, enter the source username here. This may be blank.' => ' , . .',
'If you\'re experiencing a bug or error, you can submit a GitHub issue using the link below.' => ' , GitHub .',
'If your installation is constrained by CPU or memory, you can change this setting to tune the resources used by Liquidsoap.' => ' , , , Liquidsoap.',
'If your Mastodon username is "@test@example.com", enter "example.com".' => ' Mastodon "@test@example.com ", "example.com ".',
'If your stream is set to advertise to YP directories above, you must specify an authorization hash. You can manage these on the Shoutcast web site.' => ' YP, . Shoutcast.',
'If your streaming software requires a specific mount point path, specify it here. Otherwise, use the default.' => ' , . .',
'If your web hook requires HTTP basic authentication, provide the password here.' => ' - HTTP, .',
'If your web hook requires HTTP basic authentication, provide the username here.' => ' - HTTP, .',
'Import Changes from CSV' => ' CSV',
'Import from PLS/M3U' => ' PLS/M3U',
'Import Results' => ' ',
'Important: copy the key below before continuing!' => ': , !',
'In order to install Shoutcast:' => ' Shoutcast:',
'In order to install Stereo Tool:' => ' Stereo Tool:',
'In order to process quickly, web hooks have a short timeout, so the responding service should be optimized to handle the request in under 2 seconds.' => ' - , 2 .',
'Include in On-Demand Player' => ' ',
'Indefinitely' => '',
'Indicates the presence of explicit content (explicit language or adult content). Apple Podcasts displays an Explicit parental advisory graphic for your episode if turned on. Episodes containing explicit material aren\'t available in some Apple Podcasts territories.' => ' ( ). Apple Podcasts , . , , Apple Podcasts.',
'Info' => '',
'Information about the current playing track will appear here once your station has started.' => ' , .',
'Insert' => '',
'Install GeoLite IP Database' => ' GeoLite IP',
'Install Shoutcast' => ' Shoutcast',
'Install Shoutcast 2 DNAS' => ' Shoutcast 2 DNAS',
'Install Stereo Tool' => ' Stereo Tool',
'Instructions' => '',
'Internal notes or comments about the user, visible only on this control panel.' => ' , .',
'International Standard Recording Code, used for licensing reports.' => ' , .',
'Interrupt other songs to play at scheduled time.' => ' , .',
'Intro' => '',
'IP' => 'IP ',
'IP Address Source' => ' IP-',
'IP Geolocation is used to guess the approximate location of your listeners based on the IP address they connect with. Use the free built-in IP Geolocation library or enter a license key on this page to use MaxMind GeoLite.' => 'IP Geolocation IP-, . IP Geolocation MaxMind GeoLite .',
'Is Public' => '',
'Is Published' => '',
'ISRC' => 'ISRC',
'Items per page' => ' ',
'Jingle Mode' => ' ',
'Language' => '',
'Last 14 Days' => ' 14 ',
'Last 2 Years' => ' 2 ',
'Last 24 Hours' => ' 24 ',
'Last 30 Days' => ' 30 ',
'Last 60 Days' => ' 60 ',
'Last 7 Days' => ' 7 ',
'Last Modified' => ' ',
'Last Month' => ' ',
'Last Run' => ' ',
'Last run:' => ' :',
'Last Year' => ' ',
'Last.fm API Key' => ' API Last.fm',
'Latest Update' => ' ',
'Learn about Advanced Playlists' => ' ',
'Learn More about Post-processing CPU Impact' => ' ',
'Learn more about release channels in the AzuraCast docs.' => ' AzuraCast.',
'Learn more about this header.' => ' .',
'Leave blank to automatically generate a new password.' => ' .',
'Leave blank to play on every day of the week.' => ' , .',
'Leave blank to use the current password.' => ' , .',
'Leave blank to use the default Telegram API URL (recommended).' => ' , URL- Telegram API ().',
'Length' => '',
'Let\'s get started by creating your Super Administrator account.' => ' .',
'LetsEncrypt' => 'LetsEncrypt',
'LetsEncrypt provides simple, free SSL certificates allowing you to secure traffic through your control panel and radio streams.' => 'LetsEncrypt , SSL , .',
'Light' => '',
'Like our software?' => ' ?',
'Limited' => '',
'LiquidSoap is currently shuffling from %{songs} and %{playlists}.' => 'LiquidSoap %{songs} %{playlists}.',
'Liquidsoap Performance Tuning' => ' Liquidsoap',
'List one IP address or group (in CIDR format) per line.' => ' IP- ( CIDR) .',
'List one user agent per line. Wildcards (*) are allowed.' => ' (user agent) . (*).',
'Listener Analytics Collection' => ' ',
'Listener Gained' => ' ',
'Listener History' => ' ',
'Listener Lost' => ' ',
'Listener Report' => ' ',
'Listener Request' => ' ',
'Listener Type' => ' ',
'Listeners' => '',
'Listeners by Day' => ' ',
'Listeners by Day of Week' => ' ',
'Listeners by Hour' => ' ',
'Listeners by Listening Time' => ' ',
'Listeners By Time Period' => ' ',
'Listeners Per Station' => ' ',
'Listening Time' => ' ',
'Live' => ' ',
'Live Broadcast Recording Bitrate (kbps)' => ' (/)',
'Live Broadcast Recording Format' => ' ',
'Live Listeners' => ' ',
'Live Recordings Storage Location' => ' ',
'Live Streamer:' => 'C :',
'Live Streamer/DJ Connected' => '/ ',
'Live Streamer/DJ Disconnected' => '/ ',
'Live Streaming' => ' ',
'Load Average' => ' ',
'Loading' => '',
'Local' => '',
'Local Broadcasting Service' => ' ',
'Local Filesystem' => ' ',
'Local IP (Default)' => ' IP ( )',
'Local Streams' => ' ',
'Location' => '',
'Log In' => '',
'Log Output' => ' ',
'Log Viewer' => ' ',
'Logs' => '',
'Logs by Station' => ' ',
'Loop Once' => ' ',
'Main Message Content' => ' ',
'Make HLS Stream Default in Public Player' => ' HLS ',
'Make the selected media play immediately, interrupting existing media' => ' , ',
'Manage' => '',
'Manage Avatar' => ' ',
'Manage SFTP Accounts' => ' SFTP',
'Manage Stations' => ' ',
'Manual AutoDJ Mode' => ' ',
'Manual Updates' => ' ',
'Manually Add Episodes' => ' ',
'Manually define how this playlist is used in Liquidsoap configuration.' => ' , Liquidsoap.',
'Markdown' => 'Markdown',
'Master_me is an open-source automatic mastering plugin for streaming, podcasts and Internet radio.' => 'Master_me - , -.',
'Master_me Loudness Target (LUFS)' => ' (LUFS) Master_me',
'Master_me Post-processing' => 'Master_me ',
'Master_me Preset' => ' Master_me',
'Master_me Project Homepage' => ' Master_me',
'Mastodon Account Details' => ' Mastodon',
'Mastodon Instance URL' => 'URL- Mastodon',
'Mastodon Post' => ' Mastodon',
'Matched' => '',
'Matomo Analytics Integration' => ' Matomo Analytics',
'Matomo API Token' => ' API Matomo',
'Matomo Installation Base URL' => 'URL- Matomo',
'Matomo Site ID' => 'ID Matomo',
'Max Listener Duration' => ' ',
'Max. Connected Time' => '. ',
'Maximum Listeners' => ' ',
'Maximum number of total listeners across all streams. Leave blank to use the default.' => ' . , .',
'MaxMind Developer Site' => ' MaxMind',
'Measurement ID' => 'ID ',
'Measurement Protocol API Secret' => 'API ',
'Media' => '',
'Media File' => '',
'Media Storage Location' => ' ',
'Memory' => '',
'Memory Stats Help' => ' ',
'Merge playlist to play as a single track.' => ' , .',
'Message Body' => ' ',
'Message Body on Song Change' => ' ',
'Message Body on Song Change with Streamer/DJ Connected' => ' /',
'Message Body on Station Offline' => ' ',
'Message Body on Station Online' => ' ',
'Message Body on Streamer/DJ Connect' => ' / ',
'Message Body on Streamer/DJ Disconnect' => ' / ',
'Message Customization Tips' => ' ',
'Message parsing mode' => ' ',
'Message Queues' => ' ',
'Message Recipient(s)' => '() ',
'Message Subject' => ' ',
'Message Visibility' => ' ',
'Metadata updated.' => ' .',
'Microphone' => '',
'Microphone Source' => ' ',
'Min. Connected Time' => '. ',
'Minute of Hour to Play' => ' ',
'Mixer' => '',
'Mobile' => '',
'Modified' => '',
'Monday' => '',
'More' => '',
'Most hosting providers will put more Virtual Machines (VPSes) on a server than the hardware can handle when each VM is running at full CPU load. This is called over-provisioning, which can lead to other VMs on the server "stealing" CPU time from your VM and vice-versa.' => ' - (VPS), , . , , "" .',
'Most Played Songs' => ' ',
'Most Recent Backup Log' => ' ',
'Mount Name:' => ' :',
'Mount Point URL' => 'URL ',
'Mount Points' => ' ',
'Mount points are how listeners connect and listen to your station. Each mount point can be a different audio format or quality. Using mount points, you can set up a high-quality stream for broadband listeners and a mobile stream for phone users.' => ' - , . . , .',
'Move' => '',
'Move %{ num } File(s) to' => ' %{ num } () ',
'Move Down' => ' ',
'Move to Bottom' => ' ',
'Move to Directory' => ' ',
'Move to Top' => ' ',
'Move Up' => ' ',
'Music Files' => ' ',
'Music General' => ' ',
'Must match new password.' => ' .',
'Mute' => '. ',
'My Account' => ' ',
'N/A' => ' ',
'Name' => '/',
'name@example.com' => 'name@example.com',
'Name/Type' => '/',
'Need Help?' => ' ?',
'Network Interfaces' => ' ',
'Never run' => ' ',
'New Directory' => ' ',
'New directory created.' => ' .',
'New File Name' => ' ',
'New Folder' => ' ',
'New Key Generated' => ' ',
'New Password' => ' ',
'New Playlist' => ' ',
'New Playlist Name' => ' ',
'New Station Description' => ' ',
'New Station Name' => ' ',
'Next Run' => ' ',
'No' => '',
'No AutoDJ Enabled' => ' ',
'No files selected.' => ' .',
'No Limit' => ' ',
'No Match' => ' ',
'No other program can be using this port. Leave blank to automatically assign a port.' => ' . , .',
'No Post-processing' => ' ',
'No records to display.' => ' .',
'No records.' => ' .',
'None' => ' ',
'Normal Mode' => ' ',
'Not Played' => ' ',
'Not Run' => ' ',
'Not Running' => ' ',
'Not Scheduled' => ' ',
'Note that restoring a backup will clear your existing database. Never restore backup files from untrusted users.' => ' , . .',
'Note that Stereo Tool can be resource-intensive for both CPU and Memory. Please ensure you have sufficient resources before proceeding.' => 'Stereo Tool , . , , .',
'Note: If your media metadata has UTF-8 characters, you should use a spreadsheet editor that supports UTF-8 encoding, like OpenOffice.' => ': UTF-8, , UTF-8, OpenOffice.',
'Note: the port after this one will automatically be used for legacy connections.' => ': .',
'Note: This should be the public-facing homepage of the radio station, not the AzuraCast URL. It will be included in broadcast details.' => '. , URL- AzuraCast. .',
'Notes' => '',
'Notice' => '',
'Now' => '',
'Now Playing' => ' ',
'Now playing on %{ station }:' => ' %{ station }:',
'Now playing on %{ station }: %{ title } by %{ artist } with your host, %{ dj }! Tune in now: %{ url }' => ' %{ station }: %{ artist } - %{ title } , %{ dj }! : %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now: %{ url }' => ' %{ station }: %{ title } %{ artist }! : %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now.' => ' %{ station }: %{ title } %{ artist }! .',
'NowPlaying API Response' => ' NowPlaying API',
'Number of Backup Copies to Keep' => ' ',
'Number of Minutes Between Plays' => ' ',
'Number of seconds to overlap songs.' => ' .',
'Number of Songs Between Plays' => ' ',
'Number of Visible Recent Songs' => ' ',
'On the Air' => ' ',
'On-Demand' => ' ',
'On-Demand Media' => ' ',
'On-Demand Streaming' => ' ',
'Once per %{minutes} Minutes' => ' %{minutes} ',
'Once per %{songs} Songs' => ' %{songs} ',
'Once per Hour' => ' ',
'Once per Hour (at %{minute})' => ' ( %{minute})',
'Once per x Minutes' => ' x ',
'Once per x Songs' => ' x ',
'Once these steps are completed, enter the "Access Token" from the application\'s page into the field below.' => ' .',
'One important note on I/O Wait is that it can indicate a bottleneck or problem but also may be completely meaningless, depending on the workload and general available resources. A constantly high I/O Wait should prompt further investigation with more sophisticated tools.' => ' - , , , . - .',
'Only collect aggregate listener statistics' => ' ',
'Only loop through playlist once.' => ' .',
'Only play one track at scheduled time.' => ' .',
'Only Post Once Every...' => ' ...',
'Operation' => '',
'Optional: HTTP Basic Authentication Password' => ' : HTTP',
'Optional: HTTP Basic Authentication Username' => ' : HTTP',
'Optional: Request Timeout (Seconds)' => ': ( )',
'Optionally list this episode as part of a season in some podcast aggregators.' => ' .',
'Optionally select an ID3v2 metadata field that, if present, will be used to set this field\'s value.' => ' ID3v2, , , .',
'Optionally set a specific episode number in some podcast aggregators.' => ' .',
'Optionally specify a short URL-friendly name, such as "my_station_name", that will be used in this station\'s URLs. Leave this field blank to automatically create one based on the station name.' => ' , URL-, "my_station_name", URL- . , .',
'Optionally specify an API-friendly name, such as "field_name". Leave this field blank to automatically create one based on the name.' => ' , API, "field_name". , .',
'Optionally supply an API token to allow IP address overriding.' => ' API, IP-.',
'Optionally supply SSH public keys this user can use to connect instead of a password. Enter one key per line.' => ' SSH , . .',
'or' => '',
'Original Path' => ' ',
'Other Remote URL (File, HLS, etc.)' => ' URL- (, HLS . .)',
'Owner' => '',
'Page' => '',
'Passkey Authentication' => ' ',
'Passkey Nickname' => ' ',
'Password' => '',
'Password:' => ':',
'Paste the generated license key into the field on this page.' => ' .',
'Path/Suffix' => '/',
'Pending Requests' => ' ',
'Permissions' => ' ',
'Play' => '',
'Play Now' => ' ',
'Play once every $x minutes.' => ' $x .',
'Play once every $x songs.' => ' $x .',
'Play once per hour at the specified minute.' => ' .',
'Playback Queue' => ' ',
'Playing Next' => ' ',
'Playlist' => '',
'Playlist (M3U/PLS) URL' => 'URL- (M3U/PLS)',
'Playlist 1' => ' 1',
'Playlist 2' => ' 2',
'Playlist Name' => ' ',
'Playlist order set.' => ' .',
'Playlist queue cleared.' => ' .',
'Playlist successfully applied to folders.' => ' .',
'Playlist Type' => ' ',
'Playlist Weight' => ' ',
'Playlist-Based' => ' ',
'Playlist-Based Podcast' => ' ',
'Playlist-based podcasts will automatically sync with the contents of a playlist, creating new podcast episodes for any media added to the playlist.' => ' , , .',
'Playlist:' => ':',
'Playlists' => '',
'Playlists cleared for selected files:' => ' :',
'Playlists updated for selected files:' => ' :',
'Plays' => '',
'Please log in to continue.' => ', .',
'Podcast' => '',
'Podcast media should be in the MP3 or M4A (AAC) format for the greatest compatibility.' => ' MP3 M4A (AAC) .',
'Podcast Title' => ' ',
'Podcasts' => '',
'Podcasts Storage Location' => ' ',
'Port' => '',
'Port:' => ':',
'Powered by' => ' ',
'Powered by AzuraCast' => ' AzuraCast',
'Prefer Browser URL (If Available)' => ' URL- ( )',
'Prefer System Default' => ' ',
'Preview' => '',
'Previous' => '',
'Privacy' => '',
'Profile' => '',
'Programmatic Name' => ' ',
'Provide a valid license key from Thimeo. Functionality is limited without a license key.' => ' Thimeo. .',
'Public' => '',
'Public Page' => ' ',
'Public Page Background' => ' ',
'Public Pages' => ' ',
'Publish At' => ' ',
'Publish to "Yellow Pages" Directories' => ' " "',
'Queue' => ' ',
'Queue the selected media to play next' => ' ',
'Radio Player' => '',
'Radio.de' => 'Radio.de',
'Radio.de API Key' => 'API Radio.de',
'Radio.de Broadcast Subdomain' => ' Radio.de',
'RadioReg.net' => 'RadioReg.net',
'Random' => '',
'Ready to start broadcasting? Click to start your station.' => ' ? , .',
'Received' => '',
'Record Live Broadcasts' => ' ',
'Recover Account' => ' ',
'Refresh' => '',
'Refresh rows' => ' ',
'Region' => '',
'Relay' => '',
'Relay Stream URL' => ' (URL-)',
'Release Channel' => ' ',
'Reload' => '',
'Reload Configuration' => ' ',
'Reload to Apply Changes' => ' ',
'Reloading broadcasting will not disconnect your listeners.' => ' .',
'Remember me' => ' ',
'Remote' => '',
'Remote Playback Buffer (Seconds)' => ' ( )',
'Remote Relays' => ' ',
'Remote relays let you work with broadcasting software outside this server. Any relay you include here will be included in your station\'s statistics. You can also broadcast from this server to remote relays.' => ' . , , . .',
'Remote Station Administrator Password' => ' ',
'Remote Station Listening Mountpoint/SID' => ' /SID',
'Remote Station Listening URL' => 'URL- ',
'Remote Station Source Mountpoint/SID' => ' /SID',
'Remote Station Source Password' => ' ',
'Remote Station Source Port' => ' ',
'Remote Station Source Username' => ' ',
'Remote Station Type' => ' ',
'Remote URL' => ' URL-',
'Remote URL Playlist' => ' URL- ',
'Remote URL Type' => ' URL-',
'Remote: Dropbox' => ': Dropbox',
'Remote: S3 Compatible' => ': S3',
'Remote: SFTP' => ': SFTP',
'Remove' => '',
'Remove Key' => ' ',
'Rename' => '',
'Rename File/Directory' => ' /',
'Reorder' => '',
'Reorder Playlist' => ' ',
'Repeat' => '',
'Replace Album Cover Art' => ' ',
'Reports' => '',
'Reprocess' => ' ',
'Request' => '',
'Request a Song' => ' ',
'Request History' => ' ',
'Request Last Played Threshold (Minutes)' => ' ( )',
'Request Minimum Delay (Minutes)' => ' ( )',
'Request Song' => ' ',
'Requester IP' => 'IP- ',
'Requests' => '',
'Required' => '',
'Reshuffle' => '',
'Restart' => '',
'Restart Broadcasting' => ' ',
'Restarting broadcasting will briefly disconnect your listeners.' => ' .',
'Restarting broadcasting will rewrite all configuration files and restart all services.' => ' .',
'Restoring Backups' => ' ',
'Reverse Proxy (X-Forwarded-For)' => ' (X-Forwarded-For)',
'Role Name' => ' ',
'Roles' => '',
'Roles & Permissions' => ' ',
'Rolling Release' => ' ',
'RSS' => 'RSS',
'RSS Feed' => 'RSS-',
'Run Automatic Nightly Backups' => ' ',
'Run Manual Backup' => ' ',
'Run Task' => ' ',
'Running' => '',
'Sample Rate' => ' ',
'Saturday' => '',
'Save' => '',
'Save and Continue' => ' ',
'Save Changes' => '',
'Save Changes first' => ' ',
'Schedule' => '',
'Schedule View' => ' ',
'Scheduled' => '',
'Scheduled Backup Time' => ' ',
'Scheduled Play Days of Week' => ' ',
'Scheduled playlists and other timed items will be controlled by this time zone.' => ' .',
'Scheduled Time #%{num}' => ' #%{num}',
'Scheduling' => '',
'Search' => '',
'Season Number' => ' ',
'Seconds from the start of the song that the AutoDJ should start playing.' => ' , .',
'Seconds from the start of the song that the AutoDJ should stop playing.' => ' .',
'Seconds from the start of the song that the next song should begin when fading. Leave blank to use the system default.' => ' , . , .',
'Secret Key' => ' ',
'Security' => '',
'Security & Privacy' => ' ',
'See the Telegram documentation for more details.' => ' Telegram.',
'See the Telegram Documentation for more details.' => ' Telegram.',
'Seek' => '',
'Segment Length (Seconds)' => ' ( )',
'Segments in Playlist' => ' ',
'Segments Overhead' => ' ',
'Select' => '',
'Select a theme to use as a base for station public pages and the login page.' => ' .',
'Select All Rows' => ' ',
'Select an option here to apply post-processing using an easy preset or tool. You can also manually apply post-processing by editing your Liquidsoap configuration manually.' => ' , Stereo Tool. , Liquidsoap .',
'Select Configuration File' => ' ',
'Select CSV File' => ' CSV ',
'Select Custom Fallback File' => ' ',
'Select File' => ' ',
'Select Intro File' => ' ',
'Select Media File' => ' ',
'Select Passkey' => ' ',
'Select Playlist' => ' ',
'Select PLS/M3U File to Import' => ' PLS/M3U ',
'Select PNG/JPG artwork file' => ' PNG/JPG ',
'Select Row' => ' ',
'Select the category/categories that best reflects the content of your podcast.' => ' /, .',
'Select the countries that are not allowed to connect to the streams.' => ' , .',
'Select Web Hook Type' => ' -',
'Send an e-mail to specified address(es).' => ' ().',
'Send E-mail' => ' ',
'Send song metadata changes to %{service}' => ' %{service}',
'Send song metadata changes to %{service}.' => ' %{service}.',
'Send stream listener details to Google Analytics.' => ' Google Analytics.',
'Send stream listener details to Matomo Analytics.' => ' Matomo Analytics.',
'Send Test Message' => ' ',
'Sender E-mail Address' => 'E-mail ',
'Sender Name' => ' ',
'Sequential' => '',
'Server Status' => ' ',
'Server:' => ':',
'Services' => '',
'Set a maximum disk space that this storage location can use. Specify the size with unit, i.e. "8 GB". Units are measured in 1024 bytes. Leave blank to default to the available space on the disk.' => ' , . , "8 GB" "500 MB". - 1024 . , .',
'Set as Default Mount Point' => ' ',
'Set cue and fade points using the visual editor. The timestamps will be saved to the corresponding fields in the advanced playback settings.' => ' . .',
'Set Cue In' => ' ',
'Set Cue Out' => ' ',
'Set Fade In' => ' ',
'Set Fade Out' => ' ',
'Set Fade Start Next' => ' ',
'Set longer to preserve more playback history and listener metadata for stations. Set shorter to save disk space.' => ' , . , .',
'Set the length of time (seconds) a listener will stay connected to the stream. If set to 0, listeners can stay connected infinitely.' => ' ( ), . 0, .',
'Set to * to allow all sources, or specify a list of origins separated by a comma (,).' => ' * , , (,).',
'Settings' => '',
'Setup instructions for broadcasting software are available on the AzuraCast wiki.' => ' AzuraCast Wiki.',
'SFTP Host' => 'SFTP ',
'SFTP Password' => ' SFTP',
'SFTP Port' => 'SFTP ',
'SFTP Private Key' => ' SFTP',
'SFTP Private Key Pass Phrase' => ' SFTP',
'SFTP Username' => ' SFTP',
'SFTP Users' => ' SFTP',
'Share Media Storage Location' => ' ',
'Share Podcasts Storage Location' => ' ',
'Share Recordings Storage Location' => ' ',
'Shoutcast 2 DNAS is not currently installed on this installation.' => 'Shoutcast 2 DNAS .',
'Shoutcast 2 DNAS is not free software, and its restrictive license does not allow AzuraCast to distribute the Shoutcast binary.' => 'Shoutcast 2 DNAS , AzuraCast Shoutcast.',
'Shoutcast Clients' => ' Shoutcast',
'Shoutcast Radio Manager' => 'Shoutcast Radio Manager',
'Shoutcast User ID' => ' Shoutcast',
'Shoutcast version "%{ version }" is currently installed.' => ' Shoutcast "%{ version }".',
'Show Charts' => ' ',
'Show Credentials' => ' ',
'Show HLS Stream on Public Player' => ' HLS ',
'Show new releases within your update channel on the AzuraCast homepage.' => ' AzuraCast.',
'Show on Public Pages' => ' ',
'Show the station in public pages and general API results.' => ' API.',
'Show Update Announcements' => ' ',
'Shuffled' => '',
'Sidebar' => ' ',
'Sign In' => '',
'Sign In with Passkey' => ' ',
'Sign Out' => '',
'Site Base URL' => ' URL- ',
'Size' => '',
'Skip Song' => ' ',
'Skip to main content' => ' ',
'Smart Mode' => ' ',
'SMTP Host' => 'SMTP ',
'SMTP Password' => ' SMTP',
'SMTP Port' => 'SMTP ',
'SMTP Username' => ' SMTP',
'Social Media' => ' ',
'Some stream licensing providers may have specific rules regarding song requests. Check your local regulations for more information.' => ' , . .',
'Song' => '',
'Song Album' => ' ',
'Song Artist' => '',
'Song Change' => ' ',
'Song Change (Live Only)' => ' ( )',
'Song Genre' => ' ',
'Song History' => ' ',
'Song Length' => ' ',
'Song Lyrics' => ' ',
'Song Playback Order' => ' ',
'Song Playback Timeline' => ' ',
'Song Requests' => ' ',
'Song Title' => ' ',
'Song-based' => ' ',
'Song-Based' => ' ',
'Song-Based Playlist' => ' ',
'SoundExchange Report' => ' SoundExchange',
'SoundExchange Royalties' => ' SoundExchange',
'Source' => '',
'Space Used' => ' ',
'Specify a mountpoint (i.e. "/radio.mp3") or a Shoutcast SID (i.e. "2") to specify a specific stream to use for statistics or broadcasting.' => ' (.. "/radio.mp3") Shoutcast SID (.. "2") .',
'Specify the minute of every hour that this playlist should play.' => ' .',
'Speech General' => ' ',
'SSH Public Keys' => ' SSH ',
'Stable' => '',
'Standard playlist, shuffles with other standard playlists based on weight.' => ' , .',
'Start' => '',
'Start Date' => ' ',
'Start Station' => ' ',
'Start Streaming' => ' ',
'Start Time' => ' ',
'Station Directories' => ' ',
'Station Disabled' => ' ',
'Station Goes Offline' => ' ',
'Station Goes Online' => ' ',
'Station Media' => ' ',
'Station Name' => ' ',
'Station Offline' => ' ',
'Station Offline Display Text' => ' ',
'Station Overview' => ' ',
'Station Permissions' => ' ',
'Station Podcasts' => ' ',
'Station Recordings' => ' ',
'Station Statistics' => ' ',
'Station Time' => ' ',
'Station Time Zone' => ' ',
'Station-Specific Debugging' => ' ',
'Station(s)' => '()',
'Stations' => '',
'Stations using Icecast can soft-reload the station configuration, applying changes while keeping the stream broadcast running.' => ', Icecast, , , .',
'Steal' => '',
'Steal (St)' => ' (St)',
'Step %{step}' => ' %{step}',
'Step 1: Scan QR Code' => ' 1: QR-',
'Step 2: Verify Generated Code' => ' 2: ',
'Steps for configuring a Mastodon application:' => ' Mastodon:',
'Stereo Tool' => 'Stereo Tool',
'Stereo Tool documentation.' => ' Stereo Tool.',
'Stereo Tool Downloads' => ' Stereo Tool',
'Stereo Tool is a popular, proprietary tool for software audio processing. Using Stereo Tool, you can customize the sound of your stations using preset configuration files.' => 'Stereo Tool . Stereo Tool, , .',
'Stereo Tool is an industry standard for software audio processing. For more information on how to configure it, please refer to the' => 'Stereo Tool . , , ',
'Stereo Tool is not currently installed on this installation.' => 'Stereo Tool .',
'Stereo Tool is not free software, and its restrictive license does not allow AzuraCast to distribute the Stereo Tool binary.' => 'Stereo Tool , AzuraCast Stereo Tool.',
'Stereo Tool version %{ version } is currently installed.' => ' Stereo Tool %{ version } .',
'Stop' => '',
'Stop Streaming' => ' ',
'Storage Adapter' => ' ',
'Storage Location' => ' ',
'Storage Locations' => ' ',
'Storage Quota' => ' ',
'Stream' => '',
'Streamer Broadcasts' => ' /',
'Streamer Display Name' => ' /',
'Streamer password' => ' /',
'Streamer Username' => ' /',
'Streamer/DJ' => '/',
'Streamer/DJ Accounts' => ' /',
'Streamers/DJs' => '/',
'Streams' => ' ',
'Submit Code' => ' ',
'Sunday' => '',
'Support Documents' => ' ',
'Supported file formats:' => ' :',
'Switch Theme' => ' ',
'Synchronization Tasks' => ' ',
'Synchronize with Playlist' => ' ',
'System Administration' => '',
'System Debugger' => ' ',
'System Logs' => ' ',
'System Maintenance' => '',
'System Settings' => ' ',
'Target' => '',
'Task Name' => ' ',
'Telegram Chat Message' => ' Telegram',
'Test' => '',
'Test message sent.' => ' .',
'Thanks for listening to %{ station }!' => ' %{ station }!',
'The amount of memory Linux is using for disk caching.' => ' , Linux .',
'The average target loudness (measured in LUFS) for the broadcasted stream. Values between -14 and -18 LUFS are common for Internet radio stations.' => ' ( LUFS) . -14 -18 LUFS -.',
'The base URL where this service is located. Use either the external IP address or fully-qualified domain name (if one exists) pointing to this server.' => ' URL-, . IP- ( ) .',
'The body of the POST message is the exact same as the NowPlaying API response for your station.' => ' POST , NowPlaying API .',
'The contact person of the podcast. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => ' . , Apple Podcasts, Spotify, Google Podcasts . .',
'The current CPU usage including I/O Wait and Steal.' => ' , - .',
'The current Memory usage excluding cached memory.' => ' .',
'The date and time when the episode should be published.' => ' , .',
'The description of the episode. The typical maximum amount of text allowed for this is 4000 characters.' => ' . 4000 .',
'The description of your podcast. The typical maximum amount of text allowed for this is 4000 characters.' => ' . 4000 .',
'The display name assigned to this mount point when viewing it on administrative or public pages. Leave blank to automatically generate one.' => ' , . , .',
'The display name assigned to this relay when viewing it on administrative or public pages. Leave blank to automatically generate one.' => ' , . , .',
'The editable text boxes are areas where you can insert custom configuration code. The non-editable sections are automatically generated by AzuraCast.' => ' - , . AzuraCast.',
'The email of the podcast contact. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => ' . , Apple Podcasts, Spotify, Google Podcasts . .',
'The file name should look like:' => ' :',
'The format and headers of this CSV should match the format generated by the export function on this page.' => ' CSV- , .',
'The full base URL of your Matomo installation.' => ' URL- Matomo.',
'The full playlist is shuffled and then played through in the shuffled order.' => ' .',
'The I/O Wait is the percentage of time that the CPU is waiting for disk access before it can continue the work that depends on the result of this.' => ' - - , , .',
'The language spoken on the podcast.' => ', .',
'The length of playback time that Liquidsoap should buffer when playing this remote playlist. Shorter times may lead to intermittent playback on unstable connections.' => ' , Liquidsoap . .',
'The number of seconds of signal to store in case of interruption. Set to the lowest value that your DJs can use without stream interruptions.' => ' . , .',
'The number of seconds to wait for a response from the remote server before cancelling the request.' => ' .',
'The numeric site ID for this site.' => ' ID .',
'The order of the playlist is manually specified and followed by the AutoDJ.' => ' , .',
'The parent directory where station playlist and configuration files are stored. Leave blank to use default directory.' => ' , . , .',
'The relative path of the file in the station\'s media directory.' => ' .',
'The station ID will be a numeric string that starts with the letter S.' => ' (ID) , S.',
'The streamer will use this password to connect to the radio server.' => '/ .',
'The streamer will use this username to connect to the radio server.' => '/ .',
'The time period that the song should fade in. Leave blank to use the system default.' => ' , . , .',
'The time period that the song should fade out. Leave blank to use the system default.' => ' , . , .',
'The URL that will receive the POST messages any time an event is triggered.' => 'URL-, POST .',
'The volume in decibels to amplify the track with. Leave blank to use the system default.' => ' . , .',
'The WebDJ lets you broadcast live to your station using just your web browser.' => '- , -.',
'Theme' => '',
'There is no existing custom fallback file associated with this station.' => ' , .',
'There is no existing intro file associated with this mount point.' => ' .',
'There is no existing media associated with this episode.' => ' .',
'There is no Stereo Tool configuration file present.' => ' Stereo Tool.',
'This account will have full access to the system, and you\'ll automatically be logged in to it for the rest of setup.' => ' , .',
'This can be generated in the "Events" section for a measurement.' => ' .',
'This can be retrieved from the GetMeRadio dashboard.' => ' GetMeRadio.',
'This can make it look like your memory is low while it actually is not. Some monitoring solutions/panels include cached memory in their used memory statistics without indicating this.' => ' , , . / .',
'This code will be included in the frontend configuration. Allowed formats are:' => ' . :',
'This configuration file should be a valid .sts file exported from Stereo Tool.' => ' .sts , Stereo Tool.',
'This CSS will be applied to the main management pages, like this one.' => ' CSS , .',
'This CSS will be applied to the station public pages and login page.' => ' CSS .',
'This CSS will be applied to the station public pages.' => ' CSS .',
'This determines how many songs in advance the AutoDJ will automatically fill the queue.' => ' .',
'This feature requires the AutoDJ feature to be enabled.' => ' .',
'This field is required.' => ' .',
'This field must be a valid decimal number.' => ' .',
'This field must be a valid e-mail address.' => ' .',
'This field must be a valid integer.' => ' .',
'This field must be a valid IP address.' => ' IP-.',
'This field must be a valid URL.' => ' URL-.',
'This field must be between %{ min } and %{ max }.' => ' %{ min } %{ max }.',
'This field must have at least %{ min } letters.' => ' %{ min } .',
'This field must have at most %{ max } letters.' => ' %{ max } .',
'This field must only contain alphabetic characters.' => ' .',
'This field must only contain alphanumeric characters.' => ' - .',
'This field must only contain numeric characters.' => ' .',
'This file will be played on your radio station any time no media is scheduled to play or a critical error occurs that interrupts regular broadcasting.' => ' , , .',
'This image will be used as the default album art when this streamer is live.' => ' , / .',
'This introduction file should exactly match the bitrate and format of the mount point itself.' => ' .',
'This is a 3-5 digit number.' => ' 3-5 .',
'This is an advanced feature and custom code is not officially supported by AzuraCast. You may break your station by adding custom code, but removing it should fix any issues.' => ' AzuraCast. , , .',
'This is the informal display name that will be shown in API responses if the streamer/DJ is live.' => ' , API, / .',
'This is the number of seconds until a streamer who has been manually disconnected can reconnect to the stream. Set to 0 to allow the streamer to immediately reconnect.' => ' , /, , . 0, / .',
'This javascript code will be applied to the station public pages and login page.' => ' javascript .',
'This javascript code will be applied to the station public pages.' => ' javascript .',
'This mode disables AzuraCast\'s AutoDJ management, using Liquidsoap itself to manage song playback. "next song" and some other features will not be available.' => ' AzuraCast Liquidsoap. " " .',
'This Month' => ' ',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => ' (/), URL-, /autodj.mp3',
'This name will appear as a sub-header next to the AzuraCast logo, to help identify this server.' => ' AzuraCast, .',
'This page lists all API keys assigned to all users across the system. To manage your own API keys, visit your account profile.' => ' API, . API, .',
'This password is too common or insecure.' => ' .',
'This playlist currently has no scheduled times. It will play at all times. To add a new scheduled time, click the button below.' => ' . . , .',
'This playlist will play every $x minutes, where $x is specified here.' => ' $x , $x .',
'This playlist will play every $x songs, where $x is specified here.' => ' $x , $x .',
'This podcast is automatically synchronized with a playlist. Episodes cannot be manually added or removed via this panel.' => ' . .',
'This port is not used by any external process. Only modify this port if the assigned port is in use. Leave blank to automatically assign a port.' => ' . , . , .',
'This queue contains the remaining tracks in the order they will be queued by the AzuraCast AutoDJ (if the tracks are eligible to be played).' => ' , AzuraCast ( ).',
'This service can provide album art for tracks where none is available locally.' => ' , .',
'This setting can result in excessive CPU consumption and should be used with caution.' => ' , .',
'This software is traditionally used to deliver your broadcast to your listeners. You can still broadcast remotely or via HLS if this service is disabled.' => ' . - HLS, .',
'This software shuffles from playlists of music constantly and plays when no other radio source is available.' => ' , .',
'This specifies the minimum time (in minutes) between a song playing on the radio and being available to request again. Set to 0 for no threshold.' => ' ( ) . 0 .',
'This specifies the time range (in minutes) of the song history that the duplicate song prevention algorithm should take into account.' => ' ( ), .',
'This station\'s time zone is currently %{tz}.' => ' %{tz}.',
'This streamer is not scheduled to play at any times.' => ' / .',
'This URL is provided within the Discord application.' => ' URL- Discord.',
'This web hook is no longer supported. Removing it is recommended.' => ' - . .',
'This web hook will only run when the selected event(s) occur on this specific station.' => ' - , () .',
'This will be shown on public player pages if the station is offline. Leave blank to default to a localized version of "%{message}".' => ' , . , "%{message}".',
'This will be used as the label when editing individual songs, and will show in API results.' => ' API.',
'This will clear any pending unprocessed messages in all message queues.' => ' .',
'This will produce a significantly smaller backup, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => ' , , . , .',
'Thumbnail Image URL' => 'URL ',
'Thursday' => '',
'Time' => '',
'Time (sec)' => ' ( )',
'Time Display' => ' ',
'Time spent waiting for disk I/O to be completed.' => ' -.',
'Time stolen by other virtual machines on the same physical server.' => ', .',
'Time Zone' => ' ',
'Title' => '',
'To alleviate this potential problem with shared CPU resources, hosts assign "credits" to a VPS which are used up according to an algorithm based on the CPU load as well as the time over which the CPU load is generated. If your VM\'s assigned credit is used up, they will take CPU time from your VM and assign it to other VMs on the machine. This is seen as the "Steal" or "St" value.' => ' , "" VPS, , , , . , . "" "St".',
'To customize installation settings, or if automatic updates are disabled, you can follow our standard update instructions to update via your SSH console.' => ' , SSH .',
'To download the GeoLite database:' => ' GeoLite:',
'To play once per day, set the start and end times to the same value.' => ' , .',
'To restore a backup from your host computer, run:' => ' , :',
'To retrieve detailed unique listeners and client details, an administrator password is often required.' => ' .',
'To set this schedule to run only within a certain date range, specify a start and end date.' => ' , .',
'To use this feature, a secure (HTTPS) connection is required. Firefox is recommended to avoid static when broadcasting.' => ' (HTTPS) . Firefox .',
'To verify that the code was set up correctly, enter the 6-digit code the app shows you.' => ' , 6- , .',
'Today' => '',
'Toggle Menu' => ' ',
'Toggle Sidebar' => ' ',
'Top Browsers by Connected Time' => ' ',
'Top Browsers by Listeners' => ' ',
'Top Countries by Connected Time' => ' ',
'Top Countries by Listeners' => ' ',
'Top Streams by Connected Time' => ' ',
'Top Streams by Listeners' => ' ',
'Total Disk Space' => ' ',
'Total Listener Hours' => ' ',
'Total RAM' => ' ',
'Transmitted' => '',
'Triggers' => '',
'Tuesday' => '',
'TuneIn AIR' => 'TuneIn AIR',
'TuneIn Partner ID' => 'ID TuneIn',
'TuneIn Partner Key' => ' TuneIn',
'TuneIn Station ID' => 'ID TuneIn',
'Two-Factor Authentication' => ' ',
'Two-factor authentication improves the security of your account by requiring a second one-time access code in addition to your password when you log in.' => ' , .',
'Typically a website with content about the episode.' => ' - .',
'Typically the home page of a podcast.' => ' .',
'Unable to update.' => ' .',
'Unassigned Files' => ' ',
'Uninstall' => '',
'Unique' => '',
'Unique identifier for the target chat or username of the target channel (in the format @channelusername).' => ' ( @channelusername).',
'Unique Listeners' => ' ',
'Unknown' => '',
'Unknown Artist' => ' ',
'Unknown Title' => ' ',
'Unlisted' => ' ',
'Unmute' => ' ',
'Unprocessable Files' => ' ',
'Unpublished' => ' ',
'Unselect All Rows' => ' ',
'Unselect Row' => ' ',
'Upcoming Song Queue' => ' ',
'Update' => '',
'Update AzuraCast' => ' AzuraCast',
'Update AzuraCast via Web' => ' AzuraCast -',
'Update AzuraCast? Your installation will restart.' => ' AzuraCast? .',
'Update Details' => ' ',
'Update Instructions' => ' ',
'Update Metadata' => ' ',
'Update started. Your installation will restart shortly.' => ' . .',
'Update Station Configuration' => ' ',
'Update via Web' => ' ',
'Updated' => '',
'Updated successfully.' => ' .',
'Upload a Stereo Tool configuration file from the "Broadcasting" submenu in the station profile.' => ' Stereo Tool .',
'Upload Custom Assets' => ' ',
'Upload Stereo Tool Configuration' => ' Stereo Tool',
'Upload the file on this page to automatically extract it into the proper directory.' => ' , .',
'URL' => 'URL-',
'URL Stub' => ' URL-',
'Use' => '',
'Use (Us)' => ' (Us)',
'Use API keys to authenticate with the AzuraCast API using the same permissions as your user account.' => ' API API AzuraCast, , .',
'Use Browser Default' => ' ',
'Use High-Performance Now Playing Updates' => ' " "',
'Use Icecast 2.4 on this server.' => ' Icecast 2.4 .',
'Use Less CPU (Uses More Memory)' => ' ( )',
'Use Less Memory (Uses More CPU)' => ' ( )',
'Use Liquidsoap on this server.' => ' Liquidsoap .',
'Use Path Instead of Subdomain Endpoint Style' => ' ',
'Use Secure (TLS) SMTP Connection' => ' (TLS) SMTP ',
'Use Shoutcast DNAS 2 on this server.' => ' Shoutcast DNAS 2 .',
'Use the Telegram Bot API to send a message to a channel.' => ' Telegram Bot API .',
'Use this form to send a manual metadata update. Note that this will override any existing metadata on the stream.' => ' , . , .',
'Use Web Proxy for Radio' => ' - ',
'Used' => '',
'Used for "Forgot Password" functionality, web hooks and other functions.' => ' " ", - .',
'User' => '',
'User Accounts' => ' ',
'User Agent' => ' ',
'User Name' => ' ',
'User Permissions' => ' ',
'Username' => '',
'Username:' => ':',
'Users' => '',
'Users with this role will have these permissions across the entire installation.' => ' .',
'Users with this role will have these permissions for this single station.' => ' .',
'Uses either Websockets, Server-Sent Events (SSE) or static JSON files to serve Now Playing data on public pages. This improves performance, especially with large listener volume. Disable this if you are encountering problems with the service or use multiple URLs to serve your public pages.' => ' Websockets, (SSE), JSON " " . , . , URL- .',
'Using a passkey (like Windows Hello, YubiKey, or your smartphone) allows you to securely log in without needing to enter your password or two-factor code.' => ' (, Windows Hello, YubiKey ) .',
'Using this page, you can customize several sections of the Liquidsoap configuration. This allows you to add advanced functionality to your station\'s AutoDJ.' => ' , Liquidsoap. .',
'Usually enabled for port 465, disabled for ports 587 or 25.' => ' 465, 587 25.',
'Variables are in the form of: ' => ' : ',
'View' => '',
'View Fullscreen' => ' ',
'View Listener Report' => ' ',
'View Profile' => ' ',
'View tracks in playlist' => ' ',
'Visit the Dropbox App Console:' => ' Dropbox:',
'Visit the link below to sign in and generate an access code:' => ' , :',
'Visit your Mastodon instance.' => ' Mastodon.',
'Visual Cue Editor' => ' ',
'Volume' => '',
'Wait' => '',
'Wait (Wa)' => ' (Wa)',
'Warning' => '',
'Waveform Zoom' => ' ',
'Web DJ' => ' ',
'Web Hook Details' => ' -',
'Web Hook Name' => ' -',
'Web Hook Triggers' => ' -',
'Web Hook URL' => 'URL- -',
'Web Hooks' => '-',
'Web hooks automatically send a HTTP POST request to the URL you specify to notify it any time one of the triggers you specify occurs on your station.' => '- HTTP POST- URL-, , .',
'Web hooks let you connect to external web services and broadcast changes to your station to them.' => '- - .',
'Web Site URL' => 'URL- -',
'Web updates are not available for your installation. To update your installation, perform the manual update process instead.' => '- . , .',
'WebDJ' => ' ',
'WebDJ connected!' => ' !',
'Website' => '-',
'Wednesday' => '',
'Weight' => '',
'Welcome to AzuraCast!' => ' AzuraCast!',
'Welcome!' => ' !',
'When making API calls, you can pass this value in the "X-API-Key" header to authenticate as yourself.' => ' API, X-API-Key, .',
'When the song changes and a live streamer/DJ is connected' => ' /',
'When the station broadcast comes online' => ' ',
'When the station broadcast goes offline' => ' ',
'Whether new episodes should be marked as published or held for review as unpublished.' => ' .',
'Whether the AutoDJ should attempt to avoid duplicate artists and track titles when playing media from this playlist.' => ' .',
'Widget Type' => ' ',
'With selected:' => ' :',
'Worst Performing Songs' => ' ',
'Yes' => '',
'Yesterday' => '',
'You' => '',
'You can also upload files in bulk via SFTP.' => ' SFTP.',
'You can find answers for many common questions in our support documents.' => ' .',
'You can include any special mount point settings here, in either JSON { key: \'value\' } format or XML <key>value</key>' => ' JSON { key: \'value\' } XML <key>value</key>',
'You can only perform the actions your user account is allowed to perform.' => ' , .',
'You may need to connect directly to your IP address:' => ', IP-:',
'You may need to connect directly via your IP address:' => ', IP-:',
'You will not be able to retrieve it again.' => ' .',
'Your browser does not support passkeys. Consider updating your browser to the latest version.' => ' . .',
'Your full API key is below:' => ' API :',
'Your installation is currently on this release channel:' => ' :',
'Your installation is up to date! No update is required.' => ' ! .',
'Your installation needs to be updated. Updating is recommended for performance and security improvements.' => ' . .',
'Your station does not support reloading configuration. Restart broadcasting instead to apply changes.' => ' . , .',
'Your station has changes that require a reload to apply.' => ' , .',
'Your station is currently not enabled for broadcasting. You can still manage media, playlists, and other station settings. To re-enable broadcasting, edit your station profile.' => ' . - , . , .',
'Your station supports reloading configuration.' => ' .',
'YouTube' => 'YouTube',
'YP Directory Authorization Hash' => ' " "',
'Select...' => '...',
'Too many forgot password attempts' => ' ',
'You have attempted to reset your password too many times. Please wait 30 seconds and try again.' => ' . , 30 .',
'Account Recovery' => ' ',
'Account recovery e-mail sent.' => ' .',
'If the e-mail address you provided is in the system, check your inbox for a password reset message.' => ' , .',
'Too many login attempts' => ' ',
'You have attempted to log in too many times. Please wait 30 seconds and try again.' => ' . , 30 .',
'Logged in successfully.' => ' .',
'Complete the setup process to get started.' => ' , .',
'Login unsuccessful' => ' ',
'Your credentials could not be verified.' => ' .',
'User not found.' => ' .',
'Invalid token specified.' => ' .',
'Logged in using account recovery token' => ' ',
'Your password has been updated.' => ' .',
'Set Up AzuraCast' => ' AzuraCast',
'Setup has already been completed!' => ' !',
'All Stations' => ' ',
'AzuraCast Application Log' => 'AzuraCast - ',
'AzuraCast Now Playing Log' => ' AzuraCast',
'AzuraCast Synchronized Task Log' => ' AzuraCast',
'AzuraCast Queue Worker Log' => ' AzuraCast',
'Service Log: %s (%s)' => ' : %s (%s)',
'Nginx Access Log' => 'Nginx - ',
'Nginx Error Log' => 'Nginx - ',
'PHP Application Log' => 'PHP - ',
'Supervisord Log' => 'Supervisord - ',
'Create a new storage location based on the base directory.' => ' .',
'You cannot modify yourself.' => ' .',
'You cannot remove yourself.' => ' .',
'Test Message' => ' ',
'This is a test message from AzuraCast. If you are receiving this message, it means your e-mail settings are configured correctly.' => ' AzuraCast. , , .',
'Test message sent successfully.' => ' .',
'Less than Thirty Seconds' => ' 30 ',
'Thirty Seconds to One Minute' => ' 30 ',
'One Minute to Five Minutes' => ' ',
'Five Minutes to Ten Minutes' => ' ',
'Ten Minutes to Thirty Minutes' => ' 10 30 ',
'Thirty Minutes to One Hour' => ' 30 ',
'One Hour to Two Hours' => ' ',
'More than Two Hours' => ' ',
'Mobile Device' => ' ',
'Desktop Browser' => '',
'Non-Browser' => ' ',
'Connected Seconds' => ' ',
'File Not Processed: %s' => ' : %s',
'Cover Art' => '',
'File Processing' => ' ',
'No directory specified' => ' ',
'File not specified.' => ' .',
'New path not specified.' => ' .',
'This station is out of available storage space.' => ' .',
'Web hook enabled.' => '- .',
'Web hook disabled.' => '- .',
'Station reloaded.' => ' .',
'Station restarted.' => ' .',
'Service stopped.' => ' .',
'Service started.' => ' .',
'Service reloaded.' => ' .',
'Service restarted.' => ' .',
'Song skipped.' => ' .',
'Streamer disconnected.' => '/ .',
'Station Nginx Configuration' => ' Nginx ',
'Liquidsoap Log' => 'Liquidsoap - ',
'Liquidsoap Configuration' => 'Liquidsoap - ',
'Icecast Access Log' => 'Icecast - ',
'Icecast Error Log' => 'Icecast - ',
'Icecast Configuration' => 'Icecast - ',
'Shoutcast Log' => ' Shoutcast',
'Shoutcast Configuration' => ' Shoutcast',
'Search engine crawlers are not permitted to use this feature.' => ' .',
'You are not permitted to submit requests.' => ' .',
'This track is not requestable.' => ' .',
'This song was already requested and will play soon.' => ' .',
'This song or artist has been played too recently. Wait a while before requesting it again.' => ' . , .',
'You have submitted a request too recently! Please wait before submitting another one.' => ' ! , , .',
'Your request has been submitted and will be played soon.' => ' .',
'This playlist is not song-based.' => ' .',
'Playlist emptied.' => ' .',
'This playlist is not a sequential playlist.' => ' .',
'Playlist reshuffled.' => ' .',
'Playlist enabled.' => ' .',
'Playlist disabled.' => ' .',
'Playlist successfully imported; %d of %d files were successfully matched.' => ' ; %d %d .',
'Playlist applied to folders.' => ' .',
'%d files processed.' => '%d .',
'No recording available.' => ' .',
'Record not found' => ' ',
'The uploaded file exceeds the upload_max_filesize directive in php.ini.' => ' upload_max_filesize php.ini.',
'The uploaded file exceeds the MAX_FILE_SIZE directive from the HTML form.' => ' MAX_FILE_SIZE HTML-.',
'The uploaded file was only partially uploaded.' => ' .',
'No file was uploaded.' => ' .',
'No temporary directory is available.' => ' .',
'Could not write to filesystem.' => ' .',
'Upload halted by a PHP extension.' => ' PHP.',
'Unspecified error.' => ' .',
'Changes saved successfully.' => ' .',
'Record created successfully.' => ' .',
'Record updated successfully.' => ' .',
'Record deleted successfully.' => ' .',
'Playlist: %s' => ': %s',
'Streamer: %s' => '/: %s',
'The account associated with e-mail address "%s" has been set as an administrator' => ' , "%s" ',
'Account not found.' => ' .',
'Roll Back Database' => ' ',
'Running database migrations...' => ' ...',
'Database migration failed: %s' => ' : %s',
'Database rolled back to stable release version "%s".' => ' "%s".',
'AzuraCast Settings' => ' AzuraCast',
'Setting Key' => ' ',
'Setting Value' => ' ',
'Fixtures loaded.' => ' .',
'Backing up initial database state...' => ' ...',
'We detected a database restore file from a previous (possibly failed) migration.' => ' (, ) .',
'Attempting to restore that now...' => ' ...',
'Attempting to roll back to previous database state...' => ' ...',
'Your database was restored due to a failed migration.' => ' - .',
'Please report this bug to our developers.' => ', .',
'Restore failed: %s' => ' : %s',
'AzuraCast Backup' => ' AzuraCast',
'Please wait while a backup is generated...' => ', , ...',
'Creating temporary directories...' => ' ...',
'Backing up MariaDB...' => ' MariaDB...',
'Creating backup archive...' => ' ...',
'Cleaning up temporary files...' => ' ...',
'Backup complete in %.2f seconds.' => ' %.2f .',
'Backup path %s not found!' => ' %s !',
'Imported locale: %s' => ' : %s',
'Database Migrations' => ' ',
'Database is already up to date!' => ' !',
'Database migration completed!' => ' !',
'AzuraCast Initializing...' => ' AzuraCast...',
'AzuraCast Setup' => ' AzuraCast',
'Welcome to AzuraCast. Please wait while some key dependencies of AzuraCast are set up...' => ' AzuraCast. , , AzuraCast...',
'Running Database Migrations' => ' ',
'Generating Database Proxy Classes' => ' - ',
'Reload System Data' => ' ',
'Installing Data Fixtures' => ' ',
'Refreshing All Stations' => ' ',
'AzuraCast is now updated to the latest version!' => 'AzuraCast !',
'AzuraCast installation complete!' => ' AzuraCast !',
'Visit %s to complete setup.' => ' %s .',
'%s is not recognized as a service.' => '%s .',
'It may not be registered with Supervisor yet. Restarting broadcasting may help.' => ' . .',
'%s cannot start' => '%s ',
'It is already running.' => ' .',
'%s cannot stop' => '%s ',
'It is not running.' => ' .',
'%s encountered an error: %s' => '%s : %s',
'Check the log for details.' => ' .',
'You do not have permission to access this portion of the site.' => ' .',
'Cannot submit request: %s' => ' : %s',
'You must be logged in to access this page.' => ' .',
'Record not found.' => ' .',
'File not found.' => ' .',
'Station not found.' => ' .',
'Podcast not found.' => ' .',
'This station does not currently support this functionality.' => ' .',
'This station does not currently support on-demand media.' => ' .',
'This station does not currently accept requests.' => ' .',
'This value is already used.' => ' .',
'Storage location %s could not be validated: %s' => ' %s : %s',
'Storage location %s already exists.' => ' %s .',
'All Permissions' => ' ',
'View Station Page' => ' ',
'View Station Reports' => ' ',
'View Station Logs' => ' ',
'Manage Station Profile' => ' ',
'Manage Station Broadcasting' => ' ',
'Manage Station Streamers' => ' / ',
'Manage Station Mount Points' => ' ',
'Manage Station Remote Relays' => ' ',
'Manage Station Media' => ' ',
'Manage Station Automation' => ' ',
'Manage Station Web Hooks' => ' - ',
'Manage Station Podcasts' => ' ',
'View Administration Page' => ' ',
'View System Logs' => ' ',
'Administer Settings' => ' ',
'Administer API Keys' => ' API ',
'Administer Stations' => ' ',
'Administer Custom Fields' => ' ',
'Administer Backups' => ' ',
'Administer Storage Locations' => ' ',
'Runs routine synchronized tasks' => ' ',
'Database' => ' ',
'Web server' => '-',
'PHP FastCGI Process Manager' => ' PHP FastCGI',
'Now Playing manager service' => ' - ',
'PHP queue processing worker' => ' PHP',
'Cache' => '',
'SFTP service' => 'SFTP ',
'Live Now Playing updates' => ' ',
'Frontend Assets' => ' ',
'This product includes GeoLite2 data created by MaxMind, available from %s.' => ' GeoLite2, MaxMind, %s.',
'IP Geolocation by DB-IP' => ' IP DB-IP',
'GeoLite database not configured for this installation. See System Administration for instructions.' => ' GeoLite . .',
'Installation Not Recently Backed Up' => ' ',
'This installation has not been backed up in the last two weeks.' => ' .',
'Service Not Running: %s' => ' : %s',
'One of the essential services on this installation is not currently running. Visit the system administration and check the system logs to find the cause of this issue.' => ' . , .',
'New AzuraCast Stable Release Available' => ' AzuraCast',
'Version %s is now available. You are currently running version %s. Updating is recommended.' => ' %s. %s. .',
'New AzuraCast Rolling Release Available' => ' Rolling Release AzuraCast',
'Your installation is currently %d update(s) behind the latest version. Updating is recommended.' => ' %d . .',
'Switch to Stable Channel Available' => ' ',
'Your Rolling Release installation is currently older than the latest Stable release. This means you can switch releases to the "Stable" release channel if desired.' => ' Rolling Release , . , .',
'Synchronization Disabled' => ' ',
'Routine synchronization is currently disabled. Make sure to re-enable it to resume routine maintenance tasks.' => ' . , .',
'Synchronization Not Recently Run' => ' ',
'The routine synchronization task has not run recently. This may indicate an error with your installation.' => ' . .',
'The performance profiling extension is currently enabled on this installation.' => ' .',
'You can track the execution time and memory usage of any AzuraCast page or application from the profiler page.' => ' AzuraCast .',
'Profiler Control Panel' => ' ',
'Performance profiling is currently enabled for all requests.' => ' .',
'This can have an adverse impact on system performance. You should disable this when possible.' => ' . , .',
'You may want to update your base URL to ensure it is correct.' => ' URL-, , .',
'If you regularly use different URLs to access AzuraCast, you should enable the "Prefer Browser URL" setting.' => ' URL- AzuraCast, " URL- ".',
'Your "Base URL" setting (%s) does not match the URL you are currently using (%s).' => ' " URL-" (%s) URL- (%s).',
'AzuraCast is free and open-source software.' => 'AzuraCast .',
'If you are enjoying AzuraCast, please consider donating to support our work. We depend on donations to build new features, fix bugs, and keep AzuraCast modern, accessible and free.' => ' AzuraCast, . , , AzuraCast.',
'Donate to AzuraCast' => ' AzuraCast',
'AzuraCast Installer' => ' AzuraCast',
'Welcome to AzuraCast! Complete the initial server setup by answering a few questions.' => ' AzuraCast! , .',
'AzuraCast Updater' => ' AzuraCast',
'Change installation settings?' => ' ?',
'AzuraCast is currently configured to listen on the following ports:' => ' AzuraCast :',
'HTTP Port: %d' => 'HTTP : %d',
'HTTPS Port: %d' => 'HTTPS : %d',
'SFTP Port: %d' => 'SFTP : %d',
'Radio Ports: %s' => ' : %s',
'Customize ports used for AzuraCast?' => ' , AzuraCast?',
'Writing configuration files...' => ' ...',
'Server configuration complete!' => ' !',
'This file was automatically generated by AzuraCast.' => ' AzuraCast.',
'You can modify it as necessary. To apply changes, restart the Docker containers.' => ' . , Docker.',
'Remove the leading "#" symbol from lines to uncomment them.' => ' # , .',
'Valid options: %s' => ' : %s',
'Default: %s' => ' : %s',
'Additional Environment Variables' => ' ',
'(Docker Compose) All Docker containers are prefixed by this name. Do not change this after installation.' => '(Docker Compose) Docker . .',
'(Docker Compose) The amount of time to wait before a Docker Compose operation fails. Increase this on lower performance computers.' => '(Docker Compose) Docker Compose. .',
'HTTP Port' => 'HTTP ',
'The main port AzuraCast listens to for insecure HTTP connections.' => ' AzuraCast HTTP .',
'HTTPS Port' => 'HTTPS ',
'The main port AzuraCast listens to for secure HTTPS connections.' => ' AzuraCast HTTPS .',
'The port AzuraCast listens to for SFTP file management connections.' => ' AzuraCast SFTP.',
'Station Ports' => ' ',
'The ports AzuraCast should listen to for station broadcasts and incoming DJ connections.' => ', AzuraCast .',
'Docker User UID' => 'UID Docker',
'Set the UID of the user running inside the Docker containers. Matching this with your host UID can fix permission issues.' => ' UID , Docker. UID .',
'Docker User GID' => 'GID Docker',
'Set the GID of the user running inside the Docker containers. Matching this with your host GID can fix permission issues.' => ' GID , Docker. GID .',
'Use Podman instead of Docker.' => ' Podman Docker.',
'Advanced: Use Privileged Docker Settings' => ': Docker',
'The locale to use for CLI commands.' => ' , CLI.',
'The application environment.' => ' .',
'Manually modify the logging level.' => ' .',
'This allows you to log debug-level errors temporarily (for problem-solving) or reduce the volume of logs that are produced by your installation, without needing to modify whether your installation is a production or development instance.' => ' ( ) , , , , .',
'Enable Custom Code Plugins' => ' ',
'Enable the composer "merge" functionality to combine the main application\'s composer.json file with any plugin composer files. This can have performance implications, so you should only use it if you use one or more plugins with their own Composer dependencies.' => ' "" Composer, composer.json Composer. , , Composer.',
'Minimum Port for Station Port Assignment' => ' ',
'Modify this if your stations are listening on nonstandard ports.' => ' , .',
'Maximum Port for Station Port Assignment' => ' ',
'Show Detailed Slim Application Errors' => ' Slim',
'This allows you to debug Slim Application Errors you may encounter. Please report any Slim Application Error logs to the development team on GitHub.' => ' , . , Slim GitHub.',
'MariaDB Host' => ' MariaDB',
'Do not modify this after installation.' => ' .',
'MariaDB Port' => ' MariaDB',
'MariaDB Username' => ' MariaDB',
'MariaDB Password' => ' MariaDB',
'MariaDB Database Name' => ' MariaDB',
'Auto-generate Random MariaDB Root Password' => ' Root MariaDB',
'MariaDB Root Password' => ' Root MariaDB',
'Enable MariaDB Slow Query Log' => ' MariaDB',
'Log slower queries to diagnose possible database issues. Only turn this on if needed.' => ' . .',
'MariaDB Maximum Connections' => 'MariaDB ',
'Set the amount of allowed connections to the database. This value should be increased if you are seeing the "Too many connections" error in the logs.' => ' . , .',
'MariaDB InnoDB Buffer Pool Size' => ' MariaDB InnoDB',
'The InnoDB buffer pool size controls how much data & indexes are kept in memory. Making sure that this value is as large as possible reduces the amount of disk IO.' => ' InnoDB , . , , -.',
'MariaDB InnoDB Log File Size' => ' MariaDB InnoDB',
'The InnoDB log file is used to achieve data durability in case of crashes or unexpected shutoffs and to allow the DB to better optimize IO for write operations.' => ' InnoDB - .',
'Enable Redis' => ' Redis',
'Disable to use a flatfile cache instead of Redis.' => ' flatfile Redis.',
'Redis Host' => ' Redis',
'Redis Port' => ' Redis',
'PHP Maximum POST File Size' => ' POST PHP',
'PHP Memory Limit' => ' PHP',
'PHP Script Maximum Execution Time (Seconds)' => ' PHP ( )',
'Short Sync Task Execution Time (Seconds)' => ' ( )',
'The maximum execution time (and lock timeout) for the 15-second, 1-minute and 5-minute synchronization tasks.' => ' ( ) 15-, 1- 5- .',
'Long Sync Task Execution Time (Seconds)' => ' ( )',
'The maximum execution time (and lock timeout) for the 1-hour synchronization task.' => ' ( ) 1- .',
'Now Playing Delay Time (Seconds)' => ' ( )',
'The delay between Now Playing checks for every station. Decrease for more frequent checks at the expense of performance; increase for less frequent checks but better performance (for large installations).' => ' . ; , ( ).',
'Now Playing Max Concurrent Processes' => ' - ',
'The maximum number of concurrent processes for now playing updates. Increasing this can help reduce the latency between updates now playing updates on large installations.' => ' . , .',
'Maximum PHP-FPM Worker Processes' => ' PHP-FPM',
'Enable Performance Profiling Extension' => ' ',
'Profiling data can be viewed by visiting %s.' => ' , %s.',
'Profile Performance on All Requests' => ' ',
'This will have a significant performance impact on your installation.' => ' .',
'Profiling Extension HTTP Key' => 'HTTP- ',
'The value for the "SPX_KEY" parameter for viewing profiling pages.' => ' SPX_KEY .',
'Profiling Extension IP Allow List' => ' IP- ',
'Nginx Max Client Body Size' => '. Nginx',
'This is the total size any single request body can be. AzuraCast chunks its uploads into smaller file sizes, so this only applies when doing custom uploads via the API. Sizes should be listed in a format like "100K", "128M", "1G" for kilobytes, megabytes, and gigabytes respectively.' => ' , . AzuraCast , API. "100K", "128M", "1G" , .',
'Enable web-based Docker image updates' => ' - Docker',
'Extra Ubuntu packages to install upon startup' => ' Ubuntu ',
'Separate package names with a space. Packages will be installed during container startup.' => ' . .',
'Album Artist' => ' ',
'Album Artist Sort Order' => ' ',
'Album Sort Order' => ' ',
'Band' => '',
'BPM' => 'BPM',
'Comment' => '',
'Commercial Information' => ' ',
'Composer' => '',
'Composer Sort Order' => ' ',
'Conductor' => '',
'Content Group Description' => ' ',
'Encoded By' => '',
'Encoder Settings' => ' ',
'Encoding Time' => ' ',
'File Owner' => ' ',
'File Type' => ' ',
'Initial Key' => ' ',
'Internet Radio Station Name' => ' -',
'Internet Radio Station Owner' => ' -',
'Involved People List' => ' ',
'Linked Information' => ' ',
'Lyricist' => ' ',
'Media Type' => ' ',
'Mood' => '',
'Music CD Identifier' => ' CD',
'Musician Credits List' => ' ',
'Original Album' => ' ',
'Original Artist' => ' ',
'Original Filename' => ' ',
'Original Lyricist' => ' ',
'Original Release Time' => ' ',
'Original Year' => ' ',
'Part of a Compilation' => ' ',
'Part of a Set' => ' ',
'Performer Sort Order' => ' ',
'Playlist Delay' => ' ',
'Produced Notice' => ' ',
'Publisher' => '',
'Recording Time' => ' ',
'Release Time' => ' ',
'Remixer' => '',
'Set Subtitle' => ' ',
'Subtitle' => '',
'Tagging Time' => ' ',
'Terms of Use' => ' ',
'Title Sort Order' => ' ',
'Track Number' => ' ',
'Unsynchronised Lyrics' => ' ',
'URL Artist' => 'URL- ',
'URL File' => 'URL- ',
'URL Payment' => 'URL- ',
'URL Publisher' => 'URL- ',
'URL Source' => 'URL- ',
'URL Station' => 'URL- ',
'URL User' => 'URL- ',
'Year' => '',
'An account recovery link has been requested for your account on "%s".' => ' "%s".',
'Click the link below to log in to your account.' => ' , .',
'Footer' => 'Footer',
'Powered by %s' => ' %s',
'Forgot Password' => ' ',
'Sign in' => '',
'Send Recovery E-mail' => ' ',
'Enter Two-Factor Code' => ' ',
'Your account uses a two-factor security code. Enter the code your device is currently showing below.' => ' . , .',
'Security Code' => ' ',
'This installation\'s administrator has not configured this functionality.' => ' .',
'Contact an administrator to reset your password following the instructions in our documentation:' => ' , , :',
'Password Reset Instructions' => ' ',
),
),
);
``` | /content/code_sandbox/translations/ru_RU.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 28,628 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=1; plural=0;',
'messages' =>
array (
'' =>
array (
'Add API Key' => ' API',
'Add Custom Field' => '',
'Add Mount Point' => ' Mount Point',
'Add Remote Relay' => '',
'Add SFTP User' => ' SFTP',
'Add User' => '',
'Add Web Hook' => ' Web Hook',
'Administration' => '',
'Aggregate listener statistics are used to show station reports across the system. IP-based listener statistics are used to view live listener tracking and may be required for royalty reports.' => ' IP ',
'Album' => '',
'Allow Song Requests' => '',
'Allow Streamers / DJs' => ' / ',
'Always Use HTTPS' => ' HTTPS ',
'Artist' => '',
'AutoDJ Bitrate (kbps)' => ' AutoDJ (kbps)',
'AutoDJ Format' => ' AutoDJ',
'AutoDJ Queue Length' => ' AutoDJ',
'AutoDJ Service' => ' AutoDJ',
'Automatically Set from ID3v2 Value' => ' ID3v2',
'Banned IP Addresses' => ' IP ',
'Base Station Directory' => '',
'Base Theme for Public Pages' => '',
'Bot Token' => '',
'Broadcast AutoDJ to Remote Station' => ' AutoDJ ',
'Broadcasting' => '',
'Broadcasting Service' => '',
'Character Set Encoding' => '',
'Choose a name for this webhook that will help you distinguish it from others. This will only be shown on the administration page.' => ' Webhook ',
'Code from Authenticator App' => '',
'Comments' => '',
'Configure Backups' => '',
'Confirm New Password' => '',
'Copies older than the specified number of days will automatically be deleted. Set to zero to disable automatic deletion.' => ' ',
'Create Account' => '',
'Crossfade Duration (Seconds)' => ' ()',
'Crossfade Method' => '',
'Current Installed Version' => '',
'Current Password' => '',
'Custom Configuration' => '',
'Custom CSS for Internal Pages' => 'CSS ',
'Custom CSS for Public Pages' => 'CSS ',
'Custom Frontend Configuration' => '',
'Custom JS for Public Pages' => 'Custom JS ',
'Customize Administrator Password' => '',
'Customize Broadcasting Port' => '',
'Customize DJ/Streamer Mount Point' => ' DJ / Streamer Mount Point',
'Customize DJ/Streamer Port' => ' DJ / Streamer',
'Customize Internal Request Processing Port' => '',
'Customize Source Password' => '',
'Customize the number of songs that will appear in the "Song History" section for this station and in all public APIs.' => ' "" API ',
'Deactivate Streamer on Disconnect (Seconds)' => ' Streamer ()',
'Default Album Art URL' => 'URL ',
'Description' => '',
'Directory' => '',
'Disable' => '',
'Disabled' => '',
'Display Name' => '',
'DJ/Streamer Buffer Time (Seconds)' => ' DJ / Streamer ()',
'Duplicate Prevention Time Range (Minutes)' => ' ()',
'E-mail Address' => '',
'Edit Liquidsoap Configuration' => ' Liquidsoap',
'Edit Profile' => '',
'Enable AutoDJ' => ' AutoDJ',
'Enable Broadcasting' => '',
'Enable to advertise this mount point on "Yellow Pages" public radio directories.' => ' Mount Point ""',
'Enable to allow listeners to select this relay on this station\'s public pages.' => '',
'Enable to have AzuraCast automatically run nightly backups at the time specified.' => '',
'Enter the current code provided by your authenticator app to verify that it\'s working correctly.' => '',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => ' URL Mount Point ',
'Exclude Media from Backup' => '',
'Excluding media from automated backups will save space, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => ' ',
'Fallback Mount' => 'Mount ',
'Field Name' => '',
'Friday' => '',
'Genre' => '',
'Hide Album Art on Public Pages' => '',
'Hide AzuraCast Branding on Public Pages' => ' AzuraCast ',
'Homepage Redirect URL' => 'URL ',
'If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.' => ', URL . ',
'If a visitor is not signed in and visits the AzuraCast homepage, you can automatically redirect them to the URL specified here. Leave blank to redirect them to the login screen by default.' => ', URL . ',
'If disabled, the station will not broadcast or shuffle its AutoDJ.' => ' AutoDJ',
'If enabled, the AutoDJ on this installation will automatically play music to this mount point.' => ' AutoDJ Mount Point ',
'If enabled, the AutoDJ will automatically play music to this mount point.' => ' AutoDJ Mount Point ',
'If selected, album art will not display on public-facing radio pages.' => ', ',
'If selected, this will remove the AzuraCast branding from public-facing pages.' => ' AzuraCast ',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => '',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => ' Mount Point Mount Point /error.mp3 ',
'If you are broadcasting using AutoDJ, enter the source password here.' => ' AutoDJ ',
'If you are broadcasting using AutoDJ, enter the source username here. This may be blank.' => ' AutoDJ ',
'If your web hook requires HTTP basic authentication, provide the password here.' => ' Webhook HTTP ',
'If your web hook requires HTTP basic authentication, provide the username here.' => ' Webhook HTTP ',
'Install GeoLite IP Database' => ' GeoLite IP',
'Instructions' => '',
'Language' => '',
'Leave blank to automatically generate a new password.' => '',
'Leave blank to use the current password.' => '',
'Length' => '',
'List one IP address or group (in CIDR format) per line.' => ' IP ( CIDR) ',
'Listener Analytics Collection' => '',
'Listeners' => '',
'Listeners by Day' => '',
'Listeners by Day of Week' => '',
'Listeners by Hour' => '',
'Live Broadcast Recording Bitrate (kbps)' => ' (kbps)',
'Live Broadcast Recording Format' => '',
'Live Recordings Storage Location' => '',
'Manual AutoDJ Mode' => ' AutoDJ ',
'Maximum Listeners' => '',
'Media Storage Location' => '',
'Monday' => '',
'Mount Point URL' => 'URL Mount Point',
'Name' => '',
'New Password' => '',
'New Station Description' => '',
'New Station Name' => '',
'No' => '',
'No other program can be using this port. Leave blank to automatically assign a port.' => ' ',
'None' => '',
'Note: This should be the public-facing homepage of the radio station, not the AzuraCast URL. It will be included in broadcast details.' => ': URL AzuraCast ',
'Number of Backup Copies to Keep' => '',
'Number of seconds to overlap songs.' => '',
'Optional: HTTP Basic Authentication Password' => ': HTTP ',
'Optional: HTTP Basic Authentication Username' => ': HTTP ',
'Optionally select an ID3v2 metadata field that, if present, will be used to set this field\'s value.' => ' ID3v2 ',
'Optionally supply SSH public keys this user can use to connect instead of a password. Enter one key per line.' => ' SSH ',
'Password' => '',
'Programmatic Name' => '',
'Publish to "Yellow Pages" Directories' => ' ""',
'Record Live Broadcasts' => '',
'Relay Stream URL' => 'URL ',
'Remote Station Administrator Password' => '',
'Remote Station Listening Mountpoint/SID' => 'Mount Point/ISD ',
'Remote Station Listening URL' => 'URL ',
'Remote Station Source Mountpoint/SID' => 'Mountpoint/SID ',
'Remote Station Source Password' => '',
'Remote Station Source Port' => '',
'Remote Station Source Username' => '',
'Remote Station Type' => '',
'Request Last Played Threshold (Minutes)' => ' ()',
'Request Minimum Delay (Minutes)' => ' ()',
'Role Name' => '',
'Roles' => '',
'Run Automatic Nightly Backups' => '',
'Run Manual Backup' => '',
'Saturday' => '',
'Save Changes' => '',
'Scheduled Backup Time' => '',
'Scheduled playlists and other timed items will be controlled by this time zone.' => ' ',
'Select a theme to use as a base for station public pages and the login page.' => '',
'Select File' => '',
'Set as Default Mount Point' => ' Mount Point ',
'Show new releases within your update channel on the AzuraCast homepage.' => ' AzuraCast',
'Show on Public Pages' => '',
'Show the station in public pages and general API results.' => ' API ',
'Show Update Announcements' => '',
'Song Artist' => '',
'Song Title' => '',
'SoundExchange Report' => ' SoundExchange',
'SSH Public Keys' => ' SSH',
'Storage Location' => '',
'Sunday' => '',
'System Settings' => '',
'The display name assigned to this mount point when viewing it on administrative or public pages. Leave blank to automatically generate one.' => ' Mount Point ',
'The display name assigned to this relay when viewing it on administrative or public pages. Leave blank to automatically generate one.' => ' ',
'The parent directory where station playlist and configuration files are stored. Leave blank to use default directory.' => ' ',
'The URL that will receive the POST messages any time an event is triggered.' => 'URL POST ',
'This CSS will be applied to the main management pages, like this one.' => 'CSS ',
'This CSS will be applied to the station public pages and login page.' => 'CSS ',
'This javascript code will be applied to the station public pages and login page.' => '',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => ' (/) URL /autodj.mp3',
'This will be used as the label when editing individual songs, and will show in API results.' => ' API',
'This will produce a significantly smaller backup, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => ' ',
'Thursday' => '',
'Time Zone' => '',
'Title' => '',
'To retrieve detailed unique listeners and client details, an administrator password is often required.' => '',
'Tuesday' => '',
'URL Stub' => ' URL ',
'Username' => '',
'Users' => '',
'Web Hook Details' => ' Webhook',
'Web Hook Name' => ' Webhook',
'Web Hook Triggers' => ' Webhook',
'Web Hook URL' => 'URL Webhook',
'Web Site URL' => 'URL ',
'Wednesday' => '',
'Yes' => '',
'YP Directory Authorization Hash' => ' YP',
'Select...' => '...',
'Too many login attempts' => '',
'You have attempted to log in too many times. Please wait 30 seconds and try again.' => ' 30 ',
'Logged in successfully.' => '',
'Complete the setup process to get started.' => '',
'Login unsuccessful' => '',
'Your credentials could not be verified.' => '',
'User not found.' => '',
'Setup has already been completed!' => '!',
'All Stations' => '',
'AzuraCast Application Log' => ' AzuraCast',
'Nginx Access Log' => ' Nginx',
'Nginx Error Log' => ' Nginx',
'PHP Application Log' => ' PHP',
'Supervisord Log' => '',
'Create a new storage location based on the base directory.' => '',
'You cannot remove yourself.' => '',
'No directory specified' => '',
'File not specified.' => '',
'New path not specified.' => '',
'This station is out of available storage space.' => '',
'Web hook enabled.' => ' Web Hook',
'Station restarted.' => '',
'Song skipped.' => '',
'Streamer disconnected.' => '',
'Liquidsoap Log' => ' Liquidsoap',
'Liquidsoap Configuration' => ' Liquidsoap',
'Icecast Access Log' => ' Icecast',
'Icecast Error Log' => ' Icecast',
'Icecast Configuration' => ' Icecast',
'Search engine crawlers are not permitted to use this feature.' => '',
'This song or artist has been played too recently. Wait a while before requesting it again.' => ' ',
'You have submitted a request too recently! Please wait before submitting another one.' => '! ',
'This playlist is not a sequential playlist.' => '',
'Playlist reshuffled.' => '',
'Playlist enabled.' => '',
'Playlist disabled.' => '',
'Playlist successfully imported; %d of %d files were successfully matched.' => '; %d %d ',
'No recording available.' => '',
'Changes saved successfully.' => '',
'Record deleted successfully.' => '',
'The account associated with e-mail address "%s" has been set as an administrator' => ' "%s" ',
'Account not found.' => '',
'AzuraCast Settings' => ' AzuraCast',
'Setting Key' => '',
'Setting Value' => '',
'Fixtures loaded.' => '',
'AzuraCast Backup' => ' AzuraCast',
'Please wait while a backup is generated...' => '...',
'Creating temporary directories...' => '...',
'Backing up MariaDB...' => ' MariaDB...',
'Creating backup archive...' => '...',
'Cleaning up temporary files...' => '...',
'Backup complete in %.2f seconds.' => ' %.2f ',
'Backup path %s not found!' => ' %s!',
'Imported locale: %s' => ': %s',
'AzuraCast Setup' => ' AzuraCast',
'Welcome to AzuraCast. Please wait while some key dependencies of AzuraCast are set up...' => ' AzuraCast AzuraCast ...',
'Running Database Migrations' => '',
'Generating Database Proxy Classes' => '',
'Reload System Data' => '',
'Installing Data Fixtures' => '',
'Refreshing All Stations' => '',
'AzuraCast is now updated to the latest version!' => 'AzuraCast !',
'AzuraCast installation complete!' => ' AzuraCast !',
'Visit %s to complete setup.' => ' %s ',
'%s is not recognized as a service.' => '%s ',
'It may not be registered with Supervisor yet. Restarting broadcasting may help.' => ' ',
'%s cannot start' => '%s ',
'It is already running.' => '',
'%s cannot stop' => '%s ',
'It is not running.' => '',
'Check the log for details.' => '',
'You do not have permission to access this portion of the site.' => '',
'You must be logged in to access this page.' => '',
'All Permissions' => '',
'View Station Page' => '',
'View Station Reports' => '',
'View Station Logs' => '',
'Manage Station Profile' => '',
'Manage Station Broadcasting' => '',
'Manage Station Streamers' => '',
'Manage Station Mount Points' => ' Mount Points ',
'Manage Station Remote Relays' => '',
'Manage Station Media' => '',
'Manage Station Automation' => '',
'Manage Station Web Hooks' => ' Web Hook ',
'View Administration Page' => '',
'View System Logs' => '',
'Administer Settings' => '',
'Administer API Keys' => ' API',
'Administer Stations' => '',
'Administer Custom Fields' => '',
'Administer Backups' => '',
'Administer Storage Locations' => '',
'This product includes GeoLite2 data created by MaxMind, available from %s.' => ' GeoLite2 MaxMind %s.',
'IP Geolocation by DB-IP' => 'IP Geolocation DB-IP',
'GeoLite database not configured for this installation. See System Administration for instructions.' => ' GeoLite ',
'Installation Not Recently Backed Up' => ' ',
'Comment' => '',
'Composer' => '',
'Encoded By' => '',
'Year' => '',
),
),
);
``` | /content/code_sandbox/translations/ja_JP.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 3,781 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=2; plural=(n != 1);',
'messages' =>
array (
'' =>
array (
'# Episodes' => '# Episodios',
'# Songs' => '# Canciones',
'%{ dj } is now live on %{ station }! Tune in now: %{ url }' => '%{ dj } est ahora en vivo en %{ station }! Sintoniza ahora: %{ url }',
'%{ hours } hours' => '%{ hours } horas',
'%{ minutes } minutes' => '%{ minutes } minutos',
'%{ seconds } seconds' => '%{ seconds } segundos',
'%{ station } is back online! Tune in now: %{ url }' => '%{ station } est en lnea de nuevo! Sintoniza ahora: %{ url }',
'%{ station } is going offline for now.' => '%{ station } se est desconectando por ahora.',
'%{filesCount} File' =>
array (
0 => '%{filesCount} Archivo',
1 => '%{filesCount} Archivos',
),
'%{listeners} Listener' =>
array (
0 => '%{listeners} Oyente',
1 => '%{listeners} Oyentes',
),
'%{messages} queued messages' => '%{messages} mensajes en cola',
'%{name} - Copy' => '%{name} - Copiar',
'%{numPlaylists} playlist' =>
array (
0 => '%{numPlaylists} Lista de Reproduccin',
1 => '%{numPlaylists} Listas de Reproduccin',
),
'%{numSongs} uploaded song' =>
array (
0 => '%{numSongs} Cancin Subida',
1 => '%{numSongs} Canciones Subidas',
),
'%{spaceUsed} of %{spaceTotal} Used' => '%{spaceUsed} de %{spaceTotal} Usado',
'%{spaceUsed} Used' => '%{spaceUsed} Usado',
'%{station} - Copy' => '%{station} - Copiar',
'12 Hour' => '12 Horas',
'24 Hour' => '24 Horas',
'A completely random track is picked for playback every time the queue is populated.' => 'Se elige una pista completamente aleatoria para su reproduccin cada vez que se llena la cola.',
'A name for this stream that will be used internally in code. Should only contain letters, numbers, and underscores (i.e. "stream_lofi").' => 'Un nombre para esta stream que se utilizar internamente en el cdigo. Debe contener slo letras, nmeros y guiones bajos (es decir, "stream_lofi").',
'A passkey has been selected. Submit this form to add it to your account.' => 'Se ha seleccionado una clave de acceso. Enve este formulario para agregarlo a su cuenta.',
'A playlist containing media files hosted on this server.' => 'Una lista de reproduccin que contiene archivos multimedia alojados en este servidor.',
'A playlist that instructs the station to play from a remote URL.' => 'Una lista de reproduccin que indica a la estacin que reproduzca desde una URL remota.',
'A unique identifier (i.e. "G-A1B2C3D4") for this measurement stream.' => 'Un identificador nico (es decir, "G-A1B2C3D4") para este flujo de medicin.',
'About AzuraRelay' => 'Acerca Azura Relay',
'About Master_me' => 'Acerca de Master me',
'About Release Channels' => 'Acerca de los canales de lanzamiento',
'Access Code' => 'Cdigo de acceso',
'Access Key ID' => 'Clave de acceso',
'Access Token' => 'Tken de acceso',
'Account Details' => 'Detalles de la cuenta',
'Account is Active' => 'La cuenta est activa',
'Account List' => 'Lista de cuentas',
'Actions' => 'Comportamiento',
'Adapter' => 'adaptador',
'Add API Key' => 'Aadir llave API',
'Add Custom Field' => 'Agregar campo personalizado',
'Add Episode' => 'Agregar episodio',
'Add Files to Playlist' => 'Agregar archivos a la lista de reproduccin',
'Add HLS Stream' => 'Agregar transmisin HLS',
'Add Mount Point' => 'Agregar punto de montaje',
'Add New GitHub Issue' => 'Agregar nuevo problema de GitHub',
'Add New Passkey' => 'Agregar nueva clave de acceso',
'Add Playlist' => 'Aadir lista de reproduccin',
'Add Podcast' => 'Aadir Podcast',
'Add Remote Relay' => 'Aadir Rel Remoto',
'Add Role' => 'Aadir rol',
'Add Schedule Item' => 'Agregar Elemento Programado',
'Add SFTP User' => 'Aadir Usuario SFTP',
'Add Station' => 'Aadir Estacin',
'Add Storage Location' => 'Aadir Ubicacin de Almacenamiento',
'Add Streamer' => 'Aadir Streamer',
'Add User' => 'Agregar Usuario',
'Add Web Hook' => 'Aadir Webhook',
'Administration' => 'Administracin',
'Advanced' => 'Avanzado',
'Advanced Configuration' => 'Configuracin avanzada',
'Advanced Manual AutoDJ Scheduling Options' => 'Opciones de Programacin Manual Avanzada de AutoDJ',
'Aggregate listener statistics are used to show station reports across the system. IP-based listener statistics are used to view live listener tracking and may be required for royalty reports.' => 'Las estadsticas agregadas de los oyentes se utilizan para mostrar los informes de las emisoras en todo el sistema. Las estadsticas de oyentes basadas en IP se utilizan para ver el seguimiento de los oyentes en directo y pueden ser necesarias para los informes de derechos.',
'Album' => 'lbum',
'Album Art' => 'Portada del lbum',
'Alert' => 'Alerta',
'All Days' => 'Todos los Das',
'All listed domain names should point to this AzuraCast installation. Separate multiple domain names with commas.' => 'Todos los nombres de dominio listados deben apuntar a esta instalacin de AzuraCast. Separa varios nombres de dominio con comas.',
'All Playlists' => 'Todas las Listas',
'All Podcasts' => 'Todos los Podcasts',
'All Types' => 'Todos los tipos',
'All values in the NowPlaying API response are available for use. Any empty fields are ignored.' => 'Todos los valores de la respuesta de la API NowPlaying estn disponibles para su uso. Los campos vacos se ignoran.',
'Allow Requests from This Playlist' => 'Permitir Solicitudes de esta Lista de Reproduccin',
'Allow Song Requests' => 'Permitir solicitudes de canciones',
'Allow Streamers / DJs' => 'Permitir Streamers / DJs',
'Allowed IP Addresses' => 'Direcciones IP permitidas',
'Always Use HTTPS' => 'Utilice siempre HTTPS',
'Amplify: Amplification (dB)' => 'Amplificar: Amplificacin (dB)',
'An error occurred and your request could not be completed.' => 'Se ha producido un error y su solicitud no ha podido ser completada.',
'An error occurred while loading the station profile:' => 'Se ha producido un error al cargar el perfil de la estacin:',
'An error occurred with the WebDJ socket.' => 'Se ha producido un error con el socket de WebDJ.',
'Analytics' => 'Analticas',
'Analyze and reprocess the selected media' => 'Analizar y reprocesar el medio seleccionado',
'Any of the following file types are accepted:' => 'Se aceptan cualquiera de los siguientes tipos de archivo:',
'Any time a live streamer/DJ connects to the stream' => 'En cualquier momento un Streamer/DJ en vivo se conecta al stream',
'Any time a live streamer/DJ disconnects from the stream' => 'En cualquier momento un Streamer/DJ en vivo se desconecta al stream',
'Any time the currently playing song changes' => 'Cada vez que cambia la cancin que se est reproduciendo',
'Any time the listener count decreases' => 'Cada vez que disminuye el recuento de oyentes',
'Any time the listener count increases' => 'Cada vez que aumenta el recuento de oyentes',
'API "Access-Control-Allow-Origin" Header' => 'Encabezado "Access-Control-Allow-Origin" de la API',
'API Documentation' => 'Documentacin API',
'API Key Description/Comments' => 'Descripcin de la Clave API / Comentarios',
'API Keys' => 'Claves del API',
'API Token' => 'Token de API',
'API Version' => 'Versin de API',
'App Key' => 'Clave App',
'App Secret' => 'App Secreta',
'Apple Podcasts' => 'Podcasts de Apple',
'Apply for an API key at Last.fm' => 'Solicita una clave API en Last.fm',
'Apply Playlist to Folders' => 'Aplicar Lista de Reproduccin a Carpetas',
'Apply Post-processing to Live Streams' => 'Aplicar post-procesamiento a Streams en Vivo',
'Apply to Folders' => 'Aplicar a Carpetas',
'Are you sure?' => 'Ests Seguro?',
'Art' => 'lbum',
'Artist' => 'Artista',
'Artwork' => 'Portada',
'Artwork must be a minimum size of 1400 x 1400 pixels and a maximum size of 3000 x 3000 pixels for Apple Podcasts.' => 'Las ilustraciones de portada deben tener un mnimo de 1400 x 1400 pxeles y un mximo de 3000 x 3000 pxeles para los podcasts de Apple.',
'Attempt to Automatically Retrieve ISRC When Missing' => 'Intentar Recuperar Automticamente el ISRC Cuando Falte',
'Audio Bitrate (kbps)' => 'Tasa de Bits de Audio (kbps)',
'Audio Format' => 'Formato de Audio',
'Audio Post-processing Method' => 'Mtodo de post-procesamiento de Audio',
'Audio transcoding applications like Liquidsoap use a consistent amount of CPU over time, which gradually drains this available credit. If you regularly see stolen CPU time, you should consider migrating to a VM that has CPU resources dedicated to your instance.' => 'Las aplicaciones de transcodificacin de audio como Liquidsoap usan una cantidad constante de CPU a lo largo del tiempo, lo que agota gradualmente este crdito disponible. Si ve regularmente tiempo de CPU robado, debera considerar migrar a una mquina virtual que tenga recursos de CPU dedicados a su instancia.',
'Audit Log' => 'Registros de Auditora',
'Author' => 'Autor',
'Auto-Assign Value' => 'Auto-Asignar Valor',
'AutoDJ' => 'AutoDJ',
'AutoDJ Bitrate (kbps)' => 'AutoDJ Bitrate (kbps)',
'AutoDJ Disabled' => 'AutoDJ Deshabilitado',
'AutoDJ Format' => 'Formato de AutoDJ',
'AutoDJ has been disabled for this station. No music will automatically be played when a source is not live.' => 'El AutoDJ se ha desactivado para esta emisora. No se reproducir msica automticamente cuando una fuente no est en vivo.',
'AutoDJ Queue' => 'Cola de AutoDJ',
'AutoDJ Queue Length' => 'Longitud de Cola del AutoDJ',
'AutoDJ Service' => 'Servicio de AutoDJ',
'Automatic Backups' => 'Copias de Seguridad Automticas',
'Automatically create new podcast episodes when media is added to a specified playlist.' => 'Cree automticamente nuevos episodios de podcast cuando se agreguen medios a una lista de reproduccin especfica.',
'Automatically Publish New Episodes' => 'Publicar automticamente nuevos episodios',
'Automatically publish to a Mastodon instance.' => 'Publicar automticamente en una instancia de Mastodon.',
'Automatically Scroll to Bottom' => 'Desplazar Automticamente al Fondo',
'Automatically send a customized message to your Discord server.' => 'Enva automticamente un mensaje personalizado a tu servidor Discord.',
'Automatically send a message to any URL when your station data changes.' => 'Enviar automticamente un mensaje a cualquier URL cuando los datos de su estacin cambien.',
'Automatically Set from ID3v2 Value' => 'Establecer Automticamente desde el Valor del ID3v2',
'Available Logs' => 'Registros Disponibles',
'Avatar Service' => 'Servicio de Avatar',
'Avatars are retrieved based on your e-mail address from the %{ service } service. Click to manage your %{ service } settings.' => 'Los avatares se recuperan segn su direccin de correo electrnico del servicio %{ service }. Haga clic para administrar la configuracin de su %{ service }.',
'Average Listeners' => 'Promedio de Oyentes',
'Avoid Duplicate Artists/Titles' => 'Evitar Artistas/Ttulos Duplicados',
'AzuraCast First-Time Setup' => 'Configuracin Inicial de AzuraCast',
'AzuraCast Instance Name' => 'Nombre de instancia de AzuraCast',
'AzuraCast ships with a built-in free IP geolocation database. You may prefer to use the MaxMind GeoLite service instead to achieve more accurate results. Using MaxMind GeoLite requires a license key, but once the key is provided, we will automatically keep the database updated.' => 'AzuraCast incluye una base de datos de geolocalizacin IP gratuita. Es posible que prefiera utilizar el servicio MaxMind GeoLite en su lugar para obtener resultados ms precisos. El uso de MaxMind GeoLite requiere una clave de licencia, pero una vez proporcionada la clave, mantendremos la base de datos actualizada automticamente.',
'AzuraCast Update Checks' => 'Comprobaciones de Actualizacin de AzuraCast',
'AzuraCast User' => 'Usuario de AzuraCast',
'AzuraCast uses a role-based access control system. Roles are given permissions to certain sections of the site, then users are assigned into those roles.' => 'AzuraCast utiliza un sistema de control de acceso basado en roles. Los roles reciben permisos para ciertas secciones del sitio, luego los usuarios son asignados a esos roles.',
'AzuraCast Wiki' => 'Wiki de AzuraCast',
'AzuraCast will scan the uploaded file for matches in this station\'s music library. Media should already be uploaded before running this step. You can re-run this tool as many times as needed.' => 'AzuraCast escanear el archivo subido en busca de coincidencias en la biblioteca de msica de esta estacin. Los medios deben ser cargados antes de ejecutar este paso. Puede volver a ejecutar esta herramienta tantas veces como sea necesario.',
'AzuraRelay is a standalone service that connects to your AzuraCast instance, automatically relays your stations via its own server, then reports the listener details back to your main instance. This page shows all currently connected instances.' => 'AzuraRelay es un servicio independiente que se conecta a tu instancia de AzuraCast. Transmite automticamente tus emisoras a travs de su propio servidor y luego reporta los detalles del oyente a tu instancia principal. Esta pgina muestra todas las instancias conectadas actualmente.',
'Back' => 'Atrs',
'Backing up your installation is strongly recommended before any update.' => 'Se recomienda hacer una copia de seguridad de su instalacin antes de cualquier actualizacin.',
'Backup' => 'Copia de Seguridad',
'Backup Format' => 'Formato de Copia de Seguridad',
'Backups' => 'Copias de seguridad',
'Balanced' => 'Balanceado',
'Banned Countries' => 'Pases Prohibidos',
'Banned IP Addresses' => 'Direcciones IP Prohibidas',
'Banned User Agents' => 'Agentes de Usuario Bloqueados',
'Base Directory' => 'Directorio Base',
'Base Station Directory' => 'Directorio Base de la Estacin',
'Base Theme for Public Pages' => 'Tema Base para Pginas Pblicas',
'Basic Info' => 'Informacin Bsica',
'Basic Information' => 'Informacin Bsica',
'Basic Normalization and Compression' => 'Normalizacin y Compresin Bsica',
'Best & Worst' => 'Mejor y Peor',
'Best Performing Songs' => 'Mejores Canciones al Transmitir',
'Bit Rate' => 'Tasa de Bits',
'Bitrate' => 'Bitrate',
'Bot Token' => 'Token del Bot',
'Bot/Crawler' => 'Bot/Rastreador',
'Branding' => 'Marca',
'Branding Settings' => 'Configuracin de Marca',
'Broadcast AutoDJ to Remote Station' => 'Enviar AutoDJ a la Estacin Remota',
'Broadcasting' => 'Emitiendo',
'Broadcasting Service' => 'Servicio de Radiodifusin',
'Broadcasts' => 'Emisiones',
'Browser' => 'Navegador',
'Browser Default' => 'Navegador por Defecto',
'Browser Icon' => 'Icono del Navegador',
'Browsers' => 'Navegadores',
'Bucket Name' => 'Nombre del Bucket',
'Bulk Media Import/Export' => 'Importacin/Exportacin Masiva de Medios',
'by' => 'por',
'By default, radio stations broadcast on their own ports (i.e. 8000). If you\'re using a service like CloudFlare or accessing your radio station by SSL, you should enable this feature, which routes all radio through the web ports (80 and 443).' => 'Por defecto, las emisoras de radio emiten por sus propios puertos (es decir, 8000). Si utiliza un servicio como CloudFlare o accede a su emisora de radio por SSL, debe activar esta funcin, que enruta toda la radio a travs de los puertos web (80 y 443).',
'Cached' => 'En Cach',
'Cancel' => 'Cancelar',
'Categories' => 'Categoras',
'Change' => 'Cambiar',
'Change Password' => 'Cambiar Contrasea',
'Changes' => 'Cambios',
'Changes saved.' => 'Cambios guardados.',
'Character Set Encoding' => 'Establecer Codificacin de Caracteres',
'Chat ID' => 'ID de Chat',
'Check for Updates' => 'Verificar Actualizaciones',
'Check this box to apply post-processing to all audio, including live streams. Uncheck this box to only apply post-processing to the AutoDJ.' => 'Marque esta casilla para aplicar el post-procesamiento a todo el audio, incluyendo streams en vivo. Desmarque esta casilla para aplicar slo el post-procesamiento al AutoDJ.',
'Check Web Services for Album Art for "Now Playing" Tracks' => 'Comprobar los Servicios Web para la Portada del lbum para las pistas de "Reproduccin en Curso"',
'Check Web Services for Album Art When Uploading Media' => 'Compruebe los servicios web para el arte del lbum al cargar los medios de comunicacin',
'Choose a method to use when transitioning from one song to another. Smart Mode considers the volume of the two tracks when fading for a smoother effect, but requires more CPU resources.' => 'Elija un mtodo para pasar de una cancin a otra. El modo inteligente considera el volumen de las dos pistas cuando se desvanecen para obtener un efecto ms suave, pero requiere ms recursos de CPU.',
'Choose a name for this webhook that will help you distinguish it from others. This will only be shown on the administration page.' => 'Elija un nombre para este webhook que le ayude a distinguirlo de los dems. Slo se mostrar en la pgina de administracin.',
'Choose a new password for your account.' => 'Elija una nueva contrasea para su cuenta.',
'City' => 'Ciudad',
'Clear' => 'Desvincular',
'Clear all media from playlist?' => 'Borrar todos los medios de la lista de reproduccin?',
'Clear All Message Queues' => 'Borrar Todas las Colas de Mensajes',
'Clear All Pending Requests?' => 'Borrar Todas las Solicitudes Pendientes?',
'Clear Artwork' => 'Borrar Portada',
'Clear Cache' => 'Limpiar Cach',
'Clear Field' => 'Limpiar campo',
'Clear File' => 'Borrar Archivo',
'Clear Filters' => 'Borrar filtros',
'Clear Image' => 'Borrar Imagen',
'Clear List' => 'Limpiar lista',
'Clear Media' => 'Borrar Medios',
'Clear Pending Requests' => 'Limpiar Solicitudes Pendientes',
'Clear Queue' => 'Vaciar la Cola',
'Clear Upcoming Song Queue' => 'Borrar la cola de prximas canciones',
'Clear Upcoming Song Queue?' => 'Borrar la Cola de las Prximas Canciones?',
'Clearing the application cache may log you out of your session.' => 'Limpiar la cach de la aplicacin puede desconectarlo de su sesin.',
'Click "Generate new license key".' => 'Haga click en "Generate new license key".',
'Click "New Application"' => 'Clic en "Nueva Aplicacin"',
'Click the "Preferences" link, then "Development" on the left side menu.' => 'Clic en el link "Preferencias" y luego en "Desarrollo" en el men de la izquierda.',
'Click the button below to generate a CSV file with all of this station\'s media. You can make any necessary changes, and then import the file using the file picker on the right.' => 'Haga clic en el botn de abajo para generar un archivo CSV con todos los medios de esta estacin. Puede realizar los cambios necesarios y luego importar el archivo usando el selector de archivos a la derecha.',
'Click the button below to open your browser window to select a passkey.' => 'Haga clic en el botn a continuacin para abrir la ventana de su navegador y seleccionar una clave de acceso.',
'Click the button below to retry loading the page.' => 'Haga clic en el botn de abajo para volver a intentar cargar la pgina.',
'Client' => 'Cliente',
'Clients' => 'Clientes',
'Clients by Connected Time' => 'Clientes por Tiempo Conectado',
'Clients by Listeners' => 'Clientes por Oyentes',
'Clone' => 'Clonar',
'Clone Station' => 'Clonar Estacin',
'Close' => 'Cerrar',
'CloudFlare (CF-Connecting-IP)' => 'CloudFlare (CF-Conecting-IP)',
'Code from Authenticator App' => 'Cdigo de la Aplicacin Autenticador',
'Collect aggregate listener statistics and IP-based listener statistics' => 'Recopilar estadsticas agregadas del oyente y estadsticas del oyente basadas en IP',
'Comments' => 'Comentarios',
'Complete the setup process by providing some information about your broadcast environment. These settings can be changed later from the administration panel.' => 'Complete el proceso de instalacin brindndole informacin sobre su entorno de transmisin. Estas configuraciones se pueden cambiar ms adelante desde el panel de administracin.',
'Configure' => 'Configurar',
'Configure Backups' => 'Configurar copias de seguridad',
'Confirm' => 'Confirmar',
'Confirm New Password' => 'Confirmar Nueva Contrasea',
'Connected AzuraRelays' => 'Rels de AzuraCast Conectados',
'Connection Information' => 'Informacin de la conexin',
'Contains explicit content' => 'Contiene contenido explcito',
'Continue the setup process by creating your first radio station below. You can edit any of these details later.' => 'Contina el proceso de configuracin creando tu primera estacin de radio a continuacin. Puede cambiar estos detalles ms tarde.',
'Continuous Play' => 'Reproduccin Continua',
'Control how this playlist is handled by the AutoDJ software.' => 'Estas opciones controlan cmo el software del AutoDJ gestiona esta lista de reproduccin.',
'Copied!' => 'Copiado!',
'Copies older than the specified number of days will automatically be deleted. Set to zero to disable automatic deletion.' => 'Las copias anteriores al nmero de das especificado, se eliminarn automticamente. Establezca cero para desactivar la eliminacin automtica.',
'Copy associated media and folders.' => 'Copiar archivos de multimedia y carpetas asociados.',
'Copy scheduled playback times.' => 'Copiar las horas de reproduccin programadas.',
'Copy to Clipboard' => 'Copiar al Portapapeles',
'Copy to New Station' => 'Copiar a Nueva Estacin',
'Could not upload file.' => 'No se pudo cargar el archivo.',
'Countries' => 'Pases',
'Country' => 'Pas',
'CPU Load' => 'Carga del CPU',
'CPU Stats Help' => 'Ayuda de Estadsticas de CPU',
'Create a new application. Choose "Scoped Access", select your preferred level of access, then name your app. Do not name it "AzuraCast", but rather use a name specific to your installation.' => 'Crear una nueva aplicacin. Elige "Acceso de Alcance", selecciona tu nivel de acceso preferido y luego nombra tu aplicacin. No lo llames "AzuraCast", sino ms bien usa un nombre especfico para tu instalacin.',
'Create a New Radio Station' => 'Crear una Nueva Emisora de Radio',
'Create Account' => 'Crear cuenta',
'Create an account on the MaxMind developer site.' => 'Crear una cuenta en el sitio de desarrolladores de MaxMind.',
'Create and Continue' => 'Crear y Continuar',
'Create custom fields to store extra metadata about each media file uploaded to your station libraries.' => 'Crear campos personalizados para almacenar metadatos extras sobre cada archivo de medios subido a las bibliotecas de su estacin.',
'Create Directory' => 'Crear Directorio',
'Create New Key' => 'Crear Nueva Clave',
'Create New Playlist for Each Folder' => 'Crear Nueva Lista de Reproduccin para cada Carpeta',
'Create podcast episodes independent of your station\'s media collection.' => 'Cree episodios de podcasts independientemente de la coleccin multimedia de su estacin.',
'Create Station' => 'Crear estacin',
'Critical' => 'Crtico',
'Crossfade Duration (Seconds)' => 'Duracin de crossfade (segundos)',
'Crossfade Method' => 'Mtodo de Crossfade',
'Cue' => 'Cue',
'Current Configuration File' => 'Archivo de Configuracin Actual',
'Current Custom Fallback File' => 'Archivo Personalizado de Respaldo Actual',
'Current Installed Version' => 'Versin Actual Instalada',
'Current Intro File' => 'Archivo de Introduccin Actual',
'Current Password' => 'Contrasea Actual',
'Current Podcast Media' => 'Medios de Podcast Actuales',
'Custom' => 'Personalizado',
'Custom API Base URL' => 'URL Base de la API Personalizada',
'Custom Branding' => 'Marca personalizada',
'Custom Configuration' => 'Configuracin personalizada',
'Custom CSS for Internal Pages' => 'CSS Personalizado para Pginas Internas',
'Custom CSS for Public Pages' => 'CSS Personalizado para Pginas Pblicas',
'Custom Cues: Cue-In Point (seconds)' => 'Cues Personalizados: Punto de Inicio (segundos)',
'Custom Cues: Cue-Out Point (seconds)' => 'Cues Personalizados: Punto de Finalizacin (segundos)',
'Custom Fading: Fade-In Time (seconds)' => 'Desvanecimiento Personalizado: Tiempo de Desvanecimiento de Entrada (segundos)',
'Custom Fading: Fade-Out Time (seconds)' => 'Desvanecimiento Personalizado: Tiempo de Desvanecimiento de Salida (segundos)',
'Custom Fallback File' => 'Archivo de Respaldo Personalizado',
'Custom Fields' => 'Campos personalizados',
'Custom Frontend Configuration' => 'Configuracin de interfaz avanzada',
'Custom JS for Public Pages' => 'Javascript Personalizado para Pginas Pblicas',
'Customize' => 'Personalizar',
'Customize Administrator Password' => 'Personalizar Contrasea del Administrador',
'Customize AzuraCast Settings' => 'Personalizar Ajustes de AzuraCast',
'Customize Broadcasting Port' => 'Personalizar Puerto de Radiodifusin',
'Customize Copy' => 'Personalizar Copia',
'Customize DJ/Streamer Mount Point' => 'Personalizar el Punto de Montaje del DJ/Streamer',
'Customize DJ/Streamer Port' => 'Personalizar el Puerto para el DJ/Streamer',
'Customize Internal Request Processing Port' => 'Personalizar el Puerto de Procesamiento de Peticiones Internas',
'Customize Source Password' => 'Personalizar Contrasea de Origen',
'Customize the number of songs that will appear in the "Song History" section for this station and in all public APIs.' => 'Personaliza el nmero de canciones que aparecern en la seccin "Historial de Canciones" para esta estacin y en todas las APIs pblicas.',
'Customize this setting to ensure you get the correct IP address for remote users. Only change this setting if you use a reverse proxy, either within Docker or a third-party service like CloudFlare.' => 'Personalice esta configuracin para asegurarse de que obtiene la direccin IP correcta para los usuarios remotos. Slo cambie esta opcin si utiliza un proxy inverso, ya sea dentro de Docker o un servicio de terceros como CloudFlare.',
'Dark' => 'Oscuro',
'Dashboard' => 'Tablero',
'Date Played' => 'Fecha de Reproduccin',
'Date Requested' => 'Fecha de Solicitud',
'Date/Time' => 'Fecha/Hora',
'Date/Time (Browser)' => 'Fecha/Hora (Navegador)',
'Date/Time (Station)' => 'Fecha/Hora (Estacin)',
'Days of Playback History to Keep' => 'Das del Historial de Reproduccin a Guardar',
'Deactivate Streamer on Disconnect (Seconds)' => 'Desconectar al Streamer en (segundos)',
'Debug' => 'Depurar',
'Default Album Art' => 'Imagen de lbum por Defecto',
'Default Album Art URL' => 'URL para Portada de lbum por Defecto',
'Default Avatar URL' => 'URL de Avatar Predeterminada',
'Default Live Broadcast Message' => 'Mensaje de Emisin en Vivo por Defecto',
'Default Mount' => 'Punto de Montaje por Defecto',
'Delete' => 'Eliminar',
'Delete %{ num } media files?' => 'Eliminar %{ num } archivos multimedia?',
'Delete Album Art' => 'Borrar Imagen de lbum',
'Delete API Key?' => 'Eliminar Clave API?',
'Delete Backup?' => 'Eliminar Copia de Seguridad?',
'Delete Broadcast?' => 'Eliminar Transmisin?',
'Delete Custom Field?' => 'Eliminar Campo Personalizado?',
'Delete Episode?' => 'Eliminar Episodio?',
'Delete HLS Stream?' => 'Eliminar Stream HLS?',
'Delete Mount Point?' => 'Eliminar Punto de Montaje?',
'Delete Passkey?' => 'Eliminar clave de acceso?',
'Delete Playlist?' => 'Borrar Lista de Reproduccin?',
'Delete Podcast?' => 'Eliminar Podcast?',
'Delete Queue Item?' => 'Eliminar Elemento de Cola?',
'Delete Record?' => 'Borrar Registro?',
'Delete Remote Relay?' => 'Eliminar Rel Remoto?',
'Delete Request?' => 'Eliminar Solicitud?',
'Delete Role?' => 'Eliminar Rol?',
'Delete SFTP User?' => 'Eliminar Usuario SFTP?',
'Delete Station?' => 'Eliminar Estacin?',
'Delete Storage Location?' => 'Eliminar Ubicacin de Almacenamiento?',
'Delete Streamer?' => 'Eliminar Streamer?',
'Delete User?' => 'Eliminar Usuario?',
'Delete Web Hook?' => 'Eliminar Web Hook?',
'Description' => 'Descripcin',
'Desktop' => 'Escritorio',
'Details' => 'Detalles',
'Directory' => 'Directorio',
'Directory Name' => 'Nombre del Directorio',
'Disable' => 'Deshabilitar',
'Disable Crossfading' => 'Desactivar el Fundido entre Pistas',
'Disable Optimizations' => 'Desactivar Optimizaciones',
'Disable station?' => 'Desactivar estacin?',
'Disable Two-Factor' => 'Desactivar la verificacin en dos pasos',
'Disable two-factor authentication?' => 'Desactivar autenticacin de dos factores?',
'Disable?' => 'Deshabilitar?',
'Disabled' => 'Desactivado',
'Disconnect Streamer' => 'Desconectar Streamer',
'Discord Web Hook URL' => 'URL del Web Hook de Discord',
'Discord Webhook' => 'Webhook de Discord',
'Disk caching makes a system much faster and more responsive in general. It does not take memory away from applications in any way since it will automatically be released by the operating system when needed.' => 'El almacenamiento en cach de disco hace que un sistema sea mucho ms rpido y responda mejor en general. No le quita memoria a las aplicaciones de ninguna manera, ya que el sistema operativo la liberar automticamente cuando sea necesario.',
'Disk Space' => 'Espacio del Disco',
'Display fields' => 'Mostrar campos',
'Display Name' => 'Nombre a Mostrar',
'DJ/Streamer Buffer Time (Seconds)' => 'Tiempo del Bfer del DJ/Streamer (segundos)',
'Do not collect any listener analytics' => 'No recopile ningn anlisis de oyentes',
'Do not use a local broadcasting service.' => 'No utilice un servicio de radiodifusin local.',
'Do not use an AutoDJ service.' => 'No utilice un servicio de AutoDJ.',
'Documentation' => 'Documentacion',
'Domain Name(s)' => 'Nombre(s) de Dominio',
'Donate to support AzuraCast!' => 'Dona para apoyar a AzuraCast!',
'Download' => 'Descargar',
'Download CSV' => 'Descargar CSV',
'Download M3U' => 'Descargar M3U',
'Download PLS' => 'Descargar PLS',
'Download the appropriate binary from the Stereo Tool downloads page:' => 'Descargar el binario apropiado desde la pgina de descargas de Stereo Tool:',
'Download the Linux x64 binary from the Shoutcast Radio Manager:' => 'Descargue el binario Linux x64 desde el Administrador de Radio Shoutcast:',
'Drag file(s) here to upload or' => 'Arrastra archivo(s) aqu para subir o',
'Dropbox App Console' => 'Consola de la App Dropbox',
'Dropbox Setup Instructions' => 'Instrucciones de Configuracin de Dropbox',
'Duplicate' => 'Duplicar',
'Duplicate Playlist' => 'Duplicar Lista',
'Duplicate Prevention Time Range (Minutes)' => 'Intervalo de Prevencin de Duplicado (Minutos)',
'Duplicate Songs' => 'Canciones duplicadas',
'E-Mail' => 'Correo',
'E-mail Address' => 'Correo Electrnico',
'E-mail Address (Optional)' => 'Direccin de Correo (Opcional)',
'E-mail addresses can be separated by commas.' => 'Las direcciones de correo electrnico deben estar separadas por comas.',
'E-mail Delivery Service' => 'Servicio de Entrega de Email',
'EBU R128' => 'EBU R128',
'Edit' => 'Editar',
'Edit Branding' => 'Editar Marca',
'Edit Custom Field' => 'Editar Campo Personalizado',
'Edit Episode' => 'Editar Episodio',
'Edit HLS Stream' => 'Editar Stream HLS',
'Edit Liquidsoap Configuration' => 'Editar configuracin de Liquidsoap',
'Edit Media' => 'Editar Medios',
'Edit Mount Point' => 'Editar Punto de Montaje',
'Edit Playlist' => 'Editar Lista de Reproduccin',
'Edit Podcast' => 'Editar el Podcast',
'Edit Profile' => 'Editar el perfil',
'Edit Remote Relay' => 'Editar Rel Remoto',
'Edit Role' => 'Editar Rol',
'Edit SFTP User' => 'Editar Usuario SFTP',
'Edit Station' => 'Editar Estacin',
'Edit Station Profile' => 'Editar el perfil de la estacin',
'Edit Storage Location' => 'Editar Ubicacin de Almacenamiento',
'Edit Streamer' => 'Editar Streamer',
'Edit User' => 'Editar Usuario',
'Edit Web Hook' => 'Editar Web Hook',
'Embed Code' => 'Insertar Cdigo',
'Embed Widgets' => 'Insertar Widgets',
'Emergency' => 'Emergencia',
'Empty' => 'Vaco',
'Enable' => 'Habilitar',
'Enable Advanced Features' => 'Habilitar Funciones Avanzadas',
'Enable AutoDJ' => 'Permitir AutoDJ',
'Enable Broadcasting' => 'Habilitar Transmisin',
'Enable certain advanced features in the web interface, including advanced playlist configuration, station port assignment, changing base media directories and other functionality that should only be used by users who are comfortable with advanced functionality.' => 'Habilitar ciertas funciones avanzadas en la interfaz web, incluyendo la configuracin avanzada de la lista de reproduccin, la asignacin de puertos de la estacin, cambiar los directorios de medios base y otras funcionalidades que slo deben ser utilizadas por usuarios que se sientan cmodos con las funciones avanzadas.',
'Enable Downloads on On-Demand Page' => 'Habilitar Descargas en la Pgina Bajo Demanda',
'Enable HTTP Live Streaming (HLS)' => 'Habilitar HTTP Streaming en Vivo (HLS)',
'Enable listeners to request a song for play on your station. Only songs that are already in your playlists are requestable.' => 'Permite que los oyentes soliciten una cancin para reproducirla en tu estacin. Solo se pueden solicitar las canciones que ya estn en tus listas de reproduccin.',
'Enable Mail Delivery' => 'Habilitar Envo de Correo',
'Enable On-Demand Streaming' => 'Habilitar Streaming Bajo Demanda',
'Enable Public Pages' => 'Activar Pginas Pblicas',
'Enable station?' => 'Habilitar estacin?',
'Enable this option if your S3 provider is using paths instead of sub-domains for their S3 endpoint; for example, when using MinIO or with other self-hosted S3 storage solutions that are accessible via a path on a domain/IP instead of a subdomain.' => 'Habilite esta opcin si su proveedor de S3 utiliza rutas en lugar de subdominios para su punto final de S3; por ejemplo, cuando se utiliza MinIO o con otras soluciones de almacenamiento S3 autohospedadas a las que se puede acceder a travs de una ruta en un dominio/IP en lugar de un subdominio.',
'Enable this setting to prevent metadata from being sent to the AutoDJ for files in this playlist. This is useful if the playlist contains jingles or bumpers.' => 'Habilite esta opcin para evitar que los metadatos de los archivos en esta lista, sean enviados al AutoDJ. Esto es til si la lista de reproduccin contiene jingles o bumpers.',
'Enable to advertise this mount point on "Yellow Pages" public radio directories.' => 'Activar para anunciar este punto de montaje en los directorios de radio pblicos "Pginas Amarillas".',
'Enable to advertise this relay on "Yellow Pages" public radio directories.' => 'Activar para anunciar este repetidor en los directorios de radio pblicos "Pginas amarillas".',
'Enable to allow listeners to select this relay on this station\'s public pages.' => 'Activar para permitir a los oyentes seleccionar este punto de montaje en las pginas pblicas de esta estacin.',
'Enable to allow this account to log in and stream.' => 'Habilite para permitir que esta cuenta inicie sesin y transmita.',
'Enable to have AzuraCast automatically run nightly backups at the time specified.' => 'Activar para que AzuraCast ejecute automticamente copias de seguridad nocturnas en el momento especificado.',
'Enable Two-Factor' => 'Activar la verificacin en dos pasos',
'Enable Two-Factor Authentication' => 'Habilitar Autenticacin en Dos Pasos',
'Enable?' => 'Habilitar?',
'Enabled' => 'Habilitado',
'End Date' => 'Fecha de Finalizacin',
'End Time' => 'Hora de Finalizacin',
'Endpoint' => 'Punto Final',
'Enforce Schedule Times' => 'Hacer cumplir los horarios programados',
'Enlarge Album Art' => 'Ampliar la Imagen del lbum',
'Ensure the library matches your system architecture' => 'Asegrese de que la biblioteca coincide con la arquitectura de su sistema',
'Enter "AzuraCast" as the application name. You can leave the URL fields unchanged. For "Scopes", only "write:media" and "write:statuses" are required.' => 'Introduzca "AzuraCast" como nombre de la aplicacin. Puede dejar los campos de URL sin cambios. Para "mbitos", solo se requieren "escribir: medios" y "escribir: estados".',
'Enter the access code you receive below.' => 'Introduzca a continuacin el cdigo de acceso que reciba.',
'Enter the current code provided by your authenticator app to verify that it\'s working correctly.' => 'Introduce el cdigo actual proporcionado por tu aplicacin de autenticacin para verificar que funciona correctamente.',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => 'Introduzca el URL completo de otra secuencia para transmitir su emisin a travs de este punto de montaje.',
'Enter your app secret and app key below.' => 'Introduce enseguida la claves app secret y la app key.',
'Enter your e-mail address to receive updates about your certificate.' => 'Introduzca su direccin de correo electrnico para recibir actualizaciones sobre su certificado.',
'Enter your password' => 'Introduzca su Contrasea',
'Episode' => 'Episodio',
'Episodes' => 'Episodios',
'Error' => 'Error',
'Error moving files:' => 'Error al mover archivos:',
'Error queueing files:' => 'Error al poner archivos en cola:',
'Error removing files:' => 'Error al eliminar archivos:',
'Error reprocessing files:' => 'Error al reprocesar archivos:',
'Error updating playlists:' => 'Error al actualizar las listas de reproduccin:',
'Example: if the remote radio URL is path_to_url enter "path_to_url".' => 'Ejemplo: si la URL de radio remota es path_to_url introduzca "path_to_url".',
'Exclude Media from Backup' => 'Excluir Archivos de Audio de las Copias de Seguridad',
'Excluding media from automated backups will save space, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => 'Ahorrar espacio al excluir los archivos de medios de sus copias de seguridad automatizadas, pero debera asegurarse de hacer una copia de seguridad de sus medios en otros lugares. Tenga en cuenta que slo los medios almacenados localmente sern respaldados.',
'Exit Fullscreen' => 'Salir de la Pantalla Completa',
'Expected to Play at' => 'Se Espera Reproducir en',
'Explicit' => 'Explcito',
'Export %{format}' => 'Exportar %{format}',
'Export Media to CSV' => 'Exportar Medios a CSV',
'External' => 'Externo',
'Fallback Mount' => 'Punto de montaje de reserva',
'Field Name' => 'Nombre del Campo',
'File Name' => 'Nombre de Archivo',
'Files marked for reprocessing:' => 'Archivos marcados para reprocesar:',
'Files moved:' => 'Archivos movidos:',
'Files played immediately:' => 'Archivos reproducidos inmediatamente:',
'Files queued for playback:' => 'Archivos en cola para reproducir:',
'Files removed:' => 'Archivos eliminados:',
'First Connected' => 'Primero Conectado',
'Followers Only' => 'Slo Seguidores',
'Footer Text' => 'Texto de Pie de Pgina',
'For ARM (Raspberry Pi, etc.) installations, choose "Raspberry Pi Thimeo-ST plugin".' => 'Para instalaciones ARM (Raspberry Pi, etc.) elija "Raspberry Pi Thimeo-ST plug-in".',
'For local filesystems, this is the base path of the directory. For remote filesystems, this is the folder prefix.' => 'Para sistemas de archivos locales, esta es la ruta base del directorio. Para sistemas remotos, este es el prefijo de carpeta.',
'For most cases, use the default UTF-8 encoding. The older ISO-8859-1 encoding can be used if accepting connections from Shoutcast 1 DJs or using other legacy software.' => 'Para la mayora de los casos, use la codificacin por default UTF-8. La codificacin antigua ISO-8859-1 puede ser usada si est aceptando conexiones desde Shoutcast v1 o est usando otro software.',
'for selected period' => 'para el perodo seleccionado',
'For simple updates where you want to keep your current configuration, you can update directly via your web browser. You will be disconnected from the web interface and listeners will be disconnected from all stations.' => 'Para actualizaciones simples donde desea mantener su configuracin actual, puede actualizar directamente a travs de su navegador web. Usted ser desconectado de la interfaz web y los oyentes sern desconectados de todas las estaciones.',
'For some clients, use port:' => 'Para algunos clientes, utilice el puerto:',
'For the legacy version' => 'Para la versin antigua',
'For x86/64 installations, choose "x86/64 Linux Thimeo-ST plugin".' => 'Para instalaciones x86/64, elija "x86/64 Linux Thimeo-ST plug-in".',
'Forgot your password?' => 'Olvidaste tu contrasea?',
'Format' => 'Formato',
'Friday' => 'Viernes',
'From your smartphone, scan the code to the right using an authentication app of your choice (FreeOTP, Authy, etc).' => 'Desde tu smartphone, escanea el cdigo a la derecha usando una aplicacin de autenticacin de tu eleccin (FreeOTP, Authy, etc).',
'Full' => 'Lleno',
'Full Volume' => 'Volumen Completo',
'General Rotation' => 'Rotacin General',
'Generate Access Code' => 'Generar Cdigo de Acceso',
'Generate Report' => 'Generar Informe',
'Generate/Renew Certificate' => 'Generar/Renovar Certificado',
'Generic Web Hook' => 'Web Hook Genrico',
'Generic Web Hooks' => 'Web Hooks Genricos',
'Genre' => 'Gnero',
'GeoLite is not currently installed on this installation.' => 'GeoLite no est instalado actualmente en esta instalacin.',
'GeoLite version "%{ version }" is currently installed.' => 'La versin de GeoLite que est instalada actualmente es "%{ version }".',
'Get Next Song' => 'Obtener la Siguiente Cancin',
'Get Now Playing' => 'Obtener Reproduccin en Curso',
'GetMeRadio' => 'GetMeRadio',
'GetMeRadio Station ID' => 'ID de GetMeRadio',
'Global' => 'Global',
'Global Permissions' => 'Permisos Globales',
'Go' => 'Ir',
'Google Analytics V4 Integration' => 'Integracin de Google Analytics V4',
'Help' => 'Ayuda',
'Hide Album Art on Public Pages' => 'Ocultar Portada del lbum en las Pginas Pblicas',
'Hide AzuraCast Branding on Public Pages' => 'Ocultar la Marca AzuraCast en Pginas Pblicas',
'Hide Charts' => 'Ocultar Grficas',
'Hide Credentials' => 'Ocultar Credenciales',
'Hide Metadata from Listeners ("Jingle Mode")' => 'Ocultar los Metadatos a los Radioescuchas ("Modo Jingle")',
'High I/O Wait can indicate a bottleneck with the server\'s hard disk, a potentially failing hard disk, or heavy load on the hard disk.' => 'Un alto ndice de E/S de Espera, puede indicar un cuello de botella con el disco duro del servidor, un disco duro potencialmente defectuoso, o una carga pesada en el disco duro.',
'Higher weight playlists are played more frequently compared to other lower-weight playlists.' => 'Las listas de reproduccin de mayor peso se reproducen con ms frecuencia en comparacin con otras listas de reproduccin de menor peso.',
'History' => 'Historial',
'HLS' => 'HLS',
'HLS Streams' => 'Streams HLS',
'Home' => 'Inicio',
'Homepage Redirect URL' => 'URL de redireccin de la pgina de inicio',
'Hour' => 'Hora',
'HTML' => 'HTML',
'HTTP Live Streaming (HLS)' => 'HTTP Streaming en Vivo (HLS)',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate streaming technology. From this page, you can configure the individual bitrates and formats that are included in the combined HLS stream.' => 'HTTP Streaming en Vivo (HLS) es una nueva tecnologa de streaming de bitrate adaptable. Desde esta pgina, puede configurar las tasas de bits individuales y los formatos que se incluyen en el stream combinado HLS.',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate technology supported by some clients. It does not use the standard broadcasting frontends.' => 'HTTP Streaming en Vivo (HLS) es una nueva tecnologa de bitrate adaptativa soportada por algunos clientes. No utiliza los interfaces de transmisin estndar.',
'Icecast Clients' => 'Clientes de IceCast',
'Icecast/Shoutcast Stream URL' => 'URL del flujo de Icecast/Shoutcast',
'Identifier' => 'Identificador',
'If a live DJ connects but has not yet sent metadata, this is the message that will display on player pages.' => 'Si un DJ que est en vivo se conecta pero an no ha enviado metadatos, este es el mensaje que se mostrar en las pginas del reproductor.',
'If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.' => 'Si una cancin no tiene portada de lbum, esta URL aparecer en su lugar. Djelo en blanco para utilizar el arte de marcador de posicin estndar.',
'If a visitor is not signed in and visits the AzuraCast homepage, you can automatically redirect them to the URL specified here. Leave blank to redirect them to the login screen by default.' => 'Si un visitante no ha iniciado sesin y visita la pgina de inicio de AzuraCast, puede redirigirlo automticamente a la URL especificada aqu. Djelo en blanco para redirigirlos a la pantalla de inicio de sesin de forma predeterminada.',
'If disabled, the playlist will not be included in radio playback, but can still be managed.' => 'Si est desactivado, la lista de reproduccin no se incluir en la reproduccin de la radio, pero todava se puede gestionar.',
'If disabled, the station will not broadcast or shuffle its AutoDJ.' => 'Si est desactivado, la estacin no transmitir ni reproducir aleatoriamente su AutoDJ.',
'If enabled, a download button will also be present on the public "On-Demand" page.' => 'Si est habilitado, un botn de descarga tambin estar presente en la pgina pblica "On Demand".',
'If enabled, AzuraCast will automatically record any live broadcasts made to this station to per-broadcast recordings.' => 'Si est activado, AzuraCast grabar automticamente cualquier transmisin en directo realizada en esta emisora para grabaciones por emisin en directo.',
'If enabled, AzuraCast will connect to the MusicBrainz database to attempt to find an ISRC for any files where one is missing. Disabling this may improve performance.' => 'Si est habilitado, AzuraCast se conectar a la base de datos de MusicBrainz para intentar encontrar un ISRC para cualquier archivo donde falte uno. Deshabilitar esto puede mejorar el rendimiento.',
'If enabled, music from playlists with on-demand streaming enabled will be available to stream via a specialized public page.' => 'Si est habilitado, la msica de la listas de reproduccin con streaming bajo demanda habilitado, estarn disponible para transmitir y descargar a travs de una pgina pblica especializada.',
'If enabled, streamers (or DJs) will be able to connect directly to your stream and broadcast live music that interrupts the AutoDJ stream.' => 'Si est activado, los streamers (o DJs) podrn conectarse directamente a su stream y transmitir msica en vivo que interrumpir el flujo de AutoDJ de Azuracast.',
'If enabled, the AutoDJ on this installation will automatically play music to this mount point.' => 'Si est habilitado, el AutoDJ en esta instalacin, reproducir msica automticamente hacia este punto de montaje.',
'If enabled, the AutoDJ will automatically play music to this mount point.' => 'Si est activado, el AutoDJ automticamente reproducir msica a este punto de montaje.',
'If enabled, this streamer will only be able to connect during their scheduled broadcast times.' => 'Si est activado, este streamer slo podr conectarse durante sus horas de emisin programadas.',
'If requests are enabled for your station, users will be able to request media that is on this playlist.' => 'Si las peticiones estn habilitadas para su estacin, los usuarios podrn solicitar medios que estn en esta lista de reproduccin.',
'If requests are enabled, this specifies the minimum delay (in minutes) between a request being submitted and being played. If set to zero, a minor delay of 15 seconds is applied to prevent request floods.' => 'Si las peticiones estn habilitadas, esto especifica el retraso mnimo (en minutos) entre una solicitud que se enva y se reproduce. Si se establece en cero, se aplica un retraso menor de 15 segundos para prevenir saturaciones de solicitudes.',
'If selected, album art will not display on public-facing radio pages.' => 'Si se selecciona, la portada del lbum no se mostrar en las pginas de radio pblicas.',
'If selected, this will remove the AzuraCast branding from public-facing pages.' => 'Si se selecciona, se eliminar la marca AzuraCast de las pginas pblicas.',
'If the end time is before the start time, the playlist will play overnight.' => 'Si la hora de finalizacin es anterior a la hora de inicio, la lista de reproduccin se reproducir durante la noche.',
'If the end time is before the start time, the schedule entry will continue overnight.' => 'Si la hora de finalizacin es anterior a la hora de inicio, la entrada del programa continuar durante la noche.',
'If the mountpoint (i.e. /radio.mp3) or Shoutcast SID (i.e. 2) you broadcast to is different from the stream URL, specify the source mount point here.' => 'Si el punto de montaje (por ejemplo: /radio.mp3) o SID de Shoutcast (por ejemplo: 2) al que utu transmites, es diferente a lo mencionado arriba, especifique aqu el punto de montaje de la fuente.',
'If the port you broadcast to is different from the stream URL, specify the source port here.' => 'Si el puerto al que transmites es diferente al de la URL de la emisin, especifique el puerto de origen aqu.',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => 'Si este punto de montaje es el predeterminado, se reproducir en la vista previa de la radio y la pgina de la radio pblica en este sistema.',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => 'Si este punto de montaje no est reproduciendo audio, los oyentes sern redirigidos automticamente a este punto de montaje. El valor predeterminado es /error.mp3, un mensaje de repeticin de error.',
'If this setting is set to "Yes", the browser URL will be used instead of the base URL when it\'s available. Set to "No" to always use the base URL.' => 'Si esta opcin se configura en "S", la URL del navegador se utilizar en lugar de la URL base cuando est disponible. Ajuste a "No" para usar siempre la URL base.',
'If this station has on-demand streaming and downloading enabled, only songs that are in playlists with this setting enabled will be visible.' => 'Si esta estacin tiene habilitada la descarga de canciones y la reproduccin bajo-demanda, solo las canciones que estn en las listas de reproduccin con esta configuracin habilitada, sern visibles.',
'If you are broadcasting using AutoDJ, enter the source password here.' => 'Si est transmitiendo usando AutoDJ, introduzca la contrasea de origen aqu.',
'If you are broadcasting using AutoDJ, enter the source username here. This may be blank.' => 'Si est transmitiendo usando AutoDJ, introduzca el nombre de usuario fuente aqu. Esto puede estar en blanco.',
'If you\'re experiencing a bug or error, you can submit a GitHub issue using the link below.' => 'Si ests experimentando un error o fallo, puedes publicar un reporte a GitHub usando el siguiente enlace.',
'If your installation is constrained by CPU or memory, you can change this setting to tune the resources used by Liquidsoap.' => 'Si su instalacin est restringida por la CPU o la memoria, puede cambiar estas configuraciones para ajustar los recursos utilizados por Liquidsoap.',
'If your Mastodon username is "@test@example.com", enter "example.com".' => 'Si tu nombre de usuario de Mastodon es "@test@example.com", escribe "example.com".',
'If your stream is set to advertise to YP directories above, you must specify an authorization hash. You can manage these on the Shoutcast web site.' => 'Si su stream est configurado para anunciarse en los directorios YP de arriba, debe especificar un hash de autorizacin. Puede administrar los hashes <a href="%{ url }" target="_blank">en el sitio web SHOUTcast</a>.',
'If your streaming software requires a specific mount point path, specify it here. Otherwise, use the default.' => 'Si su software de streaming requiere una ruta especfica de puntos de montaje, especifquelo aqu. De lo contrario, utilice el valor predeterminado.',
'If your web hook requires HTTP basic authentication, provide the password here.' => 'Si su Web Hook requiere autenticacin bsica HTTP, proporcione la contrasea aqu.',
'If your web hook requires HTTP basic authentication, provide the username here.' => 'Si su Web Hook requiere autenticacin bsica HTTP, proporcione el nombre de usuario aqu.',
'Import Changes from CSV' => 'Importar Cambios desde CSV',
'Import from PLS/M3U' => 'Importar desde PLS/M3U',
'Import Results' => 'Importar Resultados',
'Important: copy the key below before continuing!' => 'Importante: Copie la clave mostrada abajo antes de continuar!',
'In order to install Shoutcast:' => 'Para instalar Shoutcast:',
'In order to install Stereo Tool:' => 'Para instalar Stereo Tool:',
'In order to process quickly, web hooks have a short timeout, so the responding service should be optimized to handle the request in under 2 seconds.' => 'Para poder procesar rpidamente, los Web Hooks tienen un corto tiempo de espera, por lo que el servicio de respuesta debe ser optimizado para gestionar la solicitud a menos de 2 segundos.',
'Include in On-Demand Player' => 'Incluir en el Reproductor Bajo-Demanda',
'Indefinitely' => 'Indefinidamente',
'Indicates the presence of explicit content (explicit language or adult content). Apple Podcasts displays an Explicit parental advisory graphic for your episode if turned on. Episodes containing explicit material aren\'t available in some Apple Podcasts territories.' => 'Indica la presencia de contenido explcito (lenguaje explcito o contenido adulto). Apple Podcasts muestra un grfico de "Contenido Explcito" para su episodio si est activado. Los episodios que contienen material explcito no estn disponibles en algunos territorios de Apple Podcasts.',
'Info' => 'Informacin',
'Information about the current playing track will appear here once your station has started.' => 'La informacin sobre la pista en reproduccin aparecer aqu una vez que tu estacin haya comenzado.',
'Insert' => 'Insertar',
'Install GeoLite IP Database' => 'Instalar Base de Datos IP de GeoLite',
'Install Shoutcast' => 'Instalar Shoutcast',
'Install Shoutcast 2 DNAS' => 'Instalar Shoutcast 2 DNAS',
'Install Stereo Tool' => 'Instalar Stereo Tool',
'Instructions' => 'Instrucciones',
'Internal notes or comments about the user, visible only on this control panel.' => 'Notas internas o comentarios sobre el usuario, visible solamente en este panel de control.',
'International Standard Recording Code, used for licensing reports.' => 'Cdigo Internacional de Registro Estndar, usado para reportes de licencia.',
'Interrupt other songs to play at scheduled time.' => 'Interrumpe otras canciones para reproducir a la hora programada.',
'Intro' => 'Intro',
'IP' => 'IP',
'IP Address Source' => 'Direccin IP del Origen',
'IP Geolocation is used to guess the approximate location of your listeners based on the IP address they connect with. Use the free built-in IP Geolocation library or enter a license key on this page to use MaxMind GeoLite.' => 'IP Geolocalizacin se utiliza para adivinar la ubicacin aproximada de sus oyentes basndose en la direccin IP con la que se conectan. Utilice la biblioteca de Geolocalizacin IP integrada gratuita o introduzca una clave de licencia en esta pgina para usar MaxMind GeoLite.',
'Is Public' => 'Es Pblico',
'Is Published' => 'Est publicado',
'ISRC' => 'ISRC',
'Items per page' => 'Elementos por pgina',
'Jingle Mode' => 'Modo Jingle',
'Language' => 'Idioma',
'Last 14 Days' => 'ltimos 14 Das',
'Last 2 Years' => 'ltimos 2 Aos',
'Last 24 Hours' => 'ltimas 24 horas',
'Last 30 Days' => 'ltimos 30 das',
'Last 60 Days' => 'ltimos 60 das',
'Last 7 Days' => 'ltimos 7 das',
'Last Modified' => 'ltima Modificacin',
'Last Month' => 'Mes Pasado',
'Last Run' => 'ltima Ejecucin',
'Last run:' => 'ltima Ejecucin:',
'Last Year' => 'Ao Pasado',
'Last.fm API Key' => 'Clave de API de Last.fm',
'Latest Update' => 'ltima Actualizacin',
'Learn about Advanced Playlists' => 'Aprende sobre Listas de Reproduccin Avanzadas (En Ingles)',
'Learn More about Post-processing CPU Impact' => 'Aprenda ms sobre el Impacto del post-procesamiento de la CPU',
'Learn more about release channels in the AzuraCast docs.' => 'Obtenga ms informacin sobre los canales de liberacin en la documentacin de AzuraCast.',
'Learn more about this header.' => 'Ms informacin sobre este encabezado.',
'Leave blank to automatically generate a new password.' => 'Deje en blanco para generar automticamente una nueva contrasea.',
'Leave blank to play on every day of the week.' => 'Dejar en blanco para reproducir todos los das de la semana.',
'Leave blank to use the current password.' => 'Deje en blanco para usar la contrasea actual.',
'Leave blank to use the default Telegram API URL (recommended).' => 'Dejar en blanco para usar la URL predeterminada de la API de Telegram (recomendado).',
'Length' => 'Duracin',
'Let\'s get started by creating your Super Administrator account.' => 'Empecemos creando tu cuenta de Super Administrador.',
'LetsEncrypt' => 'LetsEncrypt',
'LetsEncrypt provides simple, free SSL certificates allowing you to secure traffic through your control panel and radio streams.' => 'LetsEncrypt proporciona certificados SSL simples y gratuitos que le permiten asegurar el trfico a travs de su panel de control y transmisiones de radio.',
'Light' => 'Claro',
'Like our software?' => 'Te gusta nuestro software?',
'Limited' => 'Limitado',
'LiquidSoap is currently shuffling from %{songs} and %{playlists}.' => 'LiquidSoap est reproduciendo aleatoriamente %{songs} y %{playlists}.',
'Liquidsoap Performance Tuning' => 'Ajuste del Rendimiento de Liquidsoap',
'List one IP address or group (in CIDR format) per line.' => 'Listar una direccin IP o grupo (en formato CIDR) por lnea.',
'List one user agent per line. Wildcards (*) are allowed.' => 'Enumere un agente de usuario por lnea. Se permiten comodines (*).',
'Listener Analytics Collection' => 'Coleccin Analtica del Oyente',
'Listener Gained' => 'Oyente Ganado',
'Listener History' => 'Historial del Oyente',
'Listener Lost' => 'Oyente Perdido',
'Listener Report' => 'Informe del Oyente',
'Listener Request' => 'Solicitud de Oyente',
'Listener Type' => 'Tipo de oyente',
'Listeners' => 'Oyentes',
'Listeners by Day' => 'Oyentes por da',
'Listeners by Day of Week' => 'Oyentes por da de la semana',
'Listeners by Hour' => 'Oyentes por hora',
'Listeners by Listening Time' => 'Oyentes por Tiempo de Escucha',
'Listeners By Time Period' => 'Oyentes por Periodo de Tiempo',
'Listeners Per Station' => 'Oyentes por Estacin',
'Listening Time' => 'Tiempo de Escucha',
'Live' => 'En Vivo',
'Live Broadcast Recording Bitrate (kbps)' => 'Tasa de Grabacin de Transmisin en Vivo (kbps)',
'Live Broadcast Recording Format' => 'Formato de Grabacin de Transmisin en Vivo',
'Live Listeners' => 'Oyentes en vivo',
'Live Recordings Storage Location' => 'Ubicacin del Almacenamiento de Las Grabaciones en Vivo',
'Live Streamer:' => 'Streamer en Vivo:',
'Live Streamer/DJ Connected' => 'Transmisin en Vivo/DJ Conectado',
'Live Streamer/DJ Disconnected' => 'Transmisin en Vivo/DJ Desconectado',
'Live Streaming' => 'Transmisin en Vivo',
'Load Average' => 'Promedio de Carga',
'Loading' => 'Cargando',
'Local' => 'Local',
'Local Broadcasting Service' => 'Servicio Local de Radiodifusin',
'Local Filesystem' => 'Sistema de Archivos Local',
'Local IP (Default)' => 'IP Local (por Defecto)',
'Local Streams' => 'Streams Locales',
'Location' => 'Ubicacin',
'Log In' => 'Inicia sesin',
'Log Output' => 'Registro de Salida',
'Log Viewer' => 'Visor de Registros (Logs)',
'Logs' => 'Registros',
'Logs by Station' => 'Registros por Estacin',
'Loop Once' => 'Bucle Una Vez',
'Main Message Content' => 'Contenido del Mensaje Principal',
'Make HLS Stream Default in Public Player' => 'Hacer que el Stream HLS sea el Predefinido en el Reproductor Pblico',
'Make the selected media play immediately, interrupting existing media' => 'Hacer que el archivo seleccionado se reproduzca inmediatamente, esto interrumpir el archivo en ejecucin',
'Manage' => 'Gestionar',
'Manage Avatar' => 'Administrar Avatar',
'Manage SFTP Accounts' => 'Administrar Cuentas SFTP',
'Manage Stations' => 'Administrar Estaciones',
'Manual AutoDJ Mode' => 'Modo Manual de AutoDJ',
'Manual Updates' => 'Actualizaciones Manuales',
'Manually Add Episodes' => 'Agregar episodios manualmente',
'Manually define how this playlist is used in Liquidsoap configuration.' => 'Definir manualmente cmo se utiliza esta lista de reproduccin en la configuracin de Liquidsoap.',
'Markdown' => 'Reduccin',
'Master_me is an open-source automatic mastering plugin for streaming, podcasts and Internet radio.' => 'Master_me es un complemento de masterizacin automtica de cdigo abierto para transmisin, podcasts y radio por Internet.',
'Master_me Loudness Target (LUFS)' => 'Master_me Loudness Target (LUFS)',
'Master_me Post-processing' => 'Post-Procesamiento Master_me',
'Master_me Preset' => 'Preajuste de Master_me',
'Master_me Project Homepage' => 'Pgina Web del Proyecto Master_me',
'Mastodon Account Details' => 'Detalles de la Cuenta Mastodon',
'Mastodon Instance URL' => 'URL de Instancia de Mastodon',
'Mastodon Post' => 'Mensaje de Mastodon',
'Matched' => 'Emparejado',
'Matomo Analytics Integration' => 'Integracin de Anlisis Matomo',
'Matomo API Token' => 'Matomo API Token',
'Matomo Installation Base URL' => 'URL base de instalacin de Matomo',
'Matomo Site ID' => 'ID del Sitio Matomo',
'Max Listener Duration' => 'Duracin Mxima del Oyente',
'Max. Connected Time' => 'Mx. Tiempo conectado',
'Maximum Listeners' => 'Oyentes mximos',
'Maximum number of total listeners across all streams. Leave blank to use the default.' => 'Nmero mximo de oyentes totales en todos los streams. Dejar en blanco para usar el valor predeterminado.',
'MaxMind Developer Site' => 'Sitio del Desarrollador MaxMind',
'Measurement ID' => 'ID de Medicin',
'Measurement Protocol API Secret' => 'Protocolo de Medicin API Secreto',
'Media' => 'Medios',
'Media File' => 'Archivo Multimedia',
'Media Storage Location' => 'Ubicacin de Almacenamiento de los Medios',
'Memory' => 'Memoria',
'Memory Stats Help' => 'Ayuda de Estadsticas de Memoria',
'Merge playlist to play as a single track.' => 'Combina la lista de reproduccin para reproducir como una sola pista.',
'Message Body' => 'Cuerpo del Mensaje',
'Message Body on Song Change' => 'Cuerpo del Mensaje en el Cambio de Cancin',
'Message Body on Song Change with Streamer/DJ Connected' => 'Cuerpo del Mensaje en el Cambio de Cancin con el Streamer/DJ Conectado',
'Message Body on Station Offline' => 'Cuerpo del Mensaje en la Estacin Fuera de Lnea',
'Message Body on Station Online' => 'Cuerpo del Mensaje en la Estacin en Lnea',
'Message Body on Streamer/DJ Connect' => 'Cuerpo del Mensaje en Transmisin/DJ Conectando',
'Message Body on Streamer/DJ Disconnect' => 'Cuerpo del Mensaje en Transmisin/DJ Desconectando',
'Message Customization Tips' => 'Consejos de Personalizacin de Mensajes',
'Message parsing mode' => 'Modo de anlisis de mensajes',
'Message Queues' => 'Cola de Mensajes',
'Message Recipient(s)' => 'Destinatario(s) de (los) Mensaje(s)',
'Message Subject' => 'Asunto del Mensaje',
'Message Visibility' => 'Visibilidad del Mensaje',
'Metadata updated.' => 'Metadatos actualizados.',
'Microphone' => 'Micrfono',
'Microphone Source' => 'Fuente del Micrfono',
'Min. Connected Time' => 'Mn. Tiempo conectado',
'Minute of Hour to Play' => 'Minuto de la Hora para Reproducir',
'Mixer' => 'Mezclador',
'Mobile' => 'Mvil',
'Modified' => 'Modificado',
'Monday' => 'Lunes',
'More' => 'Ms',
'Most hosting providers will put more Virtual Machines (VPSes) on a server than the hardware can handle when each VM is running at full CPU load. This is called over-provisioning, which can lead to other VMs on the server "stealing" CPU time from your VM and vice-versa.' => 'La mayora de los proveedores de alojamiento pondrn ms mquinas virtuales (VPSes) en un servidor, de lo que el hardware puede manejar cuando cada mquina virtual se ejecuta a plena carga de CPU. Esto se denomina sobreaprovisionamiento, lo que puede provocar que otras mquinas virtuales del servidor "roben" tiempo de CPU de su mquina virtual y viceversa.',
'Most Played Songs' => 'Canciones Ms Reproducidas',
'Most Recent Backup Log' => 'Registro de Copia de Seguridad ms Reciente',
'Mount Name:' => 'Nombre del Punto de Montaje:',
'Mount Point URL' => 'URL del Punto de Montaje',
'Mount Points' => 'Puntos de montaje',
'Mount points are how listeners connect and listen to your station. Each mount point can be a different audio format or quality. Using mount points, you can set up a high-quality stream for broadband listeners and a mobile stream for phone users.' => 'Los puntos de montaje es la forma en que los oyentes se conectan y escuchan su estacin. Cada punto de montaje puede tener un formato o calidad de audio diferente. Usted puede configurar una transmisin con tasa alta de bits para oyentes de banda ancha y otra con tasa baja de bits para usuarios de telfonos mviles.',
'Move' => 'Mover',
'Move %{ num } File(s) to' => 'Mover %{ num } archivo(s) a',
'Move Down' => 'Mover hacia abajo',
'Move to Bottom' => 'Mover hacia abajo',
'Move to Directory' => 'Mover al directorio',
'Move to Top' => 'Mover hacia arriba',
'Move Up' => 'Subir',
'Music Files' => 'Archivos de msica',
'Music General' => 'Msica en General',
'Must match new password.' => 'Debe coincidir con la nueva contrasea.',
'Mute' => 'Silencio',
'My Account' => 'Mi cuenta',
'N/A' => 'N/A',
'Name' => 'Nombre',
'name@example.com' => 'nombre@ejemplo.com',
'Name/Type' => 'Nombre / Tipo',
'Need Help?' => 'Necesitas Ayuda?',
'Network Interfaces' => 'Interfaces de Red',
'Never run' => 'Nunca ejecutar',
'New Directory' => 'Nuevo Directorio',
'New directory created.' => 'Nuevo Directorio Creado.',
'New File Name' => 'Nuevo Nombre de Archivo',
'New Folder' => 'Nueva Carpeta',
'New Key Generated' => 'Nueva Key Generada',
'New Password' => 'Nueva Contrasea',
'New Playlist' => 'Nueva Lista de Reproduccin',
'New Playlist Name' => 'Nombre Nuevo de Lista',
'New Station Description' => 'Nueva Descripcin de la Estacin',
'New Station Name' => 'Nuevo Nombre de la Estacin',
'Next Run' => 'Siguiente Ejecucin',
'No' => 'No',
'No AutoDJ Enabled' => 'No Hay AutoDJ Habilitado',
'No files selected.' => 'Ningn archivo seleccionado.',
'No Limit' => 'Sin Lmite',
'No Match' => 'No Coincidente',
'No other program can be using this port. Leave blank to automatically assign a port.' => 'Ningn otro programa puede utilizar este puerto. Deje en blanco para asignar un puerto automticamente.',
'No Post-processing' => 'Sin Post-Procesamiento',
'No records to display.' => 'No hay registros para mostrar.',
'No records.' => 'No hay registros.',
'None' => 'Ninguno',
'Normal Mode' => 'Modo Normal',
'Not Played' => 'Sin reproducir',
'Not Run' => 'No Ejecutado',
'Not Running' => 'No est Funcionando',
'Not Scheduled' => 'No programado',
'Note that restoring a backup will clear your existing database. Never restore backup files from untrusted users.' => 'Tenga en cuenta que restaurar una copia de seguridad borrar su base de datos existente. Nunca restaure los archivos de copia de seguridad de usuarios no confiables.',
'Note that Stereo Tool can be resource-intensive for both CPU and Memory. Please ensure you have sufficient resources before proceeding.' => 'Tenga en cuenta que Stereo Tool puede ser demandante en recursos tanto para CPU como para memoria. Asegrese de tener suficientes recursos antes de proceder.',
'Note: If your media metadata has UTF-8 characters, you should use a spreadsheet editor that supports UTF-8 encoding, like OpenOffice.' => 'Nota: Si sus metadatos multimedia tienen caracteres UTF-8, debe utilizar un editor de hojas de clculo que soporte la codificacin UTF-8, como OpenOffice.',
'Note: the port after this one will automatically be used for legacy connections.' => 'Nota: el puerto posterior a este se utilizar automticamente para conexiones heredadas.',
'Note: This should be the public-facing homepage of the radio station, not the AzuraCast URL. It will be included in broadcast details.' => 'Nota: Esta debe ser la pgina de inicio pblica de la estacin de radio, no la URL de AzuraCast. Se incluir en los detalles de la transmisin.',
'Notes' => 'Notas',
'Notice' => 'Aviso',
'Now' => 'Ahora',
'Now Playing' => 'Reproduciendo',
'Now playing on %{ station }:' => 'Reproduciendo Ahora en %{ station }:',
'Now playing on %{ station }: %{ title } by %{ artist } with your host, %{ dj }! Tune in now: %{ url }' => 'Reproduciendo ahora en %{ station }: %{ title } de %{ artist } con tu anfitrin, %{ dj }! Sintoniza ahora: %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now: %{ url }' => 'Reproduciendo ahora en %{ station }: %{ title } de %{ artist }! Sintonice ahora: %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now.' => 'Reproduciendo ahora en %{ station }: %{ title } de %{ artist }! Sintonice ahora.',
'NowPlaying API Response' => 'Respuesta API de NowPlaying',
'Number of Backup Copies to Keep' => 'Nmero de Copias de Seguridad a Conservar',
'Number of Minutes Between Plays' => 'Nmero de Minutos entre Reproducciones',
'Number of seconds to overlap songs.' => 'Nmero de segundos para superponer canciones.',
'Number of Songs Between Plays' => 'Nmero de Canciones entre Reproducciones',
'Number of Visible Recent Songs' => 'Nmero de Canciones Visibles Recientes Reproducidas',
'On the Air' => 'Emitiendo',
'On-Demand' => 'Bajo-Demanda',
'On-Demand Media' => 'Medios Bajo Demanda',
'On-Demand Streaming' => 'Habilitar Streaming Bajo Demanda',
'Once per %{minutes} Minutes' => 'Una vez por %{minutes} Minutos',
'Once per %{songs} Songs' => 'Una vez por cada %{songs} Canciones',
'Once per Hour' => 'Una vez por Hora',
'Once per Hour (at %{minute})' => 'Una vez por Hora (a los %{minute})',
'Once per x Minutes' => 'Una vez por x Minutos',
'Once per x Songs' => 'Una vez por x Canciones',
'Once these steps are completed, enter the "Access Token" from the application\'s page into the field below.' => 'Una vez completados estos pasos, introduzca de la pgina de la aplicacin el "Token de Acceso" en el campo de abajo.',
'One important note on I/O Wait is that it can indicate a bottleneck or problem but also may be completely meaningless, depending on the workload and general available resources. A constantly high I/O Wait should prompt further investigation with more sophisticated tools.' => 'Una nota importante de E/S de Espera, es que puede indicar un cuello de botella o un problema, pero tambin puede ser completamente insignificante, dependiendo de la carga de trabajo y los recursos disponibles en general. Una E/S de Espera constantemente alta, debera impulsar una investigacin ms profunda con herramientas ms sofisticadas.',
'Only collect aggregate listener statistics' => 'Recolectar solo estadsticas de agregacin del oyente',
'Only loop through playlist once.' => 'Solo recorre la lista de reproduccin una vez.',
'Only play one track at scheduled time.' => 'Solo reproduce una pista a la hora programada.',
'Only Post Once Every...' => 'Publicar Una Vez Cada...',
'Operation' => 'Operacin',
'Optional: HTTP Basic Authentication Password' => 'Opcional: Contrasea de Autenticacin Bsica HTTP',
'Optional: HTTP Basic Authentication Username' => 'Opcional: Nombre de Usuario de Autenticacin Bsica HTTP',
'Optional: Request Timeout (Seconds)' => 'Opcional: Tiempo de Espera de Solicitud (Segundos)',
'Optionally select an ID3v2 metadata field that, if present, will be used to set this field\'s value.' => 'Seleccione opcionalmente un campo de metadatos ID3v2 que, si est presente, se utilizar para establecer el valor de este campo.',
'Optionally specify a short URL-friendly name, such as "my_station_name", that will be used in this station\'s URLs. Leave this field blank to automatically create one based on the station name.' => 'Opcionalmente, especifique un nombre corto amigable de URL, como "mi-nombre-de-estacin", que se utilizar en las URLs de esta estacin. Deje este campo en blanco para crear automticamente uno basado en el nombre de la estacin.',
'Optionally specify an API-friendly name, such as "field_name". Leave this field blank to automatically create one based on the name.' => 'Especifica opcionalmente un nombre amigable con la API, como "nombre_del_campo". Deje este campo en blanco para crear automticamente uno basado en el nombre.',
'Optionally supply an API token to allow IP address overriding.' => 'Opcionalmente suministra un token de API para permitir la anulacin de direccin IP.',
'Optionally supply SSH public keys this user can use to connect instead of a password. Enter one key per line.' => 'Opcionalmente suministra claves pblicas SSH que este usuario puede usar para conectar en lugar de una contrasea. Introduzca una clave por lnea.',
'or' => 'o',
'Original Path' => 'Ruta Original',
'Other Remote URL (File, HLS, etc.)' => 'Otra URL remota (File, HLS, etc.)',
'Owner' => 'Propietario',
'Page' => 'Pgina',
'Passkey Authentication' => 'Autenticacin de clave de acceso',
'Passkey Nickname' => 'Nombre de clave de acceso',
'Password' => 'Contrasea',
'Password:' => 'Contrasea:',
'Paste the generated license key into the field on this page.' => 'Pegue la clave de licencia generada en el campo de esta pgina.',
'Path/Suffix' => 'Ruta/Sufijo',
'Pending Requests' => 'Solicitudes Pendientes',
'Permissions' => 'Permisos',
'Play' => 'Reproducir',
'Play Now' => 'Reproducir Ahora',
'Play once every $x minutes.' => 'Reproducir una vez cada $x minutos.',
'Play once every $x songs.' => 'Reproducir una vez cada $x canciones.',
'Play once per hour at the specified minute.' => 'Reproducir una vez por hora en el minuto especificado.',
'Playback Queue' => 'Cola de Reproduccin',
'Playing Next' => 'Siguiente Reproduccin',
'Playlist' => 'Lista de reproduccin',
'Playlist (M3U/PLS) URL' => 'URL de Reproduccin (M3U/PLS)',
'Playlist 1' => 'Lista de Reproduccin 1',
'Playlist 2' => 'Lista de Reproduccin 2',
'Playlist Name' => 'Nombre de la Lista de Reproduccin',
'Playlist order set.' => 'Orden de la lista de reproduccin.',
'Playlist queue cleared.' => 'Se borr la cola de la lista de reproduccin.',
'Playlist successfully applied to folders.' => 'Lista de reproduccin aplicada con xito a las carpetas.',
'Playlist Type' => 'Tipo de Lista de Reproduccin',
'Playlist Weight' => 'Peso de la Lista de Reproduccin',
'Playlist-Based' => 'Lista de reproduccin: basada en',
'Playlist-Based Podcast' => 'Podcast basado en lista de reproduccin',
'Playlist-based podcasts will automatically sync with the contents of a playlist, creating new podcast episodes for any media added to the playlist.' => 'Los podcasts basados en listas de reproduccin se sincronizarn automticamente con el contenido de una lista de reproduccin, creando nuevos episodios de podcast para cualquier medio agregado a la lista de reproduccin.',
'Playlist:' => 'Lista de Reproduccin:',
'Playlists' => 'Listas de reproduccin',
'Playlists cleared for selected files:' => 'Listas de reproduccin borradas para los archivos seleccionados:',
'Playlists updated for selected files:' => 'Listas de reproduccin actualizadas para los archivos seleccionados:',
'Plays' => 'Reproducciones',
'Please log in to continue.' => 'Por favor, inicia sesin para continuar.',
'Podcast' => 'Podcast',
'Podcast media should be in the MP3 or M4A (AAC) format for the greatest compatibility.' => 'Los archivos de podcast deben estar en formato MP3 o M4A (AAC) para una mayor compatibilidad.',
'Podcast Title' => 'Ttulo del Podcast',
'Podcasts' => 'Podcasts',
'Podcasts Storage Location' => 'Ubicacin del Almacenamiento de Podcasts',
'Port' => 'Puerto',
'Port:' => 'Puerto:',
'Powered by' => 'Impulsado por',
'Powered by AzuraCast' => 'Desarrollado por AzuraCast',
'Prefer Browser URL (If Available)' => 'Preferir URL del Navegador (si est disponible)',
'Prefer System Default' => 'Preferir Sistema Predeterminado',
'Preview' => 'Avance',
'Previous' => 'Anterior',
'Privacy' => 'Privacidad',
'Profile' => 'Perfil',
'Programmatic Name' => 'Nombre Programtico',
'Provide a valid license key from Thimeo. Functionality is limited without a license key.' => 'Proporcione una clave de licencia vlida de Thimeo. La funcionalidad est limitada sin una clave de licencia.',
'Public' => 'Pblico',
'Public Page' => 'Pgina pblica',
'Public Page Background' => 'Fondo de Pgina Pblica',
'Public Pages' => 'Pginas Pblicas',
'Publish At' => 'Publicar en',
'Publish to "Yellow Pages" Directories' => 'Publicar en los Directorios "Pginas Amarillas"',
'Queue' => 'Cola',
'Queue the selected media to play next' => 'Poner en cola los medios seleccionados para reproducir a continuacin',
'Radio Player' => 'Reproductor de Radio',
'Radio.de' => 'Radio.de',
'Radio.de API Key' => 'Clave API Radio.de',
'Radio.de Broadcast Subdomain' => 'Subdominio de Broadcast Radio.de',
'Random' => 'Aleatorio',
'Ready to start broadcasting? Click to start your station.' => 'Listo para empezar a emitir? Haz click para iniciar tu estacin.',
'Received' => 'Recibido',
'Record Live Broadcasts' => 'Grabar Transmisiones en Vivo',
'Recover Account' => 'Recuperar Cuenta',
'Refresh' => 'Refrescar',
'Refresh rows' => 'Actualizar ahora',
'Region' => 'Regin',
'Relay' => 'Rel',
'Relay Stream URL' => 'Url de retransmisin',
'Release Channel' => 'Canal de lanzamiento',
'Reload' => 'Recargar',
'Reload Configuration' => 'Recargar Configuracin',
'Reload to Apply Changes' => 'Reiniciar para Aplicar los Cambios',
'Reloading broadcasting will not disconnect your listeners.' => 'Recargar la emisin no desconectar a tus oyentes.',
'Remember me' => 'Recurdame',
'Remote' => 'Remoto',
'Remote Playback Buffer (Seconds)' => 'Bfer de Reproduccin Remota (segundos)',
'Remote Relays' => 'Repetidoras',
'Remote relays let you work with broadcasting software outside this server. Any relay you include here will be included in your station\'s statistics. You can also broadcast from this server to remote relays.' => 'Los rels remotos le permiten trabajar con software de difusin fuera de este servidor. Cualquier repetidor que incluyas aqu ser incluido en las estadsticas de tu estacin. Tambin puedes emitir desde este servidor a repetidores remotos.',
'Remote Station Administrator Password' => 'Contrasea del Administrador de la Estacin Remota',
'Remote Station Listening Mountpoint/SID' => 'Punto de Montaje/SID de Escucha de la Estacin Remota',
'Remote Station Listening URL' => 'URL de Escucha de la Estacin Remota',
'Remote Station Source Mountpoint/SID' => 'Punto de Montaje/SID de Escucha de la Estacin Remota',
'Remote Station Source Password' => 'Contrasea de Origen de la Estacin Remota',
'Remote Station Source Port' => 'Puerto de Origen de la Estacin Remota',
'Remote Station Source Username' => 'Nombre de Usuario de la Fuente de la Estacin Remota',
'Remote Station Type' => 'Tipo de Estacin Remota',
'Remote URL' => 'URL Remota',
'Remote URL Playlist' => 'Lista de Reproduccin de URL Remota',
'Remote URL Type' => 'Tipo de URL Remota',
'Remote: Dropbox' => 'Remoto: Dropbox',
'Remote: S3 Compatible' => 'Remoto: Compatible con S3',
'Remote: SFTP' => 'Remoto: SFTP',
'Remove' => 'Eliminar',
'Remove Key' => 'Quitar Clave',
'Rename' => 'Renombrar',
'Rename File/Directory' => 'Renombrar Archivo/Directorio',
'Reorder' => 'Reordenar',
'Reorder Playlist' => 'Reordenar Lista de Reproduccin',
'Repeat' => 'Repetir',
'Replace Album Cover Art' => 'Reemplazar Portada de lbum',
'Reports' => 'Informes',
'Reprocess' => 'Reprocesar',
'Request' => 'Solicitar',
'Request a Song' => 'Solicitar una Cancin',
'Request History' => 'Historial de Peticiones',
'Request Last Played Threshold (Minutes)' => 'Tiempo de espera antes de pedir un nuevo ttulo (minutos)',
'Request Minimum Delay (Minutes)' => 'Retraso Mnimo de Solicitud (Minutos)',
'Request Song' => 'Pedir Cancin',
'Requester IP' => 'IP del Solicitante',
'Requests' => 'Solicitudes',
'Required' => 'Requerido',
'Reshuffle' => 'Re-Mezclar',
'Restart' => 'Reiniciar',
'Restart Broadcasting' => 'Reiniciar la transmisin',
'Restarting broadcasting will briefly disconnect your listeners.' => 'Reiniciar la emisin desconectar brevemente a tus oyentes.',
'Restarting broadcasting will rewrite all configuration files and restart all services.' => 'Reiniciar la transmisin reescribir todos los archivos de configuracin y reiniciar todos los servicios.',
'Restoring Backups' => 'Restaurando Copias de Seguridad',
'Reverse Proxy (X-Forwarded-For)' => 'Invertir Proxy (X-Forwarded-for)',
'Role Name' => 'Nombre de Funcin',
'Roles' => 'Funciones',
'Roles & Permissions' => 'Funciones y permisos',
'Rolling Release' => 'Versin Consecutiva',
'RSS' => 'RSS',
'RSS Feed' => 'RSS Feed',
'Run Automatic Nightly Backups' => 'Ejecutar copias de seguridad automticas nocturnas',
'Run Manual Backup' => 'Ejecutar copia de seguridad manualmente',
'Run Task' => 'Ejecutar Tarea',
'Running' => 'En Ejecucin',
'Sample Rate' => 'Frecuencia de Muestreo',
'Saturday' => 'Sbado',
'Save' => 'Vincular',
'Save and Continue' => 'Guardar y Continuar',
'Save Changes' => 'Guardar los Cambios',
'Save Changes first' => 'Guarde Primeramente los Cambios',
'Schedule' => 'Programar',
'Schedule View' => 'Vista de Programacin Agendada',
'Scheduled' => 'Agendado',
'Scheduled Backup Time' => 'Horario de Respaldo Programado',
'Scheduled Play Days of Week' => 'Programar Das de la Semana para Reproduccin',
'Scheduled playlists and other timed items will be controlled by this time zone.' => 'Las listas de reproduccin y otros elementos cronometrados estarn controlados por esta zona horaria.',
'Scheduled Time #%{num}' => 'Tiempo programado #%{num}',
'Scheduling' => 'Planificacin',
'Search' => 'Bsqueda',
'Seconds from the start of the song that the AutoDJ should start playing.' => 'Segundos desde el inicio de la cancin en el que el AutoDJ debera empezar a reproducir.',
'Seconds from the start of the song that the AutoDJ should stop playing.' => 'Segundos desde el inicio de la cancin que el AutoDJ debera de dejar de reproducir.',
'Secret Key' => 'Key Secreta',
'Security' => 'Seguridad',
'Security & Privacy' => 'Seguridad y Privacidad',
'See the Telegram documentation for more details.' => 'Consulte la documentacin de Telegram para ms detalles.',
'See the Telegram Documentation for more details.' => 'Consulte la documentacin de Telegram para ms detalles.',
'Seek' => 'Buscar',
'Segment Length (Seconds)' => 'Longitud del Segmento (Segundos)',
'Segments in Playlist' => 'Segmentos en la Lista de Reproduccin',
'Segments Overhead' => 'Segmentos por Encima',
'Select' => 'Seleccionar',
'Select a theme to use as a base for station public pages and the login page.' => 'Seleccione un tema para usar como base para las pginas pblicas de la estacin y la pgina de inicio de sesin.',
'Select All Rows' => 'Seleccionar Todas las Filas',
'Select an option here to apply post-processing using an easy preset or tool. You can also manually apply post-processing by editing your Liquidsoap configuration manually.' => 'Seleccione una opcin aqu para aplicar el post-procesamiento utilizando una sencilla configuracin preestablecida. Tambin puede aplicar manualmente el post-procesamiento editando su configuracin de Liquidsoap manualmente.',
'Select Configuration File' => 'Seleccionar un Archivo de Configuracin',
'Select CSV File' => 'Seleccione el Archivo CSV',
'Select Custom Fallback File' => 'Seleccionar Archivo Personalizado Alternativo',
'Select File' => 'Seleccionar Archivo',
'Select Intro File' => 'Seleccionar Archivo de Intro',
'Select Media File' => 'Seleccionar Archivo Multimedia',
'Select Passkey' => 'Seleccionar clave de acceso',
'Select Playlist' => 'Seleccionar lista de reproduccin',
'Select PLS/M3U File to Import' => 'Seleccione el archivo PLS/M3U para importar',
'Select PNG/JPG artwork file' => 'Seleccionar archivo de portada PNG/JPG',
'Select Row' => 'Seleccionar Fila',
'Select the category/categories that best reflects the content of your podcast.' => 'Seleccione la categora/categoras que mejor reflejen el contenido de su podcast.',
'Select the countries that are not allowed to connect to the streams.' => 'Seleccione los pases que no estn autorizados a conectarse a los streams.',
'Select Web Hook Type' => 'Seleccionar el Tipo de Web Hook',
'Send an e-mail to specified address(es).' => 'Enviar un correo electrnico a la(s) direccin(es) especificada(s).',
'Send E-mail' => 'Enviar Email',
'Send song metadata changes to %{service}' => 'Enviar cambios de metadatos de canciones a %{service}',
'Send song metadata changes to %{service}.' => 'Enviar cambios de metadatos de canciones a %{service}.',
'Send stream listener details to Google Analytics.' => 'Enviar detalles del oyente a Google Analytics.',
'Send stream listener details to Matomo Analytics.' => 'Enviar detalles del oyente del stream a Matomo Analytics.',
'Send Test Message' => 'Enviar Mensaje de Prueba',
'Sender E-mail Address' => 'Correo Electrnico del Remitente',
'Sender Name' => 'Nombre del Remitente',
'Sequential' => 'Secuencial',
'Server Status' => 'Estado del Servidor',
'Server:' => 'Servidor:',
'Services' => 'Servicios',
'Set a maximum disk space that this storage location can use. Specify the size with unit, i.e. "8 GB". Units are measured in 1024 bytes. Leave blank to default to the available space on the disk.' => 'Establezca un espacio mximo en disco que puede ser usada en esta ubicacin de almacenamiento. Especifique el tamao de la unidad en GB, por ejemplo, "8 GB". Las unidades se miden en 1024 bytes. Djelo en blanco y por defecto se establecer el espacio disponible en el disco.',
'Set as Default Mount Point' => 'Establecer como Punto de Montaje Predeterminado',
'Set cue and fade points using the visual editor. The timestamps will be saved to the corresponding fields in the advanced playback settings.' => 'Establece los puntos de inicio y desvanecimiento usando el editor visual. Las marcas de tiempo se guardarn en los campos correspondientes en los ajustes de reproduccin avanzados.',
'Set Cue In' => 'Definir Cue In',
'Set Cue Out' => 'Ajustar Cue Out',
'Set Fade In' => 'Establecer Fade In',
'Set Fade Out' => 'Establecer Fade Out',
'Set longer to preserve more playback history and listener metadata for stations. Set shorter to save disk space.' => 'Ajuste ms tiempo para conservar ms historial de reproduccin y metadatos del oyente para las estaciones. Ajuste ms corto para ahorrar espacio en disco.',
'Set the length of time (seconds) a listener will stay connected to the stream. If set to 0, listeners can stay connected infinitely.' => 'Establece el tiempo (en segundos) que un oyente permanecer conectado al stream. Si se establece en 0, los oyentes permanecern conectados indefinidamente.',
'Set to * to allow all sources, or specify a list of origins separated by a comma (,).' => 'Establecer a * para permitir todas las fuentes, o especificar una lista de orgenes separados por una coma (,).',
'Settings' => 'Ajustes',
'Setup instructions for broadcasting software are available on the AzuraCast wiki.' => 'Las instrucciones de configuracin para el software de transmisin estn disponibles en la wiki de AzuraCast.',
'SFTP Host' => 'Servidor SFTP',
'SFTP Password' => 'Contrasea SFTP',
'SFTP Port' => 'Puerto SFTP',
'SFTP Private Key' => 'Clave Privada SFTP',
'SFTP Private Key Pass Phrase' => 'Frase de Clave Privada SFTP',
'SFTP Username' => 'Usuario SFTP',
'SFTP Users' => 'Usuarios SFTP',
'Share Media Storage Location' => 'Compartir Ubicacin de Almacenamiento de Medios',
'Share Podcasts Storage Location' => 'Compartir Ubicacin de Almacenamiento de Podcasts',
'Share Recordings Storage Location' => 'Compartir Ubicacin de Almacenamiento de Grabaciones',
'Shoutcast 2 DNAS is not currently installed on this installation.' => 'El DNAS de Shoutcast 2 no est instalado actualmente en esta instalacin.',
'Shoutcast 2 DNAS is not free software, and its restrictive license does not allow AzuraCast to distribute the Shoutcast binary.' => 'El DNAS de Shoutcast 2 no es software gratuito y su licencia restrictiva no permite que AzuraCast distribuya el binario de Shoutcast.',
'Shoutcast Clients' => 'Clientes Shoutcast',
'Shoutcast Radio Manager' => 'Adminstrador de Radio Shoutcast',
'Shoutcast User ID' => 'ID de Usuario Shoutcast',
'Shoutcast version "%{ version }" is currently installed.' => 'Versin de Shoutcast "%{ version }" instalada actualmente.',
'Show Charts' => 'Mostrar Grficas',
'Show Credentials' => 'Mostrar Credenciales',
'Show HLS Stream on Public Player' => 'Mostrar el Stream HLS en el Reproductor Pblico',
'Show new releases within your update channel on the AzuraCast homepage.' => 'Mostrar nuevas versiones dentro de su canal de actualizaciones en la pgina de inicio de AzuraCast.',
'Show on Public Pages' => 'Mostrar en Pginas Pblicas',
'Show the station in public pages and general API results.' => 'Mostrar la estacin en pginas pblicas y resultados generales de la API.',
'Show Update Announcements' => 'Mostrar Anuncios de Actualizaciones',
'Shuffled' => 'Mezclado',
'Sidebar' => 'Barra Lateral',
'Sign In' => 'Iniciar sesin',
'Sign In with Passkey' => 'Iniciar sesin con clave de acceso',
'Sign Out' => 'Cerrar sesin',
'Site Base URL' => 'URL Base del sitio',
'Size' => 'Tamao',
'Skip Song' => 'Saltar Cancin',
'Skip to main content' => 'Ir al Contenido Principal',
'Smart Mode' => 'Modo Inteligente',
'SMTP Host' => 'Servidor SMTP',
'SMTP Password' => 'Contrasea SMTP',
'SMTP Port' => 'Puerto SMTP',
'SMTP Username' => 'Usuario SMTP',
'Social Media' => 'Redes Sociales',
'Some stream licensing providers may have specific rules regarding song requests. Check your local regulations for more information.' => 'Algunos proveedores de licencias de streaming pueden tener reglas especficas con respecto a las solicitudes de canciones. Revisa tus regulaciones locales para ms informacin.',
'Song' => 'Cancin',
'Song Album' => 'lbum de Cancin',
'Song Artist' => 'Artista',
'Song Change' => 'Cambio de Cancin',
'Song Change (Live Only)' => 'Cambio de Cancin (Slo en Directo)',
'Song Genre' => 'Gnero de Cancin',
'Song History' => 'Historial de Canciones',
'Song Length' => 'Longitud de la Cancin',
'Song Lyrics' => 'Letras de la Cancin',
'Song Playback Order' => 'Orden de Reproduccin de Cancin',
'Song Playback Timeline' => 'Historial de reproduccin de canciones',
'Song Requests' => 'Pedidos de Canciones',
'Song Title' => 'Ttulo de la cancin',
'Song-based' => 'Basado en Canciones',
'Song-Based' => 'Basado en Canciones',
'Song-Based Playlist' => 'Lista Basada en Canciones',
'SoundExchange Report' => 'Informe de SoundExchange',
'SoundExchange Royalties' => 'Regalas de SoundExchange',
'Source' => 'Fuente',
'Space Used' => 'Espacio Utilizado',
'Specify a mountpoint (i.e. "/radio.mp3") or a Shoutcast SID (i.e. "2") to specify a specific stream to use for statistics or broadcasting.' => 'Especifique un punto de montaje (por ejemplo, "/radio.mp3") o un SID de Shoutcast (por ejemplo, "2") para especificar un stream especfico para las estadsticas o la difusin.',
'Specify the minute of every hour that this playlist should play.' => 'Especifique el minuto de cada hora en que esta lista de reproduccin debera reproducirse.',
'Speech General' => 'Discurso General',
'SSH Public Keys' => 'Claves Pblicas SSSH',
'Stable' => 'Estable',
'Standard playlist, shuffles with other standard playlists based on weight.' => 'Lista de reproduccin estndar, se mezclar con otras listas de reproduccin estndar basadas en su peso.',
'Start' => 'Iniciar',
'Start Date' => 'Fecha de Inicio',
'Start Station' => 'Iniciar Estacin',
'Start Streaming' => 'Iniciar Transmisin',
'Start Time' => 'Hora de Inicio',
'Station Directories' => 'Directorios de Estaciones',
'Station Disabled' => 'Estacin desactivada',
'Station Goes Offline' => 'Estacin Apagada',
'Station Goes Online' => 'Estacin en Lnea',
'Station Media' => 'Medios de la Estacin',
'Station Name' => 'Nombre de la Estacin',
'Station Offline' => 'Estacin Apagada',
'Station Offline Display Text' => 'Texto de Visualizacin de Estacin sin Conexin',
'Station Overview' => 'Vista de su(s) Estacin(es)',
'Station Permissions' => 'Permisos de Estacin',
'Station Podcasts' => 'Podcasts de la Estacin',
'Station Recordings' => 'Grabaciones de la Radio',
'Station Statistics' => 'Estadsticas de la Estacin',
'Station Time' => 'Hora de la Estacin',
'Station Time Zone' => 'Zona Horaria de la Estacin',
'Station-Specific Debugging' => 'Depuracin Especfica de cada Estacin',
'Station(s)' => 'Estacin(es)',
'Stations' => 'Estaciones',
'Stations using Icecast can soft-reload the station configuration, applying changes while keeping the stream broadcast running.' => 'Las estaciones que usan Icecast pueden recargar la configuracin de la estacin, aplicando cambios mientras mantiene la transmisin en vivo.',
'Steal' => 'Robado',
'Steal (St)' => 'Robado (St)',
'Step %{step}' => 'Paso %{step}',
'Step 1: Scan QR Code' => 'Paso 1: Escanea el Cdigo QR',
'Step 2: Verify Generated Code' => 'Paso 2: Verificar Cdigo Generado',
'Steps for configuring a Mastodon application:' => 'Pasos para configurar una aplicacin Mastodon:',
'Stereo Tool' => 'Stereo Tool',
'Stereo Tool documentation.' => 'Documentacin de Stereo Tool.',
'Stereo Tool Downloads' => 'Descargas de Stereo Tool',
'Stereo Tool is a popular, proprietary tool for software audio processing. Using Stereo Tool, you can customize the sound of your stations using preset configuration files.' => 'Stereo Tool es una herramienta popular y autnoma para el procesamiento de audio por software. Usando Stereo Tool, usted puede personalizar el sonido de sus estaciones usando archivos de configuracin predefinidos.',
'Stereo Tool is an industry standard for software audio processing. For more information on how to configure it, please refer to the' => 'Stereo Tool es un estndar de la industria para el procesamiento de audio por software. Para ms informacin sobre cmo configurarlo, por favor consulte el',
'Stereo Tool is not currently installed on this installation.' => 'Stereo Tool no est instalado actualmente en esta instalacin.',
'Stereo Tool is not free software, and its restrictive license does not allow AzuraCast to distribute the Stereo Tool binary.' => 'Stereo Tool no es software gratuito y su licencia restrictiva no permite que AzuraCast distribuya el binario Stereo Tool.',
'Stereo Tool version %{ version } is currently installed.' => 'Versin %{ version } de Stereo Tool instalada actualmente.',
'Stop' => 'Detener',
'Stop Streaming' => 'Detener Transmisin',
'Storage Adapter' => 'Adaptador de Almacenamiento',
'Storage Location' => 'Ubicacin de Almacenamiento',
'Storage Locations' => 'Ubicaciones de Almacenamiento',
'Storage Quota' => 'Cuota de Almacenamiento',
'Stream' => 'Stream (Emisin)',
'Streamer Broadcasts' => 'Transmisiones de Streamer',
'Streamer Display Name' => 'Nombre para Mostrar del Sreamer',
'Streamer password' => 'Contrasea del Streamer',
'Streamer Username' => 'El Nombre de Usuario del Streamer',
'Streamer/DJ' => 'Streamer/DJ',
'Streamer/DJ Accounts' => 'Cuentas de Streamer/DJ',
'Streamers/DJs' => 'Streamers/DJs',
'Streams' => 'Emisines',
'Submit Code' => 'Enviar Cdigo',
'Sunday' => 'Domingo',
'Support Documents' => 'Documentos de Soporte',
'Supported file formats:' => 'Formatos de archivo soportados:',
'Switch Theme' => 'Cambiar Tema',
'Synchronization Tasks' => 'Tareas de Sincronizacin',
'Synchronize with Playlist' => 'Sincronizar con la lista de reproduccin',
'System Administration' => 'Administracin del sistema',
'System Debugger' => 'Depurador del Sistema',
'System Logs' => 'Registros del Sistema',
'System Maintenance' => 'Mantenimiento del Sistema',
'System Settings' => 'Configuraciones',
'Target' => 'Objetivo',
'Task Name' => 'Nombre de la Tarea',
'Telegram Chat Message' => 'Mensaje de Chat de Telegram',
'Test' => 'Probar',
'Test message sent.' => 'Mensaje de prueba enviado.',
'Thanks for listening to %{ station }!' => 'Gracias por escuchar a %{ station }!',
'The amount of memory Linux is using for disk caching.' => 'La cantidad de memoria que Linux est usando para la cach de disco.',
'The average target loudness (measured in LUFS) for the broadcasted stream. Values between -14 and -18 LUFS are common for Internet radio stations.' => 'El volumen objetivo promedio (medido en LUFS) para la transmisin emitida. Los valores entre -14 y -18 LUFS son comunes para las estaciones de radio por Internet.',
'The base URL where this service is located. Use either the external IP address or fully-qualified domain name (if one exists) pointing to this server.' => 'La URL principal a travs de la cual el servicio est disponible. Use la direccin IP o el nombre de host del servidor (si est disponible).',
'The body of the POST message is the exact same as the NowPlaying API response for your station.' => 'El cuerpo del mensaje POST es exactamente el mismo que la respuesta API de puesta en marcha para su estacin.',
'The contact person of the podcast. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => 'La persona de contacto del podcast. Puede ser necesario para listar el podcast en servicios como Apple Podcasts, Spotify, Google Podcasts, etc.',
'The current CPU usage including I/O Wait and Steal.' => 'El uso actual de la CPU, incluyendo E/S Espera y Robado.',
'The current Memory usage excluding cached memory.' => 'Uso actual de la memoria excluyendo la memoria cach.',
'The description of the episode. The typical maximum amount of text allowed for this is 4000 characters.' => 'La descripcin del episodio. La cantidad mxima tpica de texto permitida para esto es de 4000 caracteres.',
'The description of your podcast. The typical maximum amount of text allowed for this is 4000 characters.' => 'La descripcin de tu podcast. La cantidad mxima tpica de texto permitida para esto es de 4000 caracteres.',
'The display name assigned to this mount point when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Nombre asignado a este punto de montaje al verlo en pginas administrativas o pblicas. Dejar en blanco para generar automticamente uno.',
'The display name assigned to this relay when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Nombre asignado a este rel al verlo en pginas administrativas o pblicas. Dejar en blanco para generar automticamente uno.',
'The editable text boxes are areas where you can insert custom configuration code. The non-editable sections are automatically generated by AzuraCast.' => 'Los cuadros de texto editables son reas donde puede insertar cdigo de configuracin personalizado. Las secciones no editables son generadas automticamente por AzuraCast.',
'The email of the podcast contact. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => 'El correo electrnico del contacto de podcast. Puede ser necesario para listar el podcast en servicios como Apple Podcasts, Spotify, Google Podcasts, etc.',
'The file name should look like:' => 'El nombre del archivo debera verse as:',
'The format and headers of this CSV should match the format generated by the export function on this page.' => 'El formato y las cabeceras de este CSV deben coincidir con el formato generado por la funcin de exportacin en esta pgina.',
'The full base URL of your Matomo installation.' => 'La URL base completa de su instalacin de Matomo.',
'The full playlist is shuffled and then played through in the shuffled order.' => 'La lista completa es mezclada y luego se reproduce en orden aleatorio.',
'The I/O Wait is the percentage of time that the CPU is waiting for disk access before it can continue the work that depends on the result of this.' => 'La Espera de E/S es el porcentaje de tiempo que la CPU est esperando para poder continuar con el trabajo que depende del resultado.',
'The language spoken on the podcast.' => 'El idioma hablado en el podcast.',
'The length of playback time that Liquidsoap should buffer when playing this remote playlist. Shorter times may lead to intermittent playback on unstable connections.' => 'El tiempo de reproduccin que Liquidsoap debera almacenar en el bfer al reproducir esta lista de reproduccin remota. Tiempos ms cortos pueden provocar una reproduccin intermitente en conexiones inestables.',
'The number of seconds of signal to store in case of interruption. Set to the lowest value that your DJs can use without stream interruptions.' => 'Nmero de segundos para almacenar la seal en caso de interrupcin. Establezca el valor ms bajo que sus DJs pueden usar sin interrupcin de flujos.',
'The number of seconds to wait for a response from the remote server before cancelling the request.' => 'Nmero de segundos para esperar una respuesta del servidor remoto antes de cancelar la solicitud.',
'The numeric site ID for this site.' => 'El ID numrico del sitio para este sitio.',
'The order of the playlist is manually specified and followed by the AutoDJ.' => 'El orden de la lista de reproduccin es especificado manualmente y seguido por el AutoDJ.',
'The parent directory where station playlist and configuration files are stored. Leave blank to use default directory.' => 'El directorio principal donde se almacenan los archivos de configuracin y la lista de reproduccin de la estacin. Djelo en blanco para usar el directorio predeterminado.',
'The relative path of the file in the station\'s media directory.' => 'La ruta relativa del archivo en el directorio de medios de la estacin.',
'The station ID will be a numeric string that starts with the letter S.' => 'El ID de la estacin ser una cadena numrica que comienza con la letra S.',
'The streamer will use this password to connect to the radio server.' => 'El streamer utilizar esta contrasea para conectarse al servidor de radio.',
'The streamer will use this username to connect to the radio server.' => 'El streamer usar este nombre para conectarse al servidor del radio.',
'The time period that the song should fade in. Leave blank to use the system default.' => 'El perodo de tiempo en el que la cancin hace el fade in. Deje en blanco para usar la opcin predeterminada del sistema.',
'The time period that the song should fade out. Leave blank to use the system default.' => 'El perodo de tiempo en el que la cancin hace el fade out. Deje en blanco para usar la opcin predeterminada del sistema.',
'The URL that will receive the POST messages any time an event is triggered.' => 'La URL que recibir los mensajes POST en cualquier momento en que se active un evento.',
'The volume in decibels to amplify the track with. Leave blank to use the system default.' => 'El volumen en decibelios para amplificar la pista. Dejar en blanco para usar el valor predeterminado del sistema.',
'The WebDJ lets you broadcast live to your station using just your web browser.' => 'El WebDJ le permite emitir en directo a su emisora utilizando slo su navegador web.',
'Theme' => 'Tema',
'There is no existing custom fallback file associated with this station.' => 'No existe ningn archivo de respaldo personalizado asociado con esta estacin.',
'There is no existing intro file associated with this mount point.' => 'No hay ningn archivo de introduccin asociado a este punto de montaje.',
'There is no existing media associated with this episode.' => 'No hay medios existentes asociados con este episodio.',
'There is no Stereo Tool configuration file present.' => 'No hay archivo de configuracin de Stereo Tool presente.',
'This account will have full access to the system, and you\'ll automatically be logged in to it for the rest of setup.' => 'Esta cuenta tendr acceso completo al sistema, y automticamente se conectar al sistema para el resto de la configuracin.',
'This can be generated in the "Events" section for a measurement.' => 'Esto se puede generar en la seccin "Eventos" para una medicin.',
'This can be retrieved from the GetMeRadio dashboard.' => 'Esto se puede recuperar desde el panel de control de GetMeRadio.',
'This can make it look like your memory is low while it actually is not. Some monitoring solutions/panels include cached memory in their used memory statistics without indicating this.' => 'Esto puede hacer que parezca que la memoria es baja mientras que en realidad no lo es. Algunas soluciones/paneles de monitoreo incluyen memoria cach en sus estadsticas de memoria usada sin indicar esto.',
'This code will be included in the frontend configuration. Allowed formats are:' => 'Este cdigo se incluir en la configuracin del front-end. Los formatos permitidos son:',
'This configuration file should be a valid .sts file exported from Stereo Tool.' => 'Este archivo de configuracin, debe ser un archivo .sts vlido exportado desde Stereo Tool.',
'This CSS will be applied to the main management pages, like this one.' => 'Este CSS se aplicar a las pginas principales de administracin como esta.',
'This CSS will be applied to the station public pages and login page.' => 'Este CSS se aplicar a las pginas pblicas de la estacin y a la pgina de inicio de sesin.',
'This CSS will be applied to the station public pages.' => 'Este CSS se aplicar a las pginas pblicas de la estacin.',
'This determines how many songs in advance the AutoDJ will automatically fill the queue.' => 'Esto determina de antemano, cuntas canciones el AutoDJ incluir automticamente en la cola.',
'This feature requires the AutoDJ feature to be enabled.' => 'Esta funcin requiere que la funcin AutoDJ est habilitada.',
'This field is required.' => 'Este campo es requerido.',
'This field must be a valid decimal number.' => 'Este campo debe ser un nmero decimal vlido.',
'This field must be a valid e-mail address.' => 'Este campo debe ser una direccin de correo electrnico vlida.',
'This field must be a valid integer.' => 'Este campo debe ser un nmero entero vlido.',
'This field must be a valid IP address.' => 'Este campo debe ser una direccin IP vlida.',
'This field must be a valid URL.' => 'Este campo debe ser una URL vlida.',
'This field must be between %{ min } and %{ max }.' => 'Este campo debe estar entre %{ min } y %{ max }.',
'This field must have at least %{ min } letters.' => 'Este campo debe tener al menos %{ min } letras.',
'This field must have at most %{ max } letters.' => 'Este campo debe tener como mximo %{ max } letras.',
'This field must only contain alphabetic characters.' => 'Este campo slo debe contener caracteres alfabticos.',
'This field must only contain alphanumeric characters.' => 'Este campo solo debe contener caracteres alfanumricos.',
'This field must only contain numeric characters.' => 'Este campo solo debe contener caracteres numricos.',
'This file will be played on your radio station any time no media is scheduled to play or a critical error occurs that interrupts regular broadcasting.' => 'Este archivo se reproducir en su emisora de radio en cualquier momento en que no se programe ningn medio o se produzca un error crtico que interrumpa la transmisin regular.',
'This image will be used as the default album art when this streamer is live.' => 'Esta imagen ser usada en el lbum por defecto cuando el streamer est en directo. ',
'This introduction file should exactly match the bitrate and format of the mount point itself.' => 'Este archivo de introduccin debera coincidir exactamente con el bitrate y el formato del punto de montaje en s.',
'This is a 3-5 digit number.' => 'Este es un nmero de 3-5 dgitos.',
'This is an advanced feature and custom code is not officially supported by AzuraCast. You may break your station by adding custom code, but removing it should fix any issues.' => 'Esta es una caracterstica avanzada y el cdigo personalizado no est soportado oficialmente por AzuraCast. Puede romper su estacin aadiendo cdigo personalizado, pero eliminarlo debera arreglar cualquier problema.',
'This is the informal display name that will be shown in API responses if the streamer/DJ is live.' => 'Este es el nombre informal de la pantalla que se mostrar en las respuestas de la API si el streamer/DJ est en vivo.',
'This is the number of seconds until a streamer who has been manually disconnected can reconnect to the stream. Set to 0 to allow the streamer to immediately reconnect.' => 'Este es el nmero de segundos hasta que un streamer que ha sido desconectado manualmente pueda reconectarse al stream. Establecer en 0 para permitir que el streamer vuelva a conectar inmediatamente.',
'This javascript code will be applied to the station public pages and login page.' => 'Este cdigo Javascript se aplicar a las pginas pblicas de la estacin y a la pgina de inicio de sesin.',
'This javascript code will be applied to the station public pages.' => 'Este cdigo javascript se aplicar a las pginas pblicas de la estacin.',
'This mode disables AzuraCast\'s AutoDJ management, using Liquidsoap itself to manage song playback. "next song" and some other features will not be available.' => 'Este modo desactiva la gestin AutoDJ de AzuraCast, utilizando el propio Liquidsoap para gestionar la reproduccin de canciones. "Siguiente Tema" y algunas otras funciones no estarn disponibles.',
'This Month' => 'Este Mes',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => 'Este nombre debe comenzar siempre con una barra diagonal (/) y debe ser una direccin URL vlida, como /autodj.mp3',
'This name will appear as a sub-header next to the AzuraCast logo, to help identify this server.' => 'Este nombre aparecer como un sub encabezado junto al logotipo de AzuraCast, para ayudar a identificar este servidor.',
'This page lists all API keys assigned to all users across the system. To manage your own API keys, visit your account profile.' => 'Esta pgina enlista todas las claves API asignadas a todos los usuarios de todo el sistema. Para administrar sus propias claves API, visite su perfil de cuenta.',
'This password is too common or insecure.' => 'Esta contrasea es demasiado comn o insegura.',
'This playlist currently has no scheduled times. It will play at all times. To add a new scheduled time, click the button below.' => 'Esta lista de reproduccin no tiene horarios programados. Se reproducir en todo momento. Para agregar una nueva hora programada, haga clic en el botn de abajo.',
'This playlist will play every $x minutes, where $x is specified here.' => 'Esta lista de reproduccin se reproducir cada $x minutos, $x se especifica aqu.',
'This playlist will play every $x songs, where $x is specified here.' => 'Esta lista de reproduccin se reproducir cada $x canciones, $x se especifica aqu.',
'This podcast is automatically synchronized with a playlist. Episodes cannot be manually added or removed via this panel.' => 'Este podcast se sincroniza automticamente con una lista de reproduccin. Los episodios no se pueden agregar ni eliminar manualmente a travs de este panel.',
'This port is not used by any external process. Only modify this port if the assigned port is in use. Leave blank to automatically assign a port.' => 'Este puerto no es utilizado por ningn proceso externo. Slo modifica este puerto si el puerto asignado est en uso. Dejar en blanco para asignar automticamente un puerto.',
'This queue contains the remaining tracks in the order they will be queued by the AzuraCast AutoDJ (if the tracks are eligible to be played).' => 'Esta cola contiene las pistas restantes en el orden en que AzuraCast AutoDJ las pondr en cola (si las pistas son elegibles para reproducirse).',
'This service can provide album art for tracks where none is available locally.' => 'Este servicio puede proporcionar caratulas de lbumes para canciones donde ninguna est disponible localmente.',
'This software is traditionally used to deliver your broadcast to your listeners. You can still broadcast remotely or via HLS if this service is disabled.' => 'Este software se utiliza tradicionalmente para entregar su emisin a sus oyentes. Puede emitir de forma remota o a travs de HLS si este servicio est deshabilitado.',
'This software shuffles from playlists of music constantly and plays when no other radio source is available.' => 'Este software cambia constantemente las listas de reproduccin de msica y se reproduce cuando no hay otra fuente de radio disponible.',
'This specifies the minimum time (in minutes) between a song playing on the radio and being available to request again. Set to 0 for no threshold.' => 'Esto especifica el tiempo mnimo (en minutos) entre una cancin que se reproduce en la radio y que vuelve a estar disponible para solicitarse de nuevo. Establecer en 0 para ningn umbral.',
'This specifies the time range (in minutes) of the song history that the duplicate song prevention algorithm should take into account.' => 'Esto especifica el intervalo de tiempo (en minutos) del historial de canciones, que el algoritmo de prevencin de canciones duplicadas debe tener en cuenta.',
'This station\'s time zone is currently %{tz}.' => 'La zona horaria de esta estacin es actualmente %{tz}.',
'This streamer is not scheduled to play at any times.' => 'Este streamer no est programado para reproducir en ningn momento.',
'This URL is provided within the Discord application.' => 'Esta URL se proporciona dentro de la aplicacin Discord.',
'This web hook is no longer supported. Removing it is recommended.' => 'Este web hook ya no es compatible. Se recomienda eliminarlo.',
'This web hook will only run when the selected event(s) occur on this specific station.' => 'Este Web Hooks slo se ejecutar cuando el evento(s) seleccionado ocurra en esta estacin especfica.',
'This will be shown on public player pages if the station is offline. Leave blank to default to a localized version of "%{message}".' => 'Esto se mostrar en las pginas pblicas del reproductor si la estacin est fuera de lnea. Deje en blanco por defecto a una versin localizada de "%{message}".',
'This will be used as the label when editing individual songs, and will show in API results.' => 'Esto se utilizar como la etiqueta al editar canciones individuales, y se mostrar en los resultados de la API.',
'This will clear any pending unprocessed messages in all message queues.' => 'Esto borrar cualquier mensaje pendiente no procesado en todas las colas de mensajes.',
'This will produce a significantly smaller backup, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => 'Esto producir una copia de seguridad mucho ms pequea, pero debera asegurarse de hacer una copia de seguridad de sus medios en otros lugares. Tenga en cuenta que slo los medios almacenados localmente sern respaldados.',
'Thumbnail Image URL' => 'URL de la Imagen en Miniatura',
'Thursday' => 'Jueves',
'Time' => 'Fecha',
'Time (sec)' => 'Tiempo (seg)',
'Time Display' => 'Tiempo',
'Time spent waiting for disk I/O to be completed.' => 'Tiempo dedicado a esperar a que se completen las E/S del disco.',
'Time stolen by other virtual machines on the same physical server.' => 'Tiempo robado por otras mquinas virtuales en el mismo servidor fsico.',
'Time Zone' => 'Zona Horaria',
'Title' => 'Ttulo',
'To alleviate this potential problem with shared CPU resources, hosts assign "credits" to a VPS which are used up according to an algorithm based on the CPU load as well as the time over which the CPU load is generated. If your VM\'s assigned credit is used up, they will take CPU time from your VM and assign it to other VMs on the machine. This is seen as the "Steal" or "St" value.' => 'Para aliviar este problema potencial con los recursos de CPU compartidos, los hosts asignan "crditos" a un VPS que se agotan de acuerdo con un algoritmo basado en la carga de CPU asi como sobre el tiempo durante el cual se gener la carga de CPU. Si el crdito asignado de su Maquina Virtual se agota, tomar tiempo de CPU de su MV y lo asignar a otras MVs en la mquina. Esto se muestra como el valor "Robar" o "St".',
'To customize installation settings, or if automatic updates are disabled, you can follow our standard update instructions to update via your SSH console.' => 'Para personalizar los ajustes de instalacin, o si las actualizaciones automticas estn deshabilitadas, puede seguir nuestras instrucciones de actualizacin estndar para actualizar a travs de su consola SSH.',
'To download the GeoLite database:' => 'Para descargar la base de datos de GeoLite:',
'To play once per day, set the start and end times to the same value.' => 'Para reproducirse una vez al da, ajuste la hora de inicio y final al mismo valor.',
'To restore a backup from your host computer, run:' => 'Para restaurar una copia de seguridad desde su equipo anfitrin, ejecute:',
'To retrieve detailed unique listeners and client details, an administrator password is often required.' => 'Para recuperar los detalles de los oyentes nicos y detallados del cliente, a menudo se requiere una contrasea de administrador.',
'To set this schedule to run only within a certain date range, specify a start and end date.' => 'Especifique una fecha de inicio y otra de finalizacin para que este programa se ejecute slo dentro de un determinado rango de fechas.',
'To use this feature, a secure (HTTPS) connection is required. Firefox is recommended to avoid static when broadcasting.' => 'Para utilizar esta funcin, se requiere una conexin segura (HTTPS). Se recomienda Firefox para evitar esttica al retransmitir.',
'To verify that the code was set up correctly, enter the 6-digit code the app shows you.' => 'Para verificar que el cdigo se ha configurado correctamente, introduce el cdigo de 6 dgitos que la aplicacin te muestra.',
'Today' => 'Hoy',
'Toggle Menu' => 'Alternar Men',
'Toggle Sidebar' => 'Cambiar Barra Lateral',
'Top Browsers by Connected Time' => 'Mejores Navegadores por Tiempo Conectado',
'Top Browsers by Listeners' => 'Mejores Navegadores por Oyentes',
'Top Countries by Connected Time' => 'Mejores Pases Conectados por Tiempo',
'Top Countries by Listeners' => 'Mejores Pases por Oyentes',
'Top Streams by Connected Time' => 'Mejores Streams por Tiempo Conectado',
'Top Streams by Listeners' => 'Mejores Streams por Oyentes',
'Total Disk Space' => 'Espacio Total del Disco',
'Total Listener Hours' => 'Horas Totales de Oyentes',
'Total RAM' => 'RAM Total',
'Transmitted' => 'Transmitido',
'Triggers' => 'Disparadores',
'Tuesday' => 'Martes',
'TuneIn AIR' => 'TuneIn AIR',
'TuneIn Partner ID' => 'ID de Socio de TuneIn',
'TuneIn Partner Key' => 'Key de Socio de TuneIn',
'TuneIn Station ID' => 'ID de la Estacin TuneIn',
'Two-Factor Authentication' => 'Autenticacin en Dos Pasos',
'Two-factor authentication improves the security of your account by requiring a second one-time access code in addition to your password when you log in.' => 'La autenticacin de dos factores mejora la seguridad de su cuenta al requerir un segundo cdigo de acceso de una sola vez, adicional a su contrasea al iniciar sesin.',
'Typically a website with content about the episode.' => 'Normalmente un sitio web con contenido sobre el episodio.',
'Typically the home page of a podcast.' => 'Normalmente la pgina principal de un podcast.',
'Unable to update.' => 'No se puede actualizar.',
'Unassigned Files' => 'Archivos No Asignados',
'Uninstall' => 'Desinstalar',
'Unique' => 'nicos',
'Unique identifier for the target chat or username of the target channel (in the format @channelusername).' => 'Identificador nico para el chat de destino o nombre de usuario del canal de destino (en el formato @channelusername).',
'Unique Listeners' => 'Oyentes nicos',
'Unknown' => 'Desconocido',
'Unknown Artist' => 'Artista Desconocido',
'Unknown Title' => 'Ttulo Desconocido',
'Unlisted' => 'No Listado',
'Unmute' => 'Quitar Silencio',
'Unprocessable Files' => 'Archivos No Procesables',
'Unpublished' => 'Sin publicar',
'Unselect All Rows' => 'Deseleccionar Todas las Filas',
'Unselect Row' => 'Deseleccionar Fila',
'Upcoming Song Queue' => 'Lista de Canciones en Cola',
'Update' => 'Actualizar',
'Update AzuraCast' => 'Actualizar AzuraCast',
'Update AzuraCast via Web' => 'Actualizar AzuraCast va Web',
'Update AzuraCast? Your installation will restart.' => 'Actualizar AzuraCast? Su instalacin se reiniciar.',
'Update Details' => 'Detalles de Actualizacin',
'Update Instructions' => 'Instrucciones de Actualizacin',
'Update Metadata' => 'Actualizar Metadatos',
'Update started. Your installation will restart shortly.' => 'Actualizacin iniciada. Su instalacin se reiniciar en breve.',
'Update Station Configuration' => 'Actualizar Configuracin de la Estacin',
'Update via Web' => 'Actualizar va Web',
'Updated' => 'Actualizado',
'Updated successfully.' => 'Actualizado con xito.',
'Upload a Stereo Tool configuration file from the "Broadcasting" submenu in the station profile.' => 'Suba un archivo de configuracin de Stereo Tool desde el submen "Emitiendo" en el perfil de la estacin.',
'Upload Custom Assets' => 'Subir Recursos Personalizados',
'Upload Stereo Tool Configuration' => 'Subir la Configuracin de Stereo Tool',
'Upload the file on this page to automatically extract it into the proper directory.' => 'Sube el archivo en esta pgina para extraerlo automticamente en el directorio adecuado.',
'URL' => 'URL',
'URL Stub' => 'Stub de URL',
'Use' => 'Uso',
'Use (Us)' => 'Uso (Us)',
'Use API keys to authenticate with the AzuraCast API using the same permissions as your user account.' => 'Utilice las claves API para autenticarse con la API de AzuraCast usando los mismos permisos que su cuenta de usuario.',
'Use Browser Default' => 'Usar Navegador por Defecto',
'Use High-Performance Now Playing Updates' => 'Usar Actualizaciones de Reproduccin en Curso de Alto Rendimiento',
'Use Icecast 2.4 on this server.' => 'Usa Icecast 2.4 en este servidor.',
'Use Less CPU (Uses More Memory)' => 'Usar Menos CPU (Utiliza Ms Memoria)',
'Use Less Memory (Uses More CPU)' => 'Usar Menos Memoria (Utiliza Ms CPU)',
'Use Liquidsoap on this server.' => 'Usar Liquidsoap en este servidor.',
'Use Path Instead of Subdomain Endpoint Style' => 'Utilice Ruta en Lugar de Estilo de Punto Final de Subdominio',
'Use Secure (TLS) SMTP Connection' => 'Usar Conexin SMTP Segura (TLS)',
'Use Shoutcast DNAS 2 on this server.' => 'Usa SHOUTcast DNAS 2 en este servidor.',
'Use the Telegram Bot API to send a message to a channel.' => 'Utilizar la API de bot de Telegram para enviar un mensaje a un canal.',
'Use this form to send a manual metadata update. Note that this will override any existing metadata on the stream.' => 'Utilice este formulario para enviar una actualizacin manual de metadatos. Tenga en cuenta que esto anular cualquier metadato existente en la transmisin.',
'Use Web Proxy for Radio' => 'Use Web Proxy para Radio',
'Used' => 'Usado',
'Used for "Forgot Password" functionality, web hooks and other functions.' => 'Utilizado para la funcionalidad "Contrasea Olvidada", Web Hooks y otras funciones.',
'User' => 'Usuario',
'User Accounts' => 'Cuentas de Usuario',
'User Agent' => 'Navegador',
'User Name' => 'Nombre de Usuario',
'User Permissions' => 'Permisos de Usuario',
'Username' => 'Nombre de Usuario',
'Username:' => 'Nombre de Usuario:',
'Users' => 'Usuarios',
'Users with this role will have these permissions across the entire installation.' => 'Los usuarios con este rol tendrn estos permisos en toda la instalacin.',
'Users with this role will have these permissions for this single station.' => 'Los usuarios con este rol tendrn estos permisos para esta nica estacin.',
'Uses either Websockets, Server-Sent Events (SSE) or static JSON files to serve Now Playing data on public pages. This improves performance, especially with large listener volume. Disable this if you are encountering problems with the service or use multiple URLs to serve your public pages.' => 'Utiliza ya sea archivos Websockets, Server-Sent Events (SSE) o JSON estticos para servir ahora los datos de reproduccin en las pginas pblicas. Esto mejora el rendimiento, especialmente con un gran volumen de escucha. Deshabilita esto si encuentras problemas con el servicio o utiliza mltiples URLs para servir tus pginas pblicas.',
'Using a passkey (like Windows Hello, YubiKey, or your smartphone) allows you to securely log in without needing to enter your password or two-factor code.' => 'El uso de una clave de acceso (como Windows Hello, YubiKey o su telfono inteligente) le permite iniciar sesin de forma segura sin necesidad de ingresar su contrasea o cdigo de dos factores.',
'Using this page, you can customize several sections of the Liquidsoap configuration. This allows you to add advanced functionality to your station\'s AutoDJ.' => 'Usando esta pgina, puede personalizar varias secciones de la configuracin de Liquidsoap. Esto le permite aadir funcionalidad avanzada al AutoDJ de su estacin.',
'Usually enabled for port 465, disabled for ports 587 or 25.' => 'Generalmente habilitado para el puerto 465, deshabilitado para los puertos 587 o 25.',
'Variables are in the form of: ' => 'Las variables estn en la forma de: ',
'View' => 'Ver',
'View Fullscreen' => 'Ver Pantalla Completa',
'View Listener Report' => 'Ver Reporte del Oyente',
'View Profile' => 'Ver Perfil',
'View tracks in playlist' => 'Ver pistas en la lista de reproduccin',
'Visit the Dropbox App Console:' => 'Visite la Consola de la Aplicacin Dropbox:',
'Visit the link below to sign in and generate an access code:' => 'Visita el enlace de abajo para iniciar sesin y generar un cdigo de acceso:',
'Visit your Mastodon instance.' => 'Visite su instancia de Mastodon.',
'Visual Cue Editor' => 'Editor de Cue Visual',
'Volume' => 'Volumen',
'Wait' => 'En Espera',
'Wait (Wa)' => 'En Espera (Wa)',
'Warning' => 'Advertencia',
'Waveform Zoom' => 'Zoom de Forma de Onda',
'Web DJ' => 'Web DJ',
'Web Hook Details' => 'Detalles del Web Hook',
'Web Hook Name' => 'Nombre de Web Hook',
'Web Hook Triggers' => 'Disparadores de Web Hook',
'Web Hook URL' => 'URL del Web Hook',
'Web Hooks' => 'Hooks web',
'Web hooks automatically send a HTTP POST request to the URL you specify to notify it any time one of the triggers you specify occurs on your station.' => 'Los Web Hooks envan automticamente una solicitud HTTP POST a la URL que especifique para notificarle cada vez que uno de los disparadores que especifique se produzca en su estacin.',
'Web hooks let you connect to external web services and broadcast changes to your station to them.' => 'Los Web Hooks le permiten conectarse a servicios web externos y transmitir los cambios de su estacin.',
'Web Site URL' => 'URL del sitio web',
'Web updates are not available for your installation. To update your installation, perform the manual update process instead.' => 'Las actualizaciones web no estn disponibles para su instalacin. Para actualizar su instalacin, realice en su lugar el proceso de actualizacin manual.',
'WebDJ' => 'WebDJ',
'WebDJ connected!' => 'WebDJ conectado!',
'Website' => 'Sitio Web',
'Wednesday' => 'Mircoles',
'Weight' => 'Peso',
'Welcome to AzuraCast!' => 'Bienvenido a AzuraCast!',
'Welcome!' => 'Bienvenido!',
'When making API calls, you can pass this value in the "X-API-Key" header to authenticate as yourself.' => 'Al hacer llamadas API, puedes pasar este valor en la cabecera "X-API-Key" para autenticarte como t.',
'When the song changes and a live streamer/DJ is connected' => 'Cuando la cancin cambia y un emisor/DJ se conecta',
'When the station broadcast comes online' => 'Cuando la emisin de la estacin se inicia',
'When the station broadcast goes offline' => 'Cuando la emisin de la estacin se desconecta',
'Whether new episodes should be marked as published or held for review as unpublished.' => 'Si los nuevos episodios deben marcarse como publicados o mantenerse para revisin como no publicados.',
'Whether the AutoDJ should attempt to avoid duplicate artists and track titles when playing media from this playlist.' => 'Especifica si el AutoDJ debe intentar evitar ttulos y artistas duplicados al reproducir medios de esta lista de reproduccin.',
'Widget Type' => 'Tipo de Widget',
'Worst Performing Songs' => 'Peores Canciones al Transmitir',
'Yes' => 'Si',
'Yesterday' => 'Ayer',
'You' => 'T',
'You can also upload files in bulk via SFTP.' => 'Tambin puede subir archivos de forma masiva a travs de SFTP.',
'You can find answers for many common questions in our support documents.' => 'Puede encontrar respuestas para muchas preguntas comunes en nuestros documentos de soporte.',
'You can include any special mount point settings here, in either JSON { key: \'value\' } format or XML <key>value</key>' => 'Puede incluir cualquier configuracin de punto de montaje especial aqu, en formato de JSON { key: \'value\' } o XML <key>value</key>',
'You can only perform the actions your user account is allowed to perform.' => 'Slo puede realizar las acciones que su cuenta de usuario puede realizar.',
'You may need to connect directly to your IP address:' => 'Es posible que deba conectarse directamente a su direccin IP:',
'You may need to connect directly via your IP address:' => 'Es posible que necesite conectarse directamente a travs de su direccin IP:',
'You will not be able to retrieve it again.' => 'No podrs recuperarlo de nuevo.',
'Your browser does not support passkeys. Consider updating your browser to the latest version.' => 'Su navegador no admite claves de acceso. Considere actualizar su navegador a la ltima versin.',
'Your full API key is below:' => 'Tu API key completa est a continuacin:',
'Your installation is currently on this release channel:' => 'Su instalacin est actualmente en este canal de lanzamiento:',
'Your installation is up to date! No update is required.' => 'Su instalacin est actualizada! No se requiere actualizacin.',
'Your installation needs to be updated. Updating is recommended for performance and security improvements.' => 'Su instalacin necesita ser actualizada. Se recomienda actualizar para mejoras en el rendimiento y la seguridad.',
'Your station does not support reloading configuration. Restart broadcasting instead to apply changes.' => 'Su emisora no soporta recargar la configuracin. En su lugar, reinicie la transmisin para aplicar los cambios.',
'Your station has changes that require a reload to apply.' => 'Su estacin tiene cambios que requieren un reinicio para aplicar.',
'Your station is currently not enabled for broadcasting. You can still manage media, playlists, and other station settings. To re-enable broadcasting, edit your station profile.' => 'Su emisora no est habilitada para la radiodifusin. Todava puede administrar los medios, listas de reproduccin y otros ajustes de la emisora. Para volver a habilitar la radiodifusin, edite el perfil de su emisora.',
'Your station supports reloading configuration.' => 'Su estacin soporta la recarga de configuracin.',
'YouTube' => 'YouTube',
'YP Directory Authorization Hash' => 'Hash de Autorizacin de YP Directory',
'Select...' => 'Seleccionar...',
'Too many forgot password attempts' => 'Demasiados intentos de contrasea olvidada',
'You have attempted to reset your password too many times. Please wait 30 seconds and try again.' => 'Ha intentado restablecer su contrasea demasiadas veces. Por favor, espere 30 segundos y vuelva a intentarlo.',
'Account Recovery' => 'Recuperacin de Cuenta',
'Account recovery e-mail sent.' => 'El email de recuperacin de su cuenta a sido enviado.',
'If the e-mail address you provided is in the system, check your inbox for a password reset message.' => 'Si la direccin de email que proporcion est en el sistema, busque un mensaje de restablecimiento de contrasea en su bandeja de entrada.',
'Too many login attempts' => 'Demasiados intentos de inicio de sesin',
'You have attempted to log in too many times. Please wait 30 seconds and try again.' => 'Has intentado iniciar sesin demasiadas veces. Por favor, espera 30 segundos e intntalo de nuevo.',
'Logged in successfully.' => 'Has iniciado sesin con xito.',
'Complete the setup process to get started.' => 'Completa el proceso de configuracin para empezar.',
'Login unsuccessful' => 'El inicio de sesin ha fallado',
'Your credentials could not be verified.' => 'No se pudieron comprobar sus credenciales.',
'User not found.' => 'Usuario no encontrado.',
'Invalid token specified.' => 'El token especificado no es vlido.',
'Logged in using account recovery token' => 'Sesin iniciada usando un token de recuperacin de cuenta',
'Your password has been updated.' => 'Su contrasea ha sido actualizada.',
'Set Up AzuraCast' => 'Configurar AzuraCast',
'Setup has already been completed!' => 'Configuracin ya ha sido terminada!',
'All Stations' => 'Todas las Estaciones',
'AzuraCast Application Log' => 'Log de aplicacin de AzuraCast',
'AzuraCast Now Playing Log' => 'Registro de Reproduccin en Curso de AzuraCast',
'AzuraCast Synchronized Task Log' => 'Registro de Tarea Sincronizada de AzuraCast',
'AzuraCast Queue Worker Log' => 'Registro de Trabajadores de Cola de AzuraCast',
'Service Log: %s (%s)' => 'Registro de Servicio: %s (%s)',
'Nginx Access Log' => 'Log de Nginx',
'Nginx Error Log' => 'Log de errores Nginx',
'PHP Application Log' => 'Log de PHP',
'Supervisord Log' => 'Logs de Supervisor',
'Create a new storage location based on the base directory.' => 'Crear una nueva ubicacin de almacenamiento basada en el directorio base.',
'You cannot modify yourself.' => 'No puedes modificarte a ti mismo.',
'You cannot remove yourself.' => 'No puedes eliminarte a ti mismo.',
'Test Message' => 'Mensaje de Prueba',
'This is a test message from AzuraCast. If you are receiving this message, it means your e-mail settings are configured correctly.' => 'Este es un mensaje de prueba de AzuraCast. Si est recibiendo este mensaje, significa que su configuracin de correo electrnico est configurada correctamente.',
'Test message sent successfully.' => 'Mensaje de prueba enviado con xito.',
'Less than Thirty Seconds' => 'Menos de Treinta Segundos',
'Thirty Seconds to One Minute' => 'Treinta Segundos a Un Minuto',
'One Minute to Five Minutes' => 'Un Minuto a Cinco Minutos',
'Five Minutes to Ten Minutes' => 'Cinco Minutos a Diez Minutos',
'Ten Minutes to Thirty Minutes' => 'Diez Minutos a Treinta Minutos',
'Thirty Minutes to One Hour' => 'Treinta Minutos a Una Hora',
'One Hour to Two Hours' => 'Una Hora a Dos Horas',
'More than Two Hours' => 'Ms de Dos Horas',
'Mobile Device' => 'Dispositivo Mvil',
'Desktop Browser' => 'Navegador de Escritorio',
'Non-Browser' => 'No Navegador',
'Connected Seconds' => 'Segundos Conectados',
'File Not Processed: %s' => 'Archivo No Procesado: %s',
'Cover Art' => 'Portada',
'File Processing' => 'Procesamiento de Archivos',
'No directory specified' => 'Ningn directorio especificado',
'File not specified.' => 'Archivo no especificado.',
'New path not specified.' => 'Nueva ruta no especificada.',
'This station is out of available storage space.' => 'Esta estacin est fuera de los limites del espacio de almacenamiento disponible.',
'Web hook enabled.' => 'Web Hook habilitado.',
'Web hook disabled.' => 'Webhook deshabilitado.',
'Station reloaded.' => 'Estacin Recargada.',
'Station restarted.' => 'Emisora reiniciada.',
'Service stopped.' => 'Servicio detenido.',
'Service started.' => 'Servicio iniciado.',
'Service reloaded.' => 'Servicio recargado.',
'Service restarted.' => 'Servicio reiniciado.',
'Song skipped.' => 'Saltar cancin.',
'Streamer disconnected.' => 'Emisor desconectado.',
'Station Nginx Configuration' => 'Configuracin Nginx de la Estacin',
'Liquidsoap Log' => 'Registro de Liquidsoap',
'Liquidsoap Configuration' => 'Configuracin de Liquidsoap',
'Icecast Access Log' => 'Registro de acceso de Icecast',
'Icecast Error Log' => 'Registro de error de Icecast',
'Icecast Configuration' => 'Configuracin de Icecast',
'Shoutcast Log' => 'Registro de Shoutcast',
'Shoutcast Configuration' => 'Configuracin de Shoutcast',
'Search engine crawlers are not permitted to use this feature.' => 'No se les permite utilizar esta funcin a los rastreadores de motores de bsqueda.',
'You are not permitted to submit requests.' => 'No tiene permiso para enviar solicitudes.',
'This track is not requestable.' => 'Esta pista no es solicitable.',
'This song was already requested and will play soon.' => 'Esta cancin ya fue solicitada y se reproducir pronto.',
'This song or artist has been played too recently. Wait a while before requesting it again.' => 'Esta cancin o artista ha sido reproducido recientemente. Espere un tiempo antes de solicitarla de nuevo.',
'You have submitted a request too recently! Please wait before submitting another one.' => 'Has enviado una solicitud recientemente! Por favor, espera antes de enviar otra.',
'Your request has been submitted and will be played soon.' => 'Su solicitud ha sido enviada y se reproducir pronto.',
'This playlist is not song-based.' => 'Esta lista no est basada en canciones.',
'Playlist emptied.' => 'Lista de reproduccin vaca.',
'This playlist is not a sequential playlist.' => 'Esta lista no es de reproduccin secuencial.',
'Playlist reshuffled.' => 'Lista de reproduccin reorganizada.',
'Playlist enabled.' => 'Lista activada.',
'Playlist disabled.' => 'Lista desactivada.',
'Playlist successfully imported; %d of %d files were successfully matched.' => 'Lista de reproduccin importada con xito; %d de %d archivos se han comparado correctamente.',
'Playlist applied to folders.' => 'Lista de reproduccin aplicada a carpetas.',
'%d files processed.' => '%d archivos procesados.',
'No recording available.' => 'No hay grabacin disponible.',
'Record not found' => 'Registro no encontrado',
'The uploaded file exceeds the upload_max_filesize directive in php.ini.' => 'El archivo subido excede la directiva upload_max_filesize en php.ini.',
'The uploaded file exceeds the MAX_FILE_SIZE directive from the HTML form.' => 'El archivo subido excede la directiva MAX_FILE_SIZE del formulario HTML.',
'The uploaded file was only partially uploaded.' => 'El archivo subido slo fue parcialmente cargado.',
'No file was uploaded.' => 'Ningn archivo fue subido.',
'No temporary directory is available.' => 'No hay un directorio temporal disponible.',
'Could not write to filesystem.' => 'No se pudo escribir en el sistema de archivos.',
'Upload halted by a PHP extension.' => 'Carga detenida por una extensin PHP.',
'Unspecified error.' => 'Error no especificado.',
'Changes saved successfully.' => 'Cambios guardados con xito.',
'Record created successfully.' => 'Registro creado con xito.',
'Record updated successfully.' => 'Registro actualizado con xito.',
'Record deleted successfully.' => 'Registro eliminado con xito.',
'Playlist: %s' => 'Listas de Reproduccin: %s',
'Streamer: %s' => 'Emisor: %s',
'The account associated with e-mail address "%s" has been set as an administrator' => 'Se han dado privilegios de administrador a la cuenta asociada a la direccin de e-mail "%s"',
'Account not found.' => 'Cuenta no encontrada.',
'Roll Back Database' => 'Base de Datos Roll Back',
'Running database migrations...' => 'Ejecutando migraciones de base de datos...',
'Database migration failed: %s' => 'Fall la migracin de la base de datos: %s',
'Database rolled back to stable release version "%s".' => 'Base de datos restaurada a la versin estable de lanzamiento "%s".',
'AzuraCast Settings' => 'Configuracin de AzuraCast',
'Setting Key' => 'Configurar clave',
'Setting Value' => 'Fijando el valor',
'Fixtures loaded.' => 'Fixtures cargados.',
'Backing up initial database state...' => 'Respaldando el estado inicial de la base de datos...',
'We detected a database restore file from a previous (possibly failed) migration.' => 'Hemos detectado un archivo de restauracin de la base de datos desde una migracin anterior (posiblemente fallida).',
'Attempting to restore that now...' => 'Intentando restaurar eso ahora...',
'Attempting to roll back to previous database state...' => 'Intentando volver al estado anterior de la base de datos...',
'Your database was restored due to a failed migration.' => 'La base de datos ha sido restaurada debido a una migracin fallida.',
'Please report this bug to our developers.' => 'Por favor, reporta este error a nuestros desarrolladores.',
'Restore failed: %s' => 'Restauracin fallida: %s',
'AzuraCast Backup' => 'Copia de seguridad de AzuraCast',
'Please wait while a backup is generated...' => 'Por favor, espere mientras se genera una copia de seguridad...',
'Creating temporary directories...' => 'Creando directorios temporales...',
'Backing up MariaDB...' => 'Haciendo una copia de seguridad de MariaDB...',
'Creating backup archive...' => 'Creando archivo de respaldo...',
'Cleaning up temporary files...' => 'Limpiando archivos temporales...',
'Backup complete in %.2f seconds.' => 'Copia de seguridad completada en %.2f segundos.',
'Backup path %s not found!' => 'Ruta de copia de seguridad %s no encontrado!',
'Imported locale: %s' => 'Importado idioma: %s',
'Database Migrations' => 'Migraciones de Bases de Datos',
'Database is already up to date!' => 'La base de datos ya est actualizada!',
'Database migration completed!' => 'Migracin de base de datos completada!',
'AzuraCast Initializing...' => 'Inicializando AzuraCast...',
'AzuraCast Setup' => 'Configurar AzuraCast',
'Welcome to AzuraCast. Please wait while some key dependencies of AzuraCast are set up...' => 'Bienvenido a AzuraCast. Por favor, espere mientras se configuran algunas dependencias clave de AzuraCast...',
'Running Database Migrations' => 'Ejecutando Migraciones de Base de Datos',
'Generating Database Proxy Classes' => 'Generando Clases de Proxy de Base de Datos',
'Reload System Data' => 'Recargar Datos del Sistema',
'Installing Data Fixtures' => 'Instalando Accesorios de Datos',
'Refreshing All Stations' => 'Actualizando todas las estaciones',
'AzuraCast is now updated to the latest version!' => 'AzuraCast ha sido actualizado a la versin mas reciente!',
'AzuraCast installation complete!' => 'Instalacin completa de AzuraCast!',
'Visit %s to complete setup.' => 'Visite %s para completar la configuracin.',
'%s is not recognized as a service.' => '%s no es reconocido como un servicio.',
'It may not be registered with Supervisor yet. Restarting broadcasting may help.' => 'Puede que no est registrado con el Supervisor todava. Reiniciar la radiodifusin (broadcasting) puede ayudar.',
'%s cannot start' => '%s no puede empezar',
'It is already running.' => 'Ya est en funcionamiento.',
'%s cannot stop' => '%s no puede detenerse',
'It is not running.' => 'No est en funcionamiento.',
'%s encountered an error: %s' => '%s encontr un error: %s',
'Check the log for details.' => 'Comprueba el registro para ms detalles.',
'You do not have permission to access this portion of the site.' => 'No tiene permiso para acceder a esta seccin de la pgina.',
'Cannot submit request: %s' => 'No se puede enviar la solicitud: %s',
'You must be logged in to access this page.' => 'Tienes que iniciar sesin para acceder a esta pgina.',
'Record not found.' => 'Registro no encontrado.',
'File not found.' => 'Archivo no encontrado.',
'Station not found.' => 'Estacin no encontrada.',
'Podcast not found.' => 'Pdcast no encontrado.',
'This station does not currently support this functionality.' => 'Esta estacin actualmente no admite esta funcionalidad.',
'This station does not currently support on-demand media.' => 'Actualmente, esta estacin no admite medios bajo demanda.',
'This station does not currently accept requests.' => 'Esta estacin actualmente no acepta solicitudes.',
'This value is already used.' => 'Este valor ya est en uso.',
'Storage location %s could not be validated: %s' => 'La ubicacin de almacenamiento %s no pudo ser validada: %s',
'Storage location %s already exists.' => 'La ubicacin de almacenamiento %s ya existe.',
'All Permissions' => 'Todos los permisos',
'View Station Page' => 'Ver pgina de la estacin',
'View Station Reports' => 'Ver reportes de la estacin',
'View Station Logs' => 'Ver registros de la estacin',
'Manage Station Profile' => 'Administrar Perfil de la estacin',
'Manage Station Broadcasting' => 'Administrar estaciones de radio',
'Manage Station Streamers' => 'Administrar emisoras de radio',
'Manage Station Mount Points' => 'Gestionar puntos de montaje de la estacin',
'Manage Station Remote Relays' => 'Administrar la estacin de forma remota',
'Manage Station Media' => 'Administrar la estacin de radio',
'Manage Station Automation' => 'Administrar AutoDJ',
'Manage Station Web Hooks' => 'Administrar los Web Hooks de la Estacin',
'Manage Station Podcasts' => 'Administrar Podcasts de la Estacin',
'View Administration Page' => 'Ver pgina de administracin',
'View System Logs' => 'Ver registros del sistema',
'Administer Settings' => 'Administrar ajustes',
'Administer API Keys' => 'Administrar claves API',
'Administer Stations' => 'Administrar estaciones',
'Administer Custom Fields' => 'Administrar campos personalizados',
'Administer Backups' => 'Administrar copias de seguridad',
'Administer Storage Locations' => 'Administrar Ubicaciones de Almacenamiento',
'Runs routine synchronized tasks' => 'Ejecutar rutina de tareas sincronizadas',
'Database' => 'Bases de Datos',
'Web server' => 'Servidor web',
'PHP FastCGI Process Manager' => 'Administrador de procesos PHP FastCGI',
'Now Playing manager service' => 'Administrador de Servicio "Reproduciendo Ahora"',
'PHP queue processing worker' => 'Trabajador de procesamiento de colas PHP',
'Cache' => 'Cach',
'SFTP service' => 'Servicio SFTP',
'Live Now Playing updates' => 'Actualizaciones en vivo ahora reproduciendo',
'Frontend Assets' => 'Activos del Frontend',
'This product includes GeoLite2 data created by MaxMind, available from %s.' => 'Esta funcionalidad contiene datos de la base de datos GeoLite2 de MaxMind, que est disponible a travs de %s.',
'IP Geolocation by DB-IP' => 'Geolocalizacin IP por DB-IP',
'GeoLite database not configured for this installation. See System Administration for instructions.' => 'La base de datos de GeoLite no est configurada para esta instalacin. Consulte la Administracin del Sistema para obtener instrucciones.',
'Installation Not Recently Backed Up' => 'Instalacin no respaldada recientemente',
'This installation has not been backed up in the last two weeks.' => 'Esta instalacin no ha sido respaldada en las ltimas dos semanas.',
'Service Not Running: %s' => 'Servicio No Ejecutado: %s',
'One of the essential services on this installation is not currently running. Visit the system administration and check the system logs to find the cause of this issue.' => 'Uno de los servicios esenciales de esta instalacin no se est ejecutando actualmente. Visite la administracin del sistema y compruebe los registros del sistema para encontrar la causa de este problema.',
'New AzuraCast Stable Release Available' => 'Disponible Nueva Versin Estable de AzuraCast',
'Version %s is now available. You are currently running version %s. Updating is recommended.' => 'La versin %s ya est disponible. Actualmente est ejecutando la versin %s. Se recomienda actualizar.',
'New AzuraCast Rolling Release Available' => 'Disponible Nueva Versin de AzuraCast',
'Your installation is currently %d update(s) behind the latest version. Updating is recommended.' => 'Su instalacin est actualmente %d actualizacin(es) atrs de la versin mas reciente. Se recomienda actualizar.',
'Switch to Stable Channel Available' => 'Cambiar al Canal Estable',
'Your Rolling Release installation is currently older than the latest Stable release. This means you can switch releases to the "Stable" release channel if desired.' => 'Su versin "Rolling" de Azuracast es ms antigua que la versin "Estable" ms reciente. Esto significa que puede cambiar su instalacin a la versin "Estable" si as lo desea.',
'Synchronization Disabled' => 'Sincronizacin Desactivada',
'Routine synchronization is currently disabled. Make sure to re-enable it to resume routine maintenance tasks.' => 'La sincronizacin rutinaria est actualmente deshabilitada. Asegrese de volver a habilitarla para reanudar las tareas de mantenimiento de rutinas.',
'Synchronization Not Recently Run' => 'Sincronizacin No Se Ejecut Recientemente',
'The routine synchronization task has not run recently. This may indicate an error with your installation.' => 'La tarea de sincronizacin de rutinas no se ha ejecutado recientemente. Esto puede indicar un error con su instalacin.',
'The performance profiling extension is currently enabled on this installation.' => 'La extensin de generacin de perfiles de rendimiento est habilitada actualmente en esta instalacin.',
'You can track the execution time and memory usage of any AzuraCast page or application from the profiler page.' => 'Puede rastrear el tiempo de ejecucin y el uso de la memoria de cualquier pgina o aplicacin de AzuraCast desde la pgina del generador de perfiles.',
'Profiler Control Panel' => 'Panel de Control del Generador de Perfiles',
'Performance profiling is currently enabled for all requests.' => 'Laa generacin de perfiles de rendimiento est habilitada para todas las solicitudes.',
'This can have an adverse impact on system performance. You should disable this when possible.' => 'Esto puede tener un impacto adverso en el rendimiento del sistema. Debera desactivarlo cuando sea posible.',
'You may want to update your base URL to ensure it is correct.' => 'Puede que desee actualizar su URL base para asegurarse de que es correcta.',
'If you regularly use different URLs to access AzuraCast, you should enable the "Prefer Browser URL" setting.' => 'Si utiliza regularmente diferentes URLs para acceder a AzuraCast, debe habilitar la configuracin "Preferir URL del navegador".',
'Your "Base URL" setting (%s) does not match the URL you are currently using (%s).' => 'Su configuracin de "URL base" (%s) no coincide con la URL que est utilizando actualmente (%s).',
'AzuraCast is free and open-source software.' => 'AzuraCast es un software gratuito y de cdigo abierto.',
'If you are enjoying AzuraCast, please consider donating to support our work. We depend on donations to build new features, fix bugs, and keep AzuraCast modern, accessible and free.' => 'Si est disfrutando de AzuraCast, por favor considere donar para apoyar nuestro trabajo. Dependemos de donaciones para construir nuevas caractersticas, corregir errores y mantener AzuraCast moderno, accesible y gratuito.',
'Donate to AzuraCast' => 'Donar a AzuraCast',
'AzuraCast Installer' => 'Instalador de AzuraCast',
'Welcome to AzuraCast! Complete the initial server setup by answering a few questions.' => 'Bienvenido a AzuraCast! Complete la configuracin inicial del servidor respondiendo a algunas preguntas.',
'AzuraCast Updater' => 'Actualizador AzuraCast',
'Change installation settings?' => 'Cambiar configuraciones de la instalacin?',
'AzuraCast is currently configured to listen on the following ports:' => 'AzuraCast est configurado para escuchar en los siguientes puertos:',
'HTTP Port: %d' => 'Puerto HTTP: %d',
'HTTPS Port: %d' => 'Puerto HTTPS: %d',
'SFTP Port: %d' => 'Puerto SFTP: %d',
'Radio Ports: %s' => 'Puertos de Radio: %s',
'Customize ports used for AzuraCast?' => 'Personalizar los puertos utilizados para AzuraCast?',
'Writing configuration files...' => 'Escribiendo archivos de configuracin...',
'Server configuration complete!' => 'Configuracin del servidor completada!',
'This file was automatically generated by AzuraCast.' => 'Este archivo fue generado automticamente por AzuraCast.',
'You can modify it as necessary. To apply changes, restart the Docker containers.' => 'Puede modificarlo como sea necesario. Para aplicar cambios, reinicie los contenedores Docker.',
'Remove the leading "#" symbol from lines to uncomment them.' => 'Elimina el smbolo "#" inicial de las lneas para descomentarlos.',
'Valid options: %s' => 'Opciones vlidas: %s',
'Default: %s' => 'Predeterminado: %s',
'Additional Environment Variables' => 'Variables de Entorno Adicionales',
'(Docker Compose) All Docker containers are prefixed by this name. Do not change this after installation.' => '(Docker Compose) Todos los contenedores Docker tienen este nombre como prefijo. No cambie esto despus de la instalacin.',
'(Docker Compose) The amount of time to wait before a Docker Compose operation fails. Increase this on lower performance computers.' => '(Docker Compose) La cantidad de tiempo de espera antes de que falle una operacin de Docker Compose. Aumente esto en computadoras de menor rendimiento.',
'HTTP Port' => 'Puerto HTTP',
'The main port AzuraCast listens to for insecure HTTP connections.' => 'El puerto principal que AzuraCast escucha en busca de conexiones HTTP inseguras.',
'HTTPS Port' => 'Puerto HTTPS',
'The main port AzuraCast listens to for secure HTTPS connections.' => 'El puerto principal que AzuraCast escucha en busca de conexiones HTTPS seguras.',
'The port AzuraCast listens to for SFTP file management connections.' => 'El puerto que AzuraCast escucha para las conexiones de administracin de archivos SFTP.',
'Station Ports' => 'Puertos de la Estacin',
'The ports AzuraCast should listen to for station broadcasts and incoming DJ connections.' => 'Los puertos que AzuraCast debe escuchar para las emisiones de la estacin y las conexiones entrantes de DJ.',
'Docker User UID' => 'UID de Usuario Docker',
'Set the UID of the user running inside the Docker containers. Matching this with your host UID can fix permission issues.' => 'Establezca el UID del usuario que se ejecuta dentro de los contenedores de Docker. Hacer coincidir esto con su UID de host puede solucionar problemas de permisos.',
'Docker User GID' => 'GID de Usuario Docker',
'Set the GID of the user running inside the Docker containers. Matching this with your host GID can fix permission issues.' => 'Establezca el UID del usuario que se ejecuta dentro de los contenedores de Docker. Hacer coincidir esto con su GID de host puede solucionar problemas de permisos.',
'Use Podman instead of Docker.' => 'Usar Podman en lugar de Docker.',
'Advanced: Use Privileged Docker Settings' => 'Avanzado: Usar la Configuracin de Docker Privilegiada',
'The locale to use for CLI commands.' => 'La localidad que se utilizar para los comandos CLI.',
'The application environment.' => 'El entorno de aplicacin.',
'Manually modify the logging level.' => 'Modificar manualmente el nivel de registro.',
'This allows you to log debug-level errors temporarily (for problem-solving) or reduce the volume of logs that are produced by your installation, without needing to modify whether your installation is a production or development instance.' => 'Esto le permite registrar temporalmente errores de nivel de depuracin (para resolver problemas) o reducir el volumen de registros producidos por su instalacin. No es necesario modificar si su instalacin es una instancia de produccin o de desarrollador.',
'Enable Custom Code Plugins' => 'Habilitar Plugins de Cdigo Personalizado',
'Enable the composer "merge" functionality to combine the main application\'s composer.json file with any plugin composer files. This can have performance implications, so you should only use it if you use one or more plugins with their own Composer dependencies.' => 'Habilitar la funcionalidad "fusionar" de Composer para combinar el archivo composer.json de la aplicacin principal con cualquier archivo Plugin de Composer. Esto puede tener implicaciones de rendimiento, as que slo debe usarlo si utiliza uno o ms Plugins con sus propias dependencias de Composer.',
'Minimum Port for Station Port Assignment' => 'Puerto Mnimo para Asignacin de Puerto de Estacin',
'Modify this if your stations are listening on nonstandard ports.' => 'Modifique esto si sus estaciones estn escuchando en puertos no estndar.',
'Maximum Port for Station Port Assignment' => 'Puerto Maximo para Asignacin de Puerto de Estacin',
'Show Detailed Slim Application Errors' => 'Mostrar Errores Detallados de la Aplicacin Slim',
'This allows you to debug Slim Application Errors you may encounter. Please report any Slim Application Error logs to the development team on GitHub.' => 'Esto le permite depurar errores de la aplicacin de Slim que pueda encontrar. Por favor, informe de cualquier registro de errores de la aplicacin de Slim al equipo de desarrollo en GitHub.',
'MariaDB Host' => 'Anfitrin MariaDB',
'Do not modify this after installation.' => 'No modifique esto despus de la instalacin.',
'MariaDB Port' => 'Puerto MariaDB',
'MariaDB Username' => 'MariaDB Username',
'MariaDB Password' => 'Contrasea MariaDB',
'MariaDB Database Name' => 'Nombre de Base de Datos MariaDB',
'Auto-generate Random MariaDB Root Password' => 'Auto-Generar Contrasea Aleatoria MariaDB Root',
'MariaDB Root Password' => 'Contrasea de Root de MariaDB',
'Enable MariaDB Slow Query Log' => 'Habilitar el registro de consultas lentas de MariaDB',
'Log slower queries to diagnose possible database issues. Only turn this on if needed.' => 'Registrar consultas ms lentas para diagnosticar posibles problemas en la base de datos. Activar slo si es necesario.',
'MariaDB Maximum Connections' => 'Mximo de Conexiones MariaDB',
'Set the amount of allowed connections to the database. This value should be increased if you are seeing the "Too many connections" error in the logs.' => 'Establecer la cantidad de conexiones permitidas hacia la base de datos. Este valor debera incrementarse si est viendo el error de "Demasiadas conexiones" en los registros.',
'MariaDB InnoDB Buffer Pool Size' => 'Tamao del bfer innoDB MariaDB',
'The InnoDB buffer pool size controls how much data & indexes are kept in memory. Making sure that this value is as large as possible reduces the amount of disk IO.' => 'El tamao del grupo de bfer de InnoDB controla la cantidad de datos e ndices que se guardan en la memoria. Para reducir la cantidad de E/S de disco asegrese de que este valor sea lo ms grande posible.',
'MariaDB InnoDB Log File Size' => 'Tamao del archivo MariaDB InnoDB',
'The InnoDB log file is used to achieve data durability in case of crashes or unexpected shutoffs and to allow the DB to better optimize IO for write operations.' => 'El archivo de registro de InnoDB se utiliza para lograr la durabilidad de los datos en caso de choques o interrupciones inesperadas y para permitir que la DB optimice mejor la E/S para operaciones de escritura.',
'Enable Redis' => 'Activar Redis',
'Disable to use a flatfile cache instead of Redis.' => 'Desactivar para usar una cach de archivos flatfile en lugar de Redis.',
'Redis Host' => 'Host Redis',
'Redis Port' => 'Puerto Redis',
'PHP Maximum POST File Size' => 'Tamao Mximo de Archivo PHP POST',
'PHP Memory Limit' => 'Lmite de Memoria PHP',
'PHP Script Maximum Execution Time (Seconds)' => 'Tiempo Mximo de Ejecucin de PHP Script (Segundos)',
'Short Sync Task Execution Time (Seconds)' => 'Tiempo de Ejecucin de Tareas de Sincronizacin en Corto (Segundos)',
'The maximum execution time (and lock timeout) for the 15-second, 1-minute and 5-minute synchronization tasks.' => 'Tiempo mximo de ejecucin (y tiempo de espera de bloqueo) para las tareas de sincronizacin de 15 segundos, 1 minuto y 5 minutos.',
'Long Sync Task Execution Time (Seconds)' => 'Tiempo de Ejecucin de Tareas de Sincronizacin en Largo (Segundos)',
'The maximum execution time (and lock timeout) for the 1-hour synchronization task.' => 'Tiempo mximo de ejecucin (y tiempo de espera de bloqueo) para la tarea de sincronizacin de 1 hora.',
'Now Playing Delay Time (Seconds)' => 'Tiempo de Retardo de "Reproduciendo Ahora" (segundos)',
'The delay between Now Playing checks for every station. Decrease for more frequent checks at the expense of performance; increase for less frequent checks but better performance (for large installations).' => 'Demora entre verificaciones de "Reproduciendo Ahora" en cada estacin. Reduzca para verificaciones ms frecuentes a expensas del rendimiento de su equipo; aumente para comprobaciones menos frecuentes pero mejor rendimiento (para instalaciones grandes).',
'Now Playing Max Concurrent Processes' => 'Procesos concurrentes mximos de "Reproduciendo Ahora"',
'The maximum number of concurrent processes for now playing updates. Increasing this can help reduce the latency between updates now playing updates on large installations.' => 'El nmero mximo de procesos simultneos de actualizaciones para "Reproduciendo Ahora". Aumentar esto puede ayudar a reducir la latencia entre las actualizaciones de "Reproduciendo Ahora" en instalaciones grandes.',
'Maximum PHP-FPM Worker Processes' => 'Procesos Mximos de Trabajo de PHP-FPM',
'Enable Performance Profiling Extension' => 'Habilitar la Extensin de Perfiles de Rendimiento',
'Profiling data can be viewed by visiting %s.' => 'Los datos del perfil se pueden ver visitando %s.',
'Profile Performance on All Requests' => 'Rendimiento de Perfil en Todas las Solicitudes',
'This will have a significant performance impact on your installation.' => 'Esto tendr un impacto significativo en el rendimiento de su instalacin.',
'Profiling Extension HTTP Key' => 'Clave HTTP de Extensin de Creacin de Perfiles',
'The value for the "SPX_KEY" parameter for viewing profiling pages.' => 'El valor para el parmetro "SPX_KEY" para ver las pginas de perfil.',
'Profiling Extension IP Allow List' => 'Lista de Direcciones IP Permitidas de Extensin de Perfiles',
'Nginx Max Client Body Size' => 'Tamao mximo del cuerpo del cliente Nginx',
'This is the total size any single request body can be. AzuraCast chunks its uploads into smaller file sizes, so this only applies when doing custom uploads via the API. Sizes should be listed in a format like "100K", "128M", "1G" for kilobytes, megabytes, and gigabytes respectively.' => 'Este es el tamao total que puede tener cualquier cuerpo de solicitud. AzuraCast divide sus cargas en tamaos de archivos ms pequeos, por lo que esto solo se aplica cuando se realizan cargas personalizadas a travs de la API. Los tamaos deben aparecer en un formato como "100K", "128M", "1G" para kilobytes, megabytes y gigabytes respectivamente.',
'Enable web-based Docker image updates' => 'Habilitar actualizaciones web de imgenes Docker',
'Extra Ubuntu packages to install upon startup' => 'Paquetes Ubuntu adicionales a instalar al iniciar',
'Separate package names with a space. Packages will be installed during container startup.' => 'Separe los nombres de los paquetes con un espacio. Los paquetes se instalarn durante el inicio del contenedor.',
'Album Artist' => 'Artista del lbum',
'Album Artist Sort Order' => 'Ordenar por Artista del lbum',
'Album Sort Order' => 'Ordenar por lbum',
'Band' => 'Banda',
'BPM' => 'BPM',
'Comment' => 'Comentario',
'Commercial Information' => 'Informacin Comercial',
'Composer' => 'Compositor',
'Composer Sort Order' => 'Ordenar por Compositor',
'Conductor' => 'Conductor',
'Content Group Description' => 'Descripcin de Contenido del Grupo',
'Encoded By' => 'Codificado por',
'Encoder Settings' => 'Configuracin del Codificador',
'Encoding Time' => 'Tiempo de Codificacin',
'File Owner' => 'Propietario del Archivo',
'File Type' => 'Tipo de Archivo',
'Initial Key' => 'Clave Inicial',
'Internet Radio Station Name' => 'Nombre de la Radio por Internet',
'Internet Radio Station Owner' => 'Propietario de la Radio de Internet',
'Involved People List' => 'Lista de Personas Involucradas',
'Linked Information' => 'Informacin Vinculada',
'Lyricist' => 'Letrista',
'Media Type' => 'Tipo de Medio',
'Mood' => 'Humor',
'Music CD Identifier' => 'Identificador de CD de Msica',
'Musician Credits List' => 'Lista de Crditos de Msicos',
'Original Album' => 'lbum Original',
'Original Artist' => 'Artista Original',
'Original Filename' => 'Nombre de Archivo Original',
'Original Lyricist' => 'Letrista Original',
'Original Release Time' => 'Fecha de Lanzamiento Original',
'Original Year' => 'Ao Original',
'Part of a Compilation' => 'Parte de una Compilacin',
'Part of a Set' => 'Parte de un Set',
'Performer Sort Order' => 'Orden de Clasificacin por Intrprete',
'Playlist Delay' => 'Retraso de la Lista',
'Produced Notice' => 'Aviso Producido',
'Publisher' => 'Editora',
'Recording Time' => 'Fecha de Grabacin',
'Release Time' => 'Fecha de Lanzamiento',
'Remixer' => 'Remixer',
'Set Subtitle' => 'Subttulo Establecido',
'Subtitle' => 'Subttulo',
'Tagging Time' => 'Tiempo de Etiquetado',
'Terms of Use' => 'Terminos de Uso',
'Title Sort Order' => 'Ordenar por Ttulo',
'Track Number' => 'Nmero de Pista',
'Unsynchronised Lyrics' => 'Letra No Sincronizada',
'URL Artist' => 'URL del Artista',
'URL File' => 'URL de Archivo',
'URL Payment' => 'URL de Pago',
'URL Publisher' => 'URL del Editor',
'URL Source' => 'URL del Origen',
'URL Station' => 'URL de Estacin',
'URL User' => 'URL del Usuario',
'Year' => 'Ao',
'An account recovery link has been requested for your account on "%s".' => 'Se ha solicitado un enlace de recuperacin de cuenta para su cuenta el "%s".',
'Click the link below to log in to your account.' => 'Haga clic en el enlace de abajo para iniciar sesin en su cuenta.',
'Footer' => 'Pie de Pgina',
'Powered by %s' => 'Desarrollado por %s',
'Forgot Password' => 'Olvid Mi Contrasea',
'Sign in' => 'Iniciar Sesin',
'Send Recovery E-mail' => 'Enviar Correo de Recuperacin',
'Enter Two-Factor Code' => 'Introduzca el Cdigo de Dos Factores',
'Your account uses a two-factor security code. Enter the code your device is currently showing below.' => 'Tu cuenta utiliza un cdigo de seguridad de dos factores. Introduce el cdigo que tu dispositivo est mostrando a continuacin.',
'Security Code' => 'Cdigo de seguridad',
'This installation\'s administrator has not configured this functionality.' => 'El administrador de esta instalacin no ha configurado esta funcionalidad.',
'Contact an administrator to reset your password following the instructions in our documentation:' => 'Contacte a su administrador para restablecer su contrasea siguiendo las instrucciones de nuestra documentacin:',
'Password Reset Instructions' => 'Instrucciones de Restablecimiento de Contrasea',
),
),
);
``` | /content/code_sandbox/translations/es_ES.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 43,782 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=1; plural=0;',
'messages' =>
array (
'' =>
array (
'# Episodes' => ' ',
'# Songs' => ' ',
'%{ dj } is now live on %{ station }! Tune in now: %{ url }' => '%{ dj } %{ station } ! : %{ url }',
'%{ hours } hours' => '%{ hours }',
'%{ minutes } minutes' => '%{ minutes }',
'%{ seconds } seconds' => '%{ seconds }',
'%{ station } is back online! Tune in now: %{ url }' => '%{ station }() ! : %{ url }',
'%{ station } is going offline for now.' => '%{ station }() .',
'%{filesCount} File' => '%{filesCount} ',
'%{listeners} Listener' => '%{listeners} ',
'%{messages} queued messages' => '%{messages} ',
'%{name} - Copy' => '%{name} - ',
'%{numPlaylists} playlist' => '%{numPlaylists} ',
'%{numSongs} uploaded song' => ' %{numSongs} ',
'%{spaceUsed} of %{spaceTotal} Used' => '%{spaceUsed}/%{spaceTotal} ',
'%{spaceUsed} Used' => '%{spaceUsed} ',
'%{station} - Copy' => '%{station} - ',
'12 Hour' => '12',
'24 Hour' => '24',
'A completely random track is picked for playback every time the queue is populated.' => ' .',
'A name for this stream that will be used internally in code. Should only contain letters, numbers, and underscores (i.e. "stream_lofi").' => ' . , , (: \'stream_lofi\') .',
'A passkey has been selected. Submit this form to add it to your account.' => ' . .',
'A playlist containing media files hosted on this server.' => ' .',
'A playlist that instructs the station to play from a remote URL.' => ' URL .',
'A unique identifier (i.e. "G-A1B2C3D4") for this measurement stream.' => ' (: "G-A1B2C3D4").',
'About AzuraRelay' => 'AzuraRelay ',
'About Master_me' => 'Master_me ',
'About Release Channels' => ' ',
'Access Code' => ' ',
'Access Key ID' => ' ID',
'Access Token' => ' ',
'Account Details' => ' ',
'Account is Active' => ' ',
'Account List' => ' ',
'Actions' => '',
'Adapter' => '',
'Add API Key' => 'API ',
'Add Custom Field' => ' ',
'Add Episode' => ' ',
'Add Files to Playlist' => ' ',
'Add HLS Stream' => 'HLS ',
'Add Mount Point' => ' ',
'Add New GitHub Issue' => ' GitHub Issue ',
'Add New Passkey' => ' ',
'Add Playlist' => ' ',
'Add Podcast' => ' ',
'Add Remote Relay' => ' ',
'Add Role' => ' ',
'Add Schedule Item' => ' ',
'Add SFTP User' => 'SFTP ',
'Add Station' => ' ',
'Add Storage Location' => ' ',
'Add Streamer' => ' ',
'Add User' => ' ',
'Add Web Hook' => ' ',
'Administration' => '',
'Advanced' => '',
'Advanced Configuration' => ' ',
'Advanced Manual AutoDJ Scheduling Options' => ' AutoDJ ',
'Aggregate listener statistics are used to show station reports across the system. IP-based listener statistics are used to view live listener tracking and may be required for royalty reports.' => ' . IP .',
'Album' => '',
'Album Art' => ' ',
'Alert' => '',
'All Days' => '',
'All listed domain names should point to this AzuraCast installation. Separate multiple domain names with commas.' => ' AzuraCast . .',
'All Playlists' => ' ',
'All Podcasts' => ' ',
'All Types' => ' ',
'All values in the NowPlaying API response are available for use. Any empty fields are ignored.' => 'NowPlaying API . .',
'Allow Requests from This Playlist' => ' ',
'Allow Song Requests' => ' ',
'Allow Streamers / DJs' => '/DJ ',
'Allowed IP Addresses' => ' IP ',
'Always Use HTTPS' => ' HTTPS ',
'Always Write Playlists to Liquidsoap' => ' Liquidsoap ',
'Amplify: Amplification (dB)' => ': (dB)',
'An error occurred and your request could not be completed.' => ' .',
'An error occurred while loading the station profile:' => ' :',
'An error occurred with the WebDJ socket.' => 'WebDJ .',
'Analytics' => '',
'Analyze and reprocess the selected media' => ' ',
'Any of the following file types are accepted:' => ' :',
'Any time a live streamer/DJ connects to the stream' => ' /DJ ',
'Any time a live streamer/DJ disconnects from the stream' => ' /DJ ',
'Any time the currently playing song changes' => ' ',
'Any time the listener count decreases' => ' ',
'Any time the listener count increases' => ' ',
'API "Access-Control-Allow-Origin" Header' => 'API "Access-Control-Allow-Origin" ',
'API Documentation' => 'API ',
'API Key Description/Comments' => 'API /',
'API Keys' => 'API ',
'API Token' => 'API ',
'API Version' => 'API ',
'App Key' => ' ',
'App Secret' => ' ',
'Apple Podcasts' => 'Apple ',
'Apply audio processors (like compressors, limiters, or equalizers) to your stream to create a more uniform sound or enhance the listening experience. Processing requires extra CPU resources, so it may slow down your server.' => ' (, , ) . CPU .',
'Apply for an API key at Last.fm' => 'Last.fm API ',
'Apply Playlist to Folders' => ' ',
'Apply Post-processing to Live Streams' => ' ',
'Apply to Folders' => ' ',
'Are you sure?' => '?',
'Art' => '',
'Artist' => '',
'Artwork' => '',
'Artwork must be a minimum size of 1400 x 1400 pixels and a maximum size of 3000 x 3000 pixels for Apple Podcasts.' => 'Apple 1400 x 1400 3000 x 3000 .',
'Attempt to Automatically Retrieve ISRC When Missing' => 'ISRC ',
'Audio Bitrate (kbps)' => ' (kbps)',
'Audio Format' => ' ',
'Audio Post-processing Method' => ' ',
'Audio Processing' => ' ',
'Audio transcoding applications like Liquidsoap use a consistent amount of CPU over time, which gradually drains this available credit. If you regularly see stolen CPU time, you should consider migrating to a VM that has CPU resources dedicated to your instance.' => 'Liquidsoap CPU . CPU CPU VM .',
'Audit Log' => ' ',
'Author' => '',
'Auto-Assign Value' => ' ',
'AutoCue analyzes your music and automatically calculates cue points, fade points, and volume levels for a consistent listening experience.' => 'AutoCue , .',
'AutoDJ' => 'AutoDJ',
'AutoDJ Bitrate (kbps)' => 'AutoDJ (kbps)',
'AutoDJ Disabled' => 'AutoDJ ',
'AutoDJ Format' => 'AutoDJ ',
'AutoDJ has been disabled for this station. No music will automatically be played when a source is not live.' => ' AutoDJ . .',
'AutoDJ Queue' => 'AutoDJ ',
'AutoDJ Queue Length' => 'AutoDJ ',
'AutoDJ Service' => 'AutoDJ ',
'Automatic Backups' => ' ',
'Automatically create new podcast episodes when media is added to a specified playlist.' => ' .',
'Automatically Publish New Episodes' => ' ',
'Automatically publish to a Mastodon instance.' => 'Mastodon .',
'Automatically Scroll to Bottom' => ' ',
'Automatically send a customized message to your Discord server.' => 'Discord .',
'Automatically send a message to any URL when your station data changes.' => ' URL .',
'Automatically Set from ID3v2 Value' => 'ID3v2 ',
'Available Logs' => ' ',
'Avatar Service' => ' ',
'Avatars are retrieved based on your e-mail address from the %{ service } service. Click to manage your %{ service } settings.' => ' %{ service } . %{ service } .',
'Average Listeners' => ' ',
'Avoid Duplicate Artists/Titles' => '/ ',
'AzuraCast First-Time Setup' => 'AzuraCast ',
'AzuraCast Instance Name' => 'AzuraCast ',
'AzuraCast ships with a built-in free IP geolocation database. You may prefer to use the MaxMind GeoLite service instead to achieve more accurate results. Using MaxMind GeoLite requires a license key, but once the key is provided, we will automatically keep the database updated.' => 'AzuraCast IP . MaxMind GeoLite . MaxMind GeoLite .',
'AzuraCast Update Checks' => 'AzuraCast ',
'AzuraCast User' => 'AzuraCast ',
'AzuraCast uses a role-based access control system. Roles are given permissions to certain sections of the site, then users are assigned into those roles.' => 'AzuraCast . .',
'AzuraCast Wiki' => 'AzuraCast ',
'AzuraCast will scan the uploaded file for matches in this station\'s music library. Media should already be uploaded before running this step. You can re-run this tool as many times as needed.' => 'AzuraCast . . .',
'AzuraRelay is a standalone service that connects to your AzuraCast instance, automatically relays your stations via its own server, then reports the listener details back to your main instance. This page shows all currently connected instances.' => 'AzuraRelay AzuraCast . .',
'Back' => '',
'Backing up your installation is strongly recommended before any update.' => ' .',
'Backup' => '',
'Backup Format' => ' ',
'Backups' => '',
'Balanced' => ' ',
'Banned Countries' => ' ',
'Banned IP Addresses' => ' IP ',
'Banned User Agents' => ' ',
'Base Directory' => ' ',
'Base Station Directory' => ' ',
'Base Theme for Public Pages' => ' ',
'Basic Info' => ' ',
'Basic Information' => ' ',
'Basic Normalization and Compression' => ' ',
'Best & Worst' => ' ',
'Best Performing Songs' => ' ',
'Bit Rate' => ' ',
'Bitrate' => ' ',
'Bot Token' => ' ',
'Bot/Crawler' => '/',
'Branding' => '',
'Branding Settings' => ' ',
'Broadcast AutoDJ to Remote Station' => 'AutoDJ ',
'Broadcasting' => '',
'Broadcasting Service' => ' ',
'Broadcasts' => '',
'Broadcasts removed:' => ' :',
'Browser' => '',
'Browser Default' => ' ',
'Browser Icon' => '',
'Browsers' => '',
'Bucket Name' => ' ',
'Bulk Edit Episodes' => ' ',
'Bulk Media Import/Export' => ' /',
'by' => ' :',
'By default, all playlists are written to Liquidsoap as a backup in case the normal AutoDJ fails. This can affect CPU load, especially on startup. Disable to only write essential playlists to Liquidsoap.' => ' AutoDJ Liquidsoap . CPU . Liquidsoap .',
'By default, radio stations broadcast on their own ports (i.e. 8000). If you\'re using a service like CloudFlare or accessing your radio station by SSL, you should enable this feature, which routes all radio through the web ports (80 and 443).' => ' (: 8000) . CloudFlare SSL (80 443) .',
'Cached' => '',
'Calculate and use normalized volume level metadata for each track.' => ' .',
'Cancel' => '',
'Categories' => '',
'Change' => '',
'Change Password' => ' ',
'Changes' => ' ',
'Changes saved.' => ' .',
'Character Set Encoding' => ' ',
'Chat ID' => ' ID',
'Check for Updates' => ' ',
'Check this box to apply post-processing to all audio, including live streams. Uncheck this box to only apply post-processing to the AutoDJ.' => ' . AutoDJ .',
'Check Web Services for Album Art for "Now Playing" Tracks' => ' " " ',
'Check Web Services for Album Art When Uploading Media' => ' ',
'Choose a method to use when transitioning from one song to another. Smart Mode considers the volume of the two tracks when fading for a smoother effect, but requires more CPU resources.' => ' . CPU .',
'Choose a name for this webhook that will help you distinguish it from others. This will only be shown on the administration page.' => ' . .',
'Choose a new password for your account.' => ' .',
'City' => '',
'Clear' => '',
'Clear all media from playlist?' => ' ?',
'Clear All Message Queues' => ' ',
'Clear All Pending Requests?' => ' ?',
'Clear Artwork' => ' ',
'Clear Cache' => ' ',
'Clear Extra Metadata' => ' ',
'Clear Field' => ' ',
'Clear File' => ' ',
'Clear Filters' => ' ',
'Clear Image' => ' ',
'Clear List' => ' ',
'Clear Media' => ' ',
'Clear Pending Requests' => ' ',
'Clear Queue' => ' ',
'Clear Upcoming Song Queue' => ' ',
'Clear Upcoming Song Queue?' => ' ?',
'Clearing the application cache may log you out of your session.' => ' .',
'Click "Generate new license key".' => '" (Generate new license key)" .',
'Click "New Application"' => '" " .',
'Click the "Preferences" link, then "Development" on the left side menu.' => '"" "" .',
'Click the button below to generate a CSV file with all of this station\'s media. You can make any necessary changes, and then import the file using the file picker on the right.' => ' CSV . .',
'Click the button below to open your browser window to select a passkey.' => ' .',
'Click the button below to retry loading the page.' => ' .',
'Client' => '',
'Clients' => '',
'Clients by Connected Time' => ' ',
'Clients by Listeners' => ' ',
'Clone' => '',
'Clone Station' => ' ',
'Close' => '',
'CloudFlare (CF-Connecting-IP)' => 'CloudFlare (CF-Connecting-IP)',
'Code from Authenticator App' => ' ',
'Collect aggregate listener statistics and IP-based listener statistics' => ' IP ',
'Comments' => '',
'Complete the setup process by providing some information about your broadcast environment. These settings can be changed later from the administration panel.' => ' . .',
'Configure' => '',
'Configure Backups' => ' ',
'Confirm' => '',
'Confirm New Password' => ' ',
'Connected AzuraRelays' => ' AzuraRelay',
'Connection Information' => '',
'Contains explicit content' => ' ',
'Continue the setup process by creating your first radio station below. You can edit any of these details later.' => ' . .',
'Continuous Play' => ' ',
'Control how this playlist is handled by the AutoDJ software.' => 'AutoDJ .',
'Copied!' => '!',
'Copies older than the specified number of days will automatically be deleted. Set to zero to disable automatic deletion.' => ' . 0 .',
'Copy associated media and folders.' => ' .',
'Copy scheduled playback times.' => ' .',
'Copy to Clipboard' => ' ',
'Copy to New Station' => ' ',
'Could not upload file.' => ' .',
'Countries' => '',
'Country' => '',
'CPU Load' => 'CPU ',
'CPU Stats Help' => 'CPU ',
'Create a new application. Choose "Scoped Access", select your preferred level of access, then name your app. Do not name it "AzuraCast", but rather use a name specific to your installation.' => ' . " " . "AzuraCast" .',
'Create a New Radio Station' => ' ',
'Create Account' => ' ',
'Create an account on the MaxMind developer site.' => 'MaxMind .',
'Create and Continue' => ' ',
'Create custom fields to store extra metadata about each media file uploaded to your station libraries.' => ' .',
'Create Directory' => ' ',
'Create New Key' => ' ',
'Create New Playlist for Each Folder' => ' ',
'Create podcast episodes independent of your station\'s media collection.' => ' .',
'Create Station' => ' ',
'Critical' => '',
'Crossfade Duration (Seconds)' => ' ()',
'Crossfade Method' => ' ',
'Cue' => '',
'Current Configuration File' => ' ',
'Current Custom Fallback File' => ' ',
'Current Installed Version' => ' ',
'Current Intro File' => ' ',
'Current Password' => ' ',
'Current Podcast Media' => ' ',
'Custom' => ' ',
'Custom API Base URL' => ' API URL',
'Custom Branding' => ' ',
'Custom Configuration' => ' ',
'Custom CSS for Internal Pages' => ' CSS',
'Custom CSS for Public Pages' => ' CSS',
'Custom Cues: Cue-In Point (seconds)' => ' ()',
'Custom Cues: Cue-Out Point (seconds)' => ' ()',
'Custom Fading: Fade-In Time (seconds)' => ' ()',
'Custom Fading: Fade-Out Time (seconds)' => ' ()',
'Custom Fading: Start Next (seconds)' => ' : ()',
'Custom Fallback File' => ' ',
'Custom Fields' => ' ',
'Custom Frontend Configuration' => ' ',
'Custom HTML for Public Pages' => ' HTML',
'Custom JS for Public Pages' => ' JS',
'Customize' => ' ',
'Customize Administrator Password' => ' ',
'Customize AzuraCast Settings' => 'AzuraCast ',
'Customize Broadcasting Port' => ' ',
'Customize Copy' => ' ',
'Customize DJ/Streamer Mount Point' => 'DJ/ ',
'Customize DJ/Streamer Port' => 'DJ/ ',
'Customize Internal Request Processing Port' => ' ',
'Customize Source Password' => ' ',
'Customize the number of songs that will appear in the "Song History" section for this station and in all public APIs.' => ' " " API .',
'Customize this setting to ensure you get the correct IP address for remote users. Only change this setting if you use a reverse proxy, either within Docker or a third-party service like CloudFlare.' => ' IP . Docker CloudFlare .',
'Dark' => '',
'Dashboard' => '',
'Date Played' => ' ',
'Date Requested' => ' ',
'Date/Time' => '/',
'Date/Time (Browser)' => '/ ()',
'Date/Time (Station)' => ' ()',
'Days of Playback History to Keep' => ' ',
'Deactivate Streamer on Disconnect (Seconds)' => ' ()',
'Debug' => '',
'Default Album Art' => ' ',
'Default Album Art URL' => ' URL',
'Default Avatar URL' => ' URL',
'Default Live Broadcast Message' => ' ',
'Default Mount' => ' ',
'Delete' => '',
'Delete %{ num } broadcasts?' => '%{ num } ?',
'Delete %{ num } episodes?' => '%{ num } ?',
'Delete %{ num } media files?' => '%{ num } ?',
'Delete Album Art' => ' ',
'Delete API Key?' => 'API ?',
'Delete Backup?' => ' ?',
'Delete Broadcast?' => ' ?',
'Delete Custom Field?' => ' ?',
'Delete Episode?' => ' ?',
'Delete HLS Stream?' => 'HLS ?',
'Delete Mount Point?' => ' ?',
'Delete Passkey?' => ' ?',
'Delete Playlist?' => ' ?',
'Delete Podcast?' => ' ?',
'Delete Queue Item?' => ' ?',
'Delete Record?' => ' ?',
'Delete Remote Relay?' => ' ?',
'Delete Request?' => ' ?',
'Delete Role?' => ' ?',
'Delete SFTP User?' => 'SFTP ?',
'Delete Station?' => ' ?',
'Delete Storage Location?' => ' ?',
'Delete Streamer?' => ' ?',
'Delete User?' => ' ?',
'Delete Web Hook?' => ' ?',
'Description' => '',
'Desktop' => '',
'Details' => '',
'Directory' => '',
'Directory Name' => ' ',
'Disable' => '',
'Disable Crossfading' => ' ',
'Disable Optimizations' => ' ',
'Disable station?' => ' ?',
'Disable Two-Factor' => '2 ',
'Disable two-factor authentication?' => '2 ?',
'Disable?' => '?',
'Disabled' => '',
'Disconnect Streamer' => ' ',
'Discord Web Hook URL' => 'Discord URL',
'Discord Webhook' => 'Discord ',
'Disk caching makes a system much faster and more responsive in general. It does not take memory away from applications in any way since it will automatically be released by the operating system when needed.' => ' . .',
'Disk Space' => ' ',
'Display fields' => ' ',
'Display Name' => ' ',
'DJ/Streamer Buffer Time (Seconds)' => 'DJ/ ()',
'Do not collect any listener analytics' => ' ',
'Do not use a local broadcasting service.' => ' .',
'Do not use an AutoDJ service.' => 'AutoDJ .',
'Documentation' => '',
'Domain Name(s)' => ' ',
'Donate to support AzuraCast!' => 'AzuraCast !',
'Download' => '',
'Download CSV' => 'CSV ',
'Download M3U' => 'M3U ',
'Download PLS' => 'PLS ',
'Download the appropriate binary from the Stereo Tool downloads page:' => 'Stereo Tool :',
'Download the Linux x64 binary from the Shoutcast Radio Manager:' => 'Shoutcast Radio Manager Linux x64 :',
'Drag file(s) here to upload or' => ' ',
'Dropbox App Console' => 'Dropbox ',
'Dropbox Setup Instructions' => 'Dropbox ',
'Duplicate' => '',
'Duplicate Playlist' => ' ',
'Duplicate Prevention Time Range (Minutes)' => ' ()',
'Duplicate Songs' => ' ',
'E-Mail' => '',
'E-mail Address' => ' ',
'E-mail Address (Optional)' => ' ()',
'E-mail addresses can be separated by commas.' => ' .',
'E-mail Delivery Service' => ' ',
'EBU R128' => 'EBU R128',
'Edit' => '',
'Edit Branding' => ' ',
'Edit Custom Field' => ' ',
'Edit Episode' => ' ',
'Edit HLS Stream' => 'HLS ',
'Edit Liquidsoap Configuration' => 'Liquidsoap ',
'Edit Media' => ' ',
'Edit Mount Point' => ' ',
'Edit Playlist' => ' ',
'Edit Podcast' => ' ',
'Edit Profile' => ' ',
'Edit Remote Relay' => ' ',
'Edit Role' => ' ',
'Edit SFTP User' => 'SFTP ',
'Edit Station' => ' ',
'Edit Station Profile' => ' ',
'Edit Storage Location' => ' ',
'Edit Streamer' => ' ',
'Edit User' => ' ',
'Edit Web Hook' => ' ',
'Embed Code' => ' ',
'Embed Widgets' => ' ',
'Emergency' => '',
'Empty' => '',
'Enable' => '',
'Enable Advanced Features' => ' ',
'Enable AutoCue (Beta)' => 'AutoCue () ',
'Enable AutoDJ' => 'AutoDJ ',
'Enable Broadcasting' => ' ',
'Enable certain advanced features in the web interface, including advanced playlist configuration, station port assignment, changing base media directories and other functionality that should only be used by users who are comfortable with advanced functionality.' => ' , , .',
'Enable Downloads on On-Demand Page' => ' ',
'Enable HTTP Live Streaming (HLS)' => 'HTTP (HLS) ',
'Enable listeners to request a song for play on your station. Only songs that are already in your playlists are requestable.' => ' . .',
'Enable Mail Delivery' => ' ',
'Enable on Public Pages' => ' ',
'Enable On-Demand Streaming' => ' ',
'Enable Public Pages' => ' ',
'Enable ReplayGain' => 'ReplayGain ',
'Enable station?' => ' ?',
'Enable this option if your S3 provider is using paths instead of sub-domains for their S3 endpoint; for example, when using MinIO or with other self-hosted S3 storage solutions that are accessible via a path on a domain/IP instead of a subdomain.' => 'S3 S3 . MinIO /IP S3 .',
'Enable this setting to prevent metadata from being sent to the AutoDJ for files in this playlist. This is useful if the playlist contains jingles or bumpers.' => ' AutoDJ . .',
'Enable to advertise this mount point on "Yellow Pages" public radio directories.' => '"Yellow Pages" .',
'Enable to advertise this relay on "Yellow Pages" public radio directories.' => '"Yellow Pages" .',
'Enable to allow listeners to select and play from this mount point on this station\'s public pages, including embedded widgets.' => ' .',
'Enable to allow listeners to select this relay on this station\'s public pages.' => ' .',
'Enable to allow this account to log in and stream.' => ' .',
'Enable to have AzuraCast automatically run nightly backups at the time specified.' => 'AzuraCast .',
'Enable Two-Factor' => '2 ',
'Enable Two-Factor Authentication' => '2 ',
'Enable?' => '?',
'Enabled' => '',
'End Date' => ' ',
'End Time' => ' ',
'Endpoint' => '',
'Enforce Schedule Times' => ' ',
'Enlarge Album Art' => ' ',
'Ensure the library matches your system architecture' => ' .',
'Enter "AzuraCast" as the application name. You can leave the URL fields unchanged. For "Scopes", only "write:media" and "write:statuses" are required.' => ' "AzuraCast" . URL . "" "write:media" "write:statuses" .',
'Enter the access code you receive below.' => ' .',
'Enter the current code provided by your authenticator app to verify that it\'s working correctly.' => ' .',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => ' URL .',
'Enter your app secret and app key below.' => ' .',
'Enter your e-mail address to receive updates about your certificate.' => ' .',
'Enter your password' => ' ',
'Episode' => '',
'Episode Number' => ' ',
'Episodes' => '',
'Episodes removed:' => ' :',
'Episodes updated:' => ' :',
'Error' => '',
'Error moving files:' => ' :',
'Error queueing files:' => ' :',
'Error removing broadcasts:' => ' :',
'Error removing episodes:' => ' :',
'Error removing files:' => ' :',
'Error reprocessing files:' => ' :',
'Error updating episodes:' => ' :',
'Error updating playlists:' => ' :',
'Example: if the remote radio URL is path_to_url enter "path_to_url".' => ': URL path_to_url "path_to_url" .',
'Exclude Media from Backup' => ' ',
'Excluding media from automated backups will save space, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => ' . .',
'Exit Fullscreen' => ' ',
'Expected to Play at' => ' :',
'Explicit' => '',
'Export %{format}' => '%{format} ',
'Export Media to CSV' => ' CSV ',
'External' => '',
'Extra metadata cleared for files:' => ' :',
'Fallback Mount' => ' ',
'Field Name' => '',
'File Name' => ' ',
'Files marked for reprocessing:' => ' :',
'Files moved:' => ' :',
'Files played immediately:' => ' :',
'Files queued for playback:' => ' :',
'Files removed:' => ' :',
'First Connected' => ' ',
'Followers Only' => ' ',
'Footer Text' => '',
'For ARM (Raspberry Pi, etc.) installations, choose "Raspberry Pi Thimeo-ST plugin".' => 'ARM(Raspberry Pi ) "Raspberry Pi Thimeo-ST plugin" .',
'For local filesystems, this is the base path of the directory. For remote filesystems, this is the folder prefix.' => ' . .',
'For most cases, use the default UTF-8 encoding. The older ISO-8859-1 encoding can be used if accepting connections from Shoutcast 1 DJs or using other legacy software.' => ' UTF-8 . Shoutcast 1 DJ ISO-8859-1 .',
'for selected period' => ' ',
'For simple updates where you want to keep your current configuration, you can update directly via your web browser. You will be disconnected from the web interface and listeners will be disconnected from all stations.' => ' . .',
'For some clients, use port:' => ' :',
'For the legacy version' => ' ',
'For x86/64 installations, choose "x86/64 Linux Thimeo-ST plugin".' => 'x86/64 "x86/64 Linux Thimeo-ST plugin" .',
'Forgot your password?' => ' ?',
'Format' => '',
'Friday' => '',
'From your smartphone, scan the code to the right using an authentication app of your choice (FreeOTP, Authy, etc).' => ' (FreeOTP, Authy ) .',
'Full' => '',
'Full Volume' => ' ',
'General Rotation' => ' ',
'Generate Access Code' => ' ',
'Generate Report' => ' ',
'Generate/Renew Certificate' => ' /',
'Generic Web Hook' => ' ',
'Generic Web Hooks' => ' ',
'Genre' => '',
'GeoLite is not currently installed on this installation.' => ' GeoLite .',
'GeoLite version "%{ version }" is currently installed.' => ' GeoLite "%{ version }"() .',
'Get Next Song' => ' ',
'Get Now Playing' => '" " ',
'GetMeRadio' => 'GetMeRadio',
'GetMeRadio Station ID' => 'GetMeRadio ID',
'Global' => '',
'Global Permissions' => ' ',
'Go' => '',
'Google Analytics V4 Integration' => 'Google Analytics V4 ',
'Help' => '',
'Hide Album Art on Public Pages' => ' ',
'Hide AzuraCast Branding on Public Pages' => ' AzuraCast ',
'Hide Charts' => ' ',
'Hide Credentials' => ' ',
'Hide Metadata from Listeners ("Jingle Mode")' => ' (" ")',
'High CPU' => ' CPU',
'High I/O Wait can indicate a bottleneck with the server\'s hard disk, a potentially failing hard disk, or heavy load on the hard disk.' => ' I/O , .',
'Higher weight playlists are played more frequently compared to other lower-weight playlists.' => ' .',
'History' => '',
'HLS' => 'HLS',
'HLS Streams' => 'HLS ',
'Home' => '',
'Homepage Redirect URL' => ' URL',
'Hour' => '',
'HTML' => 'HTML',
'HTTP Live Streaming (HLS)' => 'HTTP (HLS)',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate streaming technology. From this page, you can configure the individual bitrates and formats that are included in the combined HLS stream.' => 'HTTP (HLS) . HLS .',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate technology supported by some clients. It does not use the standard broadcasting frontends.' => 'HTTP (HLS) . .',
'Icecast Clients' => 'Icecast ',
'Icecast/Shoutcast Stream URL' => 'Icecast/Shoutcast URL',
'Identifier' => '',
'If a live DJ connects but has not yet sent metadata, this is the message that will display on player pages.' => ' DJ .',
'If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.' => ' URL . .',
'If a visitor is not signed in and visits the AzuraCast homepage, you can automatically redirect them to the URL specified here. Leave blank to redirect them to the login screen by default.' => ' AzuraCast URL . .',
'If disabled, the playlist will not be included in radio playback, but can still be managed.' => ' .',
'If disabled, the station will not be visible on public-facing pages or APIs.' => ' API .',
'If disabled, the station will not broadcast or shuffle its AutoDJ.' => ' AutoDJ .',
'If enabled, a download button will also be present on the public "On-Demand" page.' => ' "" .',
'If enabled, AzuraCast will automatically record any live broadcasts made to this station to per-broadcast recordings.' => ' AzuraCast .',
'If enabled, AzuraCast will connect to the MusicBrainz database to attempt to find an ISRC for any files where one is missing. Disabling this may improve performance.' => ' AzuraCast MusicBrainz ISRC . .',
'If enabled, music from playlists with on-demand streaming enabled will be available to stream via a specialized public page.' => ' .',
'If enabled, streamers (or DJs) will be able to connect directly to your stream and broadcast live music that interrupts the AutoDJ stream.' => ' ( DJ) AutoDJ .',
'If enabled, the AutoDJ on this installation will automatically play music to this mount point.' => ' , AutoDJ .',
'If enabled, the AutoDJ will automatically play music to this mount point.' => ' AutoDJ .',
'If enabled, this streamer will only be able to connect during their scheduled broadcast times.' => ' .',
'If requests are enabled for your station, users will be able to request media that is on this playlist.' => ' , .',
'If requests are enabled, this specifies the minimum delay (in minutes) between a request being submitted and being played. If set to zero, a minor delay of 15 seconds is applied to prevent request floods.' => ' () . 0 15 .',
'If selected, album art will not display on public-facing radio pages.' => ' .',
'If selected, this will remove the AzuraCast branding from public-facing pages.' => ' AzuraCast .',
'If the end time is before the start time, the playlist will play overnight.' => ' , .',
'If the end time is before the start time, the schedule entry will continue overnight.' => ' , .',
'If the mountpoint (i.e. /radio.mp3) or Shoutcast SID (i.e. 2) you broadcast to is different from the stream URL, specify the source mount point here.' => ' (: /radio.mp3) Shoutcast SID(: 2) URL .',
'If the port you broadcast to is different from the stream URL, specify the source port here.' => ' URL .',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => ' .',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => ' . /error.mp3 .',
'If this setting is set to "Yes", the browser URL will be used instead of the base URL when it\'s available. Set to "No" to always use the base URL.' => ' "" URL URL . URL "" .',
'If this station has on-demand streaming and downloading enabled, only songs that are in playlists with this setting enabled will be visible.' => ' , .',
'If you are broadcasting using AutoDJ, enter the source password here.' => 'AutoDJ .',
'If you are broadcasting using AutoDJ, enter the source username here. This may be blank.' => 'AutoDJ . .',
'If you\'re experiencing a bug or error, you can submit a GitHub issue using the link below.' => ' GitHub .',
'If your installation is constrained by CPU or memory, you can change this setting to tune the resources used by Liquidsoap.' => ' CPU Liquidsoap .',
'If your Mastodon username is "@test@example.com", enter "example.com".' => 'Mastodon "@test@example.com" "example.com" .',
'If your stream is set to advertise to YP directories above, you must specify an authorization hash. You can manage these on the Shoutcast web site.' => ' YP . Shoutcast .',
'If your streaming software requires a specific mount point path, specify it here. Otherwise, use the default.' => ' . .',
'If your web hook requires HTTP basic authentication, provide the password here.' => ' HTTP .',
'If your web hook requires HTTP basic authentication, provide the username here.' => ' HTTP .',
'Import Changes from CSV' => 'CSV ',
'Import from PLS/M3U' => 'PLS/M3U ',
'Import Results' => ' ',
'Important: copy the key below before continuing!' => ': !',
'In order to install Shoutcast:' => 'Shoutcast :',
'In order to install Stereo Tool:' => 'Stereo Tool :',
'In order to process quickly, web hooks have a short timeout, so the responding service should be optimized to handle the request in under 2 seconds.' => ' 2 .',
'Include in On-Demand Player' => ' ',
'Indefinitely' => '',
'Indicates the presence of explicit content (explicit language or adult content). Apple Podcasts displays an Explicit parental advisory graphic for your episode if turned on. Episodes containing explicit material aren\'t available in some Apple Podcasts territories.' => ' ( ) . Apple . Apple .',
'Info' => '',
'Information about the current playing track will appear here once your station has started.' => ' .',
'Insert' => '',
'Install GeoLite IP Database' => 'GeoLite IP ',
'Install Shoutcast' => 'Shoutcast ',
'Install Shoutcast 2 DNAS' => 'Shoutcast 2 DNAS ',
'Install Stereo Tool' => 'Stereo Tool ',
'Instructions' => '',
'Internal notes or comments about the user, visible only on this control panel.' => ' .',
'International Standard Recording Code, used for licensing reports.' => ' .',
'Interrupt other songs to play at scheduled time.' => ' .',
'Intro' => '',
'IP' => 'IP',
'IP Address Source' => 'IP ',
'IP Geolocation is used to guess the approximate location of your listeners based on the IP address they connect with. Use the free built-in IP Geolocation library or enter a license key on this page to use MaxMind GeoLite.' => 'IP IP . IP Geolocation MaxMind GeoLite .',
'Is Public' => '',
'Is Published' => '',
'ISRC' => 'ISRC ( )',
'Items per page' => ' ',
'Jingle Mode' => ' ',
'Language' => '',
'Last 14 Days' => ' 14',
'Last 2 Years' => ' 2',
'Last 24 Hours' => ' 24',
'Last 30 Days' => ' 30',
'Last 60 Days' => ' 60',
'Last 7 Days' => ' 7',
'Last Modified' => ' ',
'Last Month' => ' ',
'Last Processed Time' => ' ',
'Last Run' => ' ',
'Last run:' => ' :',
'Last Year' => ' ',
'Last.fm API Key' => 'Last.fm API ',
'Latest Update' => ' ',
'Learn about Advanced Playlists' => ' ',
'Learn more about AutoCue' => 'AutoCue ',
'Learn More about Post-processing CPU Impact' => ' CPU ',
'Learn more about release channels in the AzuraCast docs.' => 'AzuraCast .',
'Learn more about this header.' => ' .',
'Leave blank to automatically generate a new password.' => ' .',
'Leave blank to play on every day of the week.' => ' .',
'Leave blank to use the current password.' => ' .',
'Leave blank to use the default Telegram API URL (recommended).' => ' Telegram API URL ().',
'Length' => '',
'Let\'s get started by creating your Super Administrator account.' => ' .',
'LetsEncrypt' => 'LetsEncrypt',
'LetsEncrypt provides simple, free SSL certificates allowing you to secure traffic through your control panel and radio streams.' => 'LetsEncrypt SSL .',
'Light' => '',
'Like our software?' => ' ?',
'Limited' => '',
'LiquidSoap is currently shuffling from %{songs} and %{playlists}.' => 'LiquidSoap %{songs} %{playlists} .',
'Liquidsoap Performance Tuning' => 'Liquidsoap ',
'List one IP address or group (in CIDR format) per line.' => ' IP (CIDR ) .',
'List one user agent per line. Wildcards (*) are allowed.' => ' . (*) .',
'Listener Analytics Collection' => ' ',
'Listener Gained' => ' ',
'Listener History' => ' ',
'Listener Lost' => ' ',
'Listener Report' => ' ',
'Listener Request' => ' ',
'Listener Type' => ' ',
'Listeners' => '',
'Listeners by Day' => ' ',
'Listeners by Day of Week' => ' ',
'Listeners by Hour' => ' ',
'Listeners by Listening Time' => ' ',
'Listeners By Time Period' => ' ',
'Listeners Per Station' => ' ',
'Listening Time' => '',
'Live' => '',
'Live Broadcast Recording Bitrate (kbps)' => ' (kbps)',
'Live Broadcast Recording Format' => ' ',
'Live Listeners' => ' ',
'Live Recordings Storage Location' => ' ',
'Live Streamer:' => ' :',
'Live Streamer/DJ Connected' => ' /DJ ',
'Live Streamer/DJ Disconnected' => ' /DJ ',
'Live Streaming' => ' ',
'Load Average' => ' ',
'Loading' => ' ',
'Local' => '',
'Local Broadcasting Service' => ' ',
'Local Filesystem' => ' ',
'Local IP (Default)' => ' IP ()',
'Local Streams' => ' ',
'Location' => '',
'Log In' => '',
'Log Output' => ' ',
'Log Viewer' => ' ',
'Logs' => '',
'Logs by Station' => ' ',
'Loop Once' => ' ',
'Main Message Content' => ' ',
'Make HLS Stream Default in Public Player' => ' HLS ',
'Make the selected media play immediately, interrupting existing media' => ' ',
'Manage' => '',
'Manage Avatar' => ' ',
'Manage SFTP Accounts' => 'SFTP ',
'Manage Stations' => ' ',
'Manual AutoDJ Mode' => ' AutoDJ ',
'Manual Updates' => ' ',
'Manually Add Episodes' => ' ',
'Manually define how this playlist is used in Liquidsoap configuration.' => 'Liquidsoap .',
'Markdown' => '',
'Master_me is an open-source automatic mastering plugin for streaming, podcasts and Internet radio.' => 'Master_me , .',
'Master_me Loudness Target (LUFS)' => 'Master_me (LUFS)',
'Master_me Post-processing' => 'Master_me ',
'Master_me Preset' => 'Master_me ',
'Master_me Project Homepage' => 'Master_me ',
'Mastodon Account Details' => 'Mastodon ',
'Mastodon Instance URL' => 'Mastodon URL',
'Mastodon Post' => 'Mastodon ',
'Matched' => '',
'Matomo Analytics Integration' => 'Matomo ',
'Matomo API Token' => 'Matomo API ',
'Matomo Installation Base URL' => 'Matomo URL',
'Matomo Site ID' => 'Matomo ID',
'Max Listener Duration' => ' ',
'Max. Connected Time' => ' ',
'Maximum Listeners' => ' ',
'Maximum number of total listeners across all streams. Leave blank to use the default.' => ' . .',
'MaxMind Developer Site' => 'MaxMind ',
'Measurement ID' => ' ID',
'Measurement Protocol API Secret' => ' API ',
'Media' => '',
'Media File' => ' ',
'Media Storage Location' => ' ',
'Memory' => '',
'Memory Stats Help' => ' ',
'Merge playlist to play as a single track.' => ' .',
'Message Body' => '
',
'Message Body on Song Change' => ' ',
'Message Body on Song Change with Streamer/DJ Connected' => '/DJ ',
'Message Body on Station Offline' => ' ',
'Message Body on Station Online' => ' ',
'Message Body on Streamer/DJ Connect' => '/DJ ',
'Message Body on Streamer/DJ Disconnect' => '/DJ ',
'Message Customization Tips' => ' ',
'Message parsing mode' => ' ',
'Message Queues' => ' ',
'Message Recipient(s)' => ' ',
'Message Subject' => ' ',
'Message Visibility' => ' ',
'Metadata updated.' => ' .',
'Microphone' => '',
'Microphone Source' => ' ',
'Min. Connected Time' => ' ',
'Minute of Hour to Play' => ' ',
'Mixer' => '',
'Mobile' => '',
'Modified' => '',
'Monday' => '',
'More' => ' ',
'Most hosting providers will put more Virtual Machines (VPSes) on a server than the hardware can handle when each VM is running at full CPU load. This is called over-provisioning, which can lead to other VMs on the server "stealing" CPU time from your VM and vice-versa.' => ' VM CPU (VPS) . , VM VM CPU "" .',
'Most Played Songs' => ' ',
'Most Recent Backup Log' => ' ',
'Mount Name:' => ' :',
'Mount Point URL' => ' URL',
'Mount Points' => ' ',
'Mount points are how listeners connect and listen to your station. Each mount point can be a different audio format or quality. Using mount points, you can set up a high-quality stream for broadband listeners and a mobile stream for phone users.' => ' . . .',
'Move' => '',
'Move %{ num } File(s) to' => '%{ num } :',
'Move Down' => ' ',
'Move to Bottom' => ' ',
'Move to Directory' => ' ',
'Move to Top' => ' ',
'Move Up' => ' ',
'Music Files' => ' ',
'Music General' => ' ',
'Must match new password.' => ' .',
'Mute' => '',
'My Account' => ' ',
'N/A' => ' ',
'Name' => '',
'name@example.com' => 'name@example.com',
'Name/Type' => '/',
'Need Help?' => ' ?',
'Network Interfaces' => ' ',
'Never run' => ' ',
'New Directory' => ' ',
'New directory created.' => ' .',
'New File Name' => ' ',
'New Folder' => ' ',
'New Key Generated' => ' ',
'New Password' => ' ',
'New Playlist' => ' ',
'New Playlist Name' => ' ',
'New Station Description' => ' ',
'New Station Name' => ' ',
'Next Run' => ' ',
'No' => '',
'No AutoDJ Enabled' => 'AutoDJ ',
'No files selected.' => ' .',
'No Limit' => ' ',
'No Match' => ' ',
'No other program can be using this port. Leave blank to automatically assign a port.' => ' . .',
'No Post-processing' => ' ',
'No records to display.' => ' .',
'No records.' => ' .',
'None' => '',
'Normal Mode' => ' ',
'Not Played' => ' ',
'Not Run' => ' ',
'Not Running' => ' ',
'Not Scheduled' => ' ',
'Note that restoring a backup will clear your existing database. Never restore backup files from untrusted users.' => ': . .',
'Note that Stereo Tool can be resource-intensive for both CPU and Memory. Please ensure you have sufficient resources before proceeding.' => 'Stereo Tool CPU . .',
'Note: If your media metadata has UTF-8 characters, you should use a spreadsheet editor that supports UTF-8 encoding, like OpenOffice.' => ': UTF-8 OpenOffice UTF-8 .',
'Note: the port after this one will automatically be used for legacy connections.' => ': .',
'Note: This should be the public-facing homepage of the radio station, not the AzuraCast URL. It will be included in broadcast details.' => ': AzuraCast URL . .',
'Notes' => '',
'Notice' => '',
'Now' => '',
'Now Playing' => ' ',
'Now playing on %{ station }:' => '%{ station } :',
'Now playing on %{ station }: %{ title } by %{ artist } with your host, %{ dj }! Tune in now: %{ url }' => ' %{ station } %{ dj } %{ artist } %{ title }() ! : %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now: %{ url }' => ' %{ station } %{ artist } %{ title }() ! : %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now.' => ' %{ station } %{ artist } %{ title }() ! .',
'NowPlaying API Response' => 'NowPlaying API ',
'Number of Backup Copies to Keep' => ' ',
'Number of Minutes Between Plays' => ' ',
'Number of seconds to overlap songs.' => ' ().',
'Number of Songs Between Plays' => ' ',
'Number of Visible Recent Songs' => ' ',
'On the Air' => '',
'On-Demand' => '',
'On-Demand Media' => ' ',
'On-Demand Streaming' => ' ',
'Once per %{minutes} Minutes' => '%{minutes} ',
'Once per %{songs} Songs' => '%{songs} ',
'Once per Hour' => ' ',
'Once per Hour (at %{minute})' => ' (%{minute})',
'Once per x Minutes' => 'x ',
'Once per x Songs' => ' x ',
'Once these steps are completed, enter the "Access Token" from the application\'s page into the field below.' => ' " " .',
'One important note on I/O Wait is that it can indicate a bottleneck or problem but also may be completely meaningless, depending on the workload and general available resources. A constantly high I/O Wait should prompt further investigation with more sophisticated tools.' => 'I/O Wait . I/O Wait .',
'Only collect aggregate listener statistics' => ' ',
'Only loop through playlist once.' => ' .',
'Only play one track at scheduled time.' => ' .',
'Only Post Once Every...' => ' ...',
'Operation' => '',
'Optional: HTTP Basic Authentication Password' => ' : HTTP ',
'Optional: HTTP Basic Authentication Username' => ' : HTTP ',
'Optional: Request Timeout (Seconds)' => ' : ()',
'Optionally list this episode as part of a season in some podcast aggregators.' => ' .',
'Optionally select an ID3v2 metadata field that, if present, will be used to set this field\'s value.' => ' ID3v2 .',
'Optionally set a specific episode number in some podcast aggregators.' => ' .',
'Optionally specify a short URL-friendly name, such as "my_station_name", that will be used in this station\'s URLs. Leave this field blank to automatically create one based on the station name.' => ' URL "my_station_name" URL . .',
'Optionally specify an API-friendly name, such as "field_name". Leave this field blank to automatically create one based on the name.' => ' "field_name" API . .',
'Optionally supply an API token to allow IP address overriding.' => ' IP API .',
'Optionally supply SSH public keys this user can use to connect instead of a password. Enter one key per line.' => ' SSH . .',
'or' => '',
'Original Path' => ' ',
'Other Remote URL (File, HLS, etc.)' => ' URL(, HLS )',
'Owner' => '',
'Page' => '',
'Passkey Authentication' => ' ',
'Passkey Nickname' => ' ',
'Password' => '',
'Password:' => ':',
'Paste the generated license key into the field on this page.' => ' .',
'Path/Suffix' => '/',
'Pending Requests' => ' ',
'Permissions' => '',
'Play' => '',
'Play Now' => ' ',
'Play once every $x minutes.' => '$x .',
'Play once every $x songs.' => ' $x .',
'Play once per hour at the specified minute.' => ' .',
'Playback Queue' => ' ',
'Playing Next' => ' ',
'Playlist' => ' ',
'Playlist (M3U/PLS) URL' => ' (M3U/PLS) URL',
'Playlist 1' => ' 1',
'Playlist 2' => ' 2',
'Playlist Name' => ' ',
'Playlist order set.' => ' .',
'Playlist queue cleared.' => ' ',
'Playlist successfully applied to folders.' => ' .',
'Playlist Type' => ' ',
'Playlist Weight' => ' ',
'Playlist-Based' => ' ',
'Playlist-Based Podcast' => ' ',
'Playlist-based podcasts will automatically sync with the contents of a playlist, creating new podcast episodes for any media added to the playlist.' => ' .',
'Playlist:' => ' ',
'Playlists' => ' ',
'Playlists cleared for selected files:' => ' :',
'Playlists updated for selected files:' => ' :',
'Plays' => '',
'Please log in to continue.' => ' .',
'Podcast' => '',
'Podcast media should be in the MP3 or M4A (AAC) format for the greatest compatibility.' => ' MP3 M4A(AAC) .',
'Podcast Title' => ' ',
'Podcasts' => '',
'Podcasts Storage Location' => ' ',
'Port' => '',
'Port:' => ':',
'Powered by' => ':',
'Powered by AzuraCast' => 'AzuraCast ',
'Prefer Browser URL (If Available)' => ' URL ( )',
'Prefer System Default' => ' ',
'Preview' => '',
'Previous' => '',
'Privacy' => ' ',
'Profile' => '',
'Programmatic Name' => ' ',
'Provide a valid license key from Thimeo. Functionality is limited without a license key.' => 'Thimeo . .',
'Public' => '',
'Public Page' => ' ',
'Public Page Background' => ' ',
'Public Pages' => ' ',
'Publish At' => ' ',
'Publish to "Yellow Pages" Directories' => '"Yellow Pages" ',
'Queue' => '',
'Queue the selected media to play next' => ' ',
'Radio Player' => ' ',
'Radio.de' => 'Radio.de',
'Radio.de API Key' => 'Radio.de API ',
'Radio.de Broadcast Subdomain' => 'Radio.de ',
'RadioRed Organization API Key' => 'RadioRed API ',
'RadioReg Webhook URL' => 'RadioRed URL',
'RadioReg.net' => 'RadioReg.net',
'Random' => '',
'Ready to start broadcasting? Click to start your station.' => ' ? .',
'Received' => '',
'Record Live Broadcasts' => ' ',
'Recover Account' => ' ',
'Refresh' => ' ',
'Refresh rows' => ' ',
'Region' => '',
'Relay' => '',
'Relay Stream URL' => ' URL',
'Release Channel' => ' ',
'Reload' => ' ',
'Reload Configuration' => ' ',
'Reload to Apply Changes' => ' ',
'Reloading broadcasting will not disconnect your listeners.' => ' .',
'Remember me' => ' ',
'Remote' => '',
'Remote Playback Buffer (Seconds)' => ' ()',
'Remote Relays' => ' ',
'Remote relays let you work with broadcasting software outside this server. Any relay you include here will be included in your station\'s statistics. You can also broadcast from this server to remote relays.' => ' . . .',
'Remote Station Administrator Password' => ' ',
'Remote Station Listening Mountpoint/SID' => ' /SID',
'Remote Station Listening URL' => ' URL',
'Remote Station Source Mountpoint/SID' => ' /SID',
'Remote Station Source Password' => ' ',
'Remote Station Source Port' => ' ',
'Remote Station Source Username' => ' ',
'Remote Station Type' => ' ',
'Remote URL' => ' URL',
'Remote URL Playlist' => ' URL ',
'Remote URL Type' => ' URL ',
'Remote: Dropbox' => ': Dropbox',
'Remote: S3 Compatible' => ': S3 ',
'Remote: SFTP' => ': SFTP',
'Remove' => '',
'Remove any extra metadata (fade points, cue points, etc.) from the selected media' => ' ( , ) ',
'Remove Key' => ' ',
'Rename' => ' ',
'Rename File/Directory' => '/ ',
'Reorder' => '',
'Reorder Playlist' => ' ',
'Repeat' => '',
'Replace Album Cover Art' => ' ',
'Reports' => '',
'Reprocess' => '',
'Request' => '',
'Request a Song' => ' ',
'Request History' => ' ',
'Request Last Played Threshold (Minutes)' => ' ()',
'Request Minimum Delay (Minutes)' => ' ()',
'Request Song' => ' ',
'Requester IP' => ' IP',
'Requests' => '',
'Required' => '',
'Reshuffle' => ' ',
'Restart' => ' ',
'Restart Broadcasting' => ' ',
'Restarting broadcasting will briefly disconnect your listeners.' => ' .',
'Restarting broadcasting will rewrite all configuration files and restart all services.' => ' .',
'Restoring Backups' => ' ',
'Reverse Proxy (X-Forwarded-For)' => ' (X-Forwarded-For)',
'Role Name' => ' ',
'Roles' => '',
'Roles & Permissions' => ' ',
'Rolling Release' => ' ',
'RSS' => 'RSS',
'RSS Feed' => 'RSS ',
'Run Automatic Nightly Backups' => ' ',
'Run Manual Backup' => ' ',
'Run Task' => ' ',
'Running' => ' ',
'Sample Rate' => ' ',
'Saturday' => '',
'Save' => '',
'Save and Continue' => ' ',
'Save Changes' => ' ',
'Save Changes first' => ' ',
'Schedule' => '',
'Schedule View' => ' ',
'Scheduled' => '',
'Scheduled Backup Time' => ' ',
'Scheduled Play Days of Week' => ' ',
'Scheduled playlists and other timed items will be controlled by this time zone.' => ' .',
'Scheduled Time #%{num}' => ' #%{num}',
'Scheduling' => '',
'Search' => '',
'Season Number' => ' ',
'Seconds from the start of the song that the AutoDJ should start playing.' => 'AutoDJ .',
'Seconds from the start of the song that the AutoDJ should stop playing.' => 'AutoDJ .',
'Seconds from the start of the song that the next song should begin when fading. Leave blank to use the system default.' => ' . .',
'Secret Key' => '',
'Security' => '',
'Security & Privacy' => ' ',
'See the Telegram documentation for more details.' => ' Telegram .',
'See the Telegram Documentation for more details.' => ' Telegram .',
'Seek' => '',
'Segment Length (Seconds)' => ' ()',
'Segments in Playlist' => ' ',
'Segments Overhead' => ' ',
'Select' => '',
'Select a theme to use as a base for station public pages and the login page.' => ' .',
'Select All Rows' => ' ',
'Select an option here to apply post-processing using an easy preset or tool. You can also manually apply post-processing by editing your Liquidsoap configuration manually.' => ' . Liquidsoap .',
'Select Configuration File' => ' ',
'Select CSV File' => 'CSV ',
'Select Custom Fallback File' => ' ',
'Select File' => ' ',
'Select Intro File' => ' ',
'Select Media File' => ' ',
'Select Passkey' => ' ',
'Select Playlist' => ' ',
'Select PLS/M3U File to Import' => ' PLS/M3U ',
'Select PNG/JPG artwork file' => 'PNG/JPG ',
'Select Row' => ' ',
'Select the category/categories that best reflects the content of your podcast.' => ' .',
'Select the countries that are not allowed to connect to the streams.' => ' .',
'Select Web Hook Type' => ' ',
'Selected directory:' => ' :',
'Send an e-mail to specified address(es).' => ' .',
'Send E-mail' => ' ',
'Send song metadata changes to %{service}' => ' %{service}() .',
'Send song metadata changes to %{service}.' => ' %{service}() .',
'Send stream listener details to Google Analytics.' => ' Google Analytics .',
'Send stream listener details to Matomo Analytics.' => ' Matomo Analytics .',
'Send Test Message' => ' ',
'Sender E-mail Address' => ' ',
'Sender Name' => ' ',
'Sequential' => '',
'Server Status' => ' ',
'Server:' => ':',
'Services' => '',
'Set a maximum disk space that this storage location can use. Specify the size with unit, i.e. "8 GB". Units are measured in 1024 bytes. Leave blank to default to the available space on the disk.' => ' . (: "8GB") . 1024 . .',
'Set as Default Mount Point' => ' ',
'Set cue and fade points using the visual editor. The timestamps will be saved to the corresponding fields in the advanced playback settings.' => ' . .',
'Set Cue In' => ' ',
'Set Cue Out' => ' ',
'Set Fade In' => ' ',
'Set Fade Out' => ' ',
'Set Fade Start Next' => ' ',
'Set longer to preserve more playback history and listener metadata for stations. Set shorter to save disk space.' => ' . .',
'Set the length of time (seconds) a listener will stay connected to the stream. If set to 0, listeners can stay connected infinitely.' => ' () . 0 .',
'Set to "Yes" to always use "https://" secure URLs, and to automatically redirect to the secure URL when an insecure URL is visited (HSTS).' => ' "https://" URL , URL URL "" (HSTS).',
'Set to * to allow all sources, or specify a list of origins separated by a comma (,).' => ' * , (,) .',
'Settings' => '',
'Setup instructions for broadcasting software are available on the AzuraCast wiki.' => ' AzuraCast wiki .',
'SFTP Host' => 'SFTP ',
'SFTP Password' => 'SFTP ',
'SFTP Port' => 'SFTP ',
'SFTP Private Key' => 'SFTP ',
'SFTP Private Key Pass Phrase' => 'SFTP ',
'SFTP Username' => 'SFTP ',
'SFTP Users' => 'SFTP ',
'Share Media Storage Location' => ' ',
'Share Podcasts Storage Location' => ' ',
'Share Recordings Storage Location' => ' ',
'Shoutcast 2 DNAS is not currently installed on this installation.' => ' Shoutcast 2 DNAS .',
'Shoutcast 2 DNAS is not free software, and its restrictive license does not allow AzuraCast to distribute the Shoutcast binary.' => 'Shoutcast 2 DNAS AzuraCast Shoutcast .',
'Shoutcast Clients' => 'Shoutcast ',
'Shoutcast Radio Manager' => 'Shoutcast ',
'Shoutcast User ID' => 'Shoutcast ID',
'Shoutcast version "%{ version }" is currently installed.' => ' Shoutcast "%{ version }"() .',
'Show Charts' => ' ',
'Show Credentials' => ' ',
'Show HLS Stream on Public Player' => ' HLS ',
'Show new releases within your update channel on the AzuraCast homepage.' => 'AzuraCast .',
'Show on Public Pages' => ' ',
'Show the station in public pages and general API results.' => ' API .',
'Show Update Announcements' => ' ',
'Shuffled' => '',
'Sidebar' => '',
'Sign In' => '',
'Sign In with Passkey' => ' ',
'Sign Out' => '',
'Site Base URL' => ' URL',
'Size' => '',
'Skip Song' => ' ',
'Skip to main content' => ' ',
'Smart Mode' => ' ',
'SMTP Host' => 'SMTP ',
'SMTP Password' => 'SMTP ',
'SMTP Port' => 'SMTP ',
'SMTP Username' => 'SMTP ',
'Social Media' => ' ',
'Some clients may require that you enter a port number that is either one above or one below this number.' => ' .',
'Some stream licensing providers may have specific rules regarding song requests. Check your local regulations for more information.' => ' . .',
'Song' => '',
'Song Album' => ' ',
'Song Artist' => ' ',
'Song Change' => ' ',
'Song Change (Live Only)' => ' ( )',
'Song Genre' => ' ',
'Song History' => ' ',
'Song Length' => ' ',
'Song Lyrics' => ' ',
'Song Playback Order' => ' ',
'Song Playback Timeline' => ' ',
'Song Requests' => ' ',
'Song Title' => ' ',
'Song-based' => ' ',
'Song-Based' => ' ',
'Song-Based Playlist' => ' ',
'SoundExchange Report' => 'SoundExchange ',
'SoundExchange Royalties' => 'SoundExchange ',
'Source' => '',
'Space Used' => ' ',
'Specify a mountpoint (i.e. "/radio.mp3") or a Shoutcast SID (i.e. "2") to specify a specific stream to use for statistics or broadcasting.' => ' ("/radio.mp3") Shoutcast SID("2") .',
'Specify the minute of every hour that this playlist should play.' => ' .',
'Speech General' => ' ',
'SSH Public Keys' => 'SSH ',
'Stable' => ' ',
'Standard playlist, shuffles with other standard playlists based on weight.' => ' , .',
'Start' => '',
'Start Date' => ' ',
'Start Station' => ' ',
'Start Streaming' => ' ',
'Start Time' => ' ',
'Station Directories' => ' ',
'Station Disabled' => ' ',
'Station Goes Offline' => ' ',
'Station Goes Online' => ' ',
'Station Media' => ' ',
'Station Name' => ' ',
'Station Offline' => ' ',
'Station Offline Display Text' => ' ',
'Station Overview' => ' ',
'Station Permissions' => ' ',
'Station Podcasts' => ' ',
'Station Recordings' => ' ',
'Station Statistics' => ' ',
'Station Time' => ' ',
'Station Time Zone' => ' ',
'Station-Specific Debugging' => ' ',
'Station(s)' => '',
'Stations' => '',
'Stations using Icecast can soft-reload the station configuration, applying changes while keeping the stream broadcast running.' => 'Icecast (soft-reload) .',
'Steal' => '',
'Steal (St)' => ' (St)',
'Step %{step}' => '%{step}',
'Step 1: Scan QR Code' => 'Step 1: QR ',
'Step 2: Verify Generated Code' => 'Step 2: ',
'Steps for configuring a Mastodon application:' => 'Mastodon :',
'Stereo Tool' => 'Stereo Tool',
'Stereo Tool documentation.' => 'Stereo Tool ',
'Stereo Tool Downloads' => 'Stereo Tool ',
'Stereo Tool is a popular, proprietary tool for software audio processing. Using Stereo Tool, you can customize the sound of your stations using preset configuration files.' => 'Stereo Tool . .',
'Stereo Tool is an industry standard for software audio processing. For more information on how to configure it, please refer to the' => 'Stereo Tool . :',
'Stereo Tool is not currently installed on this installation.' => ' Stereo Tool .',
'Stereo Tool is not free software, and its restrictive license does not allow AzuraCast to distribute the Stereo Tool binary.' => 'Stereo Tool AzuraCast Stereo Tool .',
'Stereo Tool version %{ version } is currently installed.' => ' Stereo Tool "%{ version }"() .',
'Stop' => '',
'Stop Streaming' => ' ',
'Storage Adapter' => ' ',
'Storage Location' => ' ',
'Storage Locations' => ' ',
'Storage Quota' => ' ',
'Stream' => '',
'Streamer Broadcasts' => ' ',
'Streamer Display Name' => ' ',
'Streamer password' => ' ',
'Streamer Username' => ' ',
'Streamer/DJ' => '/DJ',
'Streamer/DJ Accounts' => '/DJ ',
'Streamers/DJs' => '/DJ',
'Streams' => '',
'Submit Code' => ' ',
'Sunday' => '',
'Support Documents' => ' ',
'Supported file formats:' => ' :',
'Switch Theme' => ' ',
'Synchronization Tasks' => ' ',
'Synchronize with Playlist' => ' ',
'System Administration' => ' ',
'System Debugger' => ' ',
'System Logs' => ' ',
'System Maintenance' => ' ',
'System Settings' => ' ',
'Target' => '',
'Task Name' => ' ',
'Telegram Chat Message' => 'Telegram ',
'Test' => '',
'Test message sent.' => ' .',
'Thanks for listening to %{ station }!' => '%{ station }() !',
'The amount of memory Linux is using for disk caching.' => 'Linux .',
'The average target loudness (measured in LUFS) for the broadcasted stream. Values between -14 and -18 LUFS are common for Internet radio stations.' => ' (LUFS ). -14 -18 LUFS .',
'The base URL where this service is located. Use either the external IP address or fully-qualified domain name (if one exists) pointing to this server.' => ' URL. IP ( ) .',
'The body of the POST message is the exact same as the NowPlaying API response for your station.' => 'POST NowPlaying API .',
'The contact person of the podcast. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => ' . Apple , Spotify, Google .',
'The current CPU usage including I/O Wait and Steal.' => 'I/O CPU .',
'The current Memory usage excluding cached memory.' => ' .',
'The date and time when the episode should be published.' => ' .',
'The description of the episode. The typical maximum amount of text allowed for this is 4000 characters.' => ' . 4000.',
'The description of your podcast. The typical maximum amount of text allowed for this is 4000 characters.' => ' . 4000.',
'The display name assigned to this mount point when viewing it on administrative or public pages. Leave blank to automatically generate one.' => ' . .',
'The display name assigned to this relay when viewing it on administrative or public pages. Leave blank to automatically generate one.' => ' . .',
'The editable text boxes are areas where you can insert custom configuration code. The non-editable sections are automatically generated by AzuraCast.' => ' . AzuraCast .',
'The email of the podcast contact. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => ' . Apple , Spotify, Google .',
'The file name should look like:' => ' :',
'The format and headers of this CSV should match the format generated by the export function on this page.' => ' CSV .',
'The full base URL of your Matomo installation.' => 'Matomo URL.',
'The full playlist is shuffled and then played through in the shuffled order.' => ' .',
'The I/O Wait is the percentage of time that the CPU is waiting for disk access before it can continue the work that depends on the result of this.' => 'I/O CPU .',
'The language spoken on the podcast.' => ' .',
'The length of playback time that Liquidsoap should buffer when playing this remote playlist. Shorter times may lead to intermittent playback on unstable connections.' => ' Liquidsoap . .',
'The number of seconds of signal to store in case of interruption. Set to the lowest value that your DJs can use without stream interruptions.' => ' (). DJ .',
'The number of seconds to wait for a response from the remote server before cancelling the request.' => ' ().',
'The numeric site ID for this site.' => ' ID.',
'The order of the playlist is manually specified and followed by the AutoDJ.' => ' AutoDJ .',
'The parent directory where station playlist and configuration files are stored. Leave blank to use default directory.' => ' . .',
'The relative path of the file in the station\'s media directory.' => ' .',
'The station ID will be a numeric string that starts with the letter S.' => ' ID S .',
'The streamer will use this password to connect to the radio server.' => ' .',
'The streamer will use this username to connect to the radio server.' => ' .',
'The time period that the song should fade in. Leave blank to use the system default.' => ' . .',
'The time period that the song should fade out. Leave blank to use the system default.' => ' . .',
'The URL that will receive the POST messages any time an event is triggered.' => ' POST URL.',
'The volume in decibels to amplify the track with. Leave blank to use the system default.' => ' (). .',
'The WebDJ lets you broadcast live to your station using just your web browser.' => 'WebDJ .',
'Theme' => '',
'There is no existing custom fallback file associated with this station.' => ' .',
'There is no existing intro file associated with this mount point.' => ' .',
'There is no existing media associated with this episode.' => ' .',
'There is no Stereo Tool configuration file present.' => 'Stereo Tool .',
'This account will have full access to the system, and you\'ll automatically be logged in to it for the rest of setup.' => ' .',
'This can be generated in the "Events" section for a measurement.' => ' "Events" .',
'This can be retrieved from the GetMeRadio dashboard.' => 'GetMeRadio .',
'This can make it look like your memory is low while it actually is not. Some monitoring solutions/panels include cached memory in their used memory statistics without indicating this.' => ' . / .',
'This code will be included in the frontend configuration. Allowed formats are:' => ' . :',
'This configuration file should be a valid .sts file exported from Stereo Tool.' => ' Stereo Tool .sts .',
'This CSS will be applied to the main management pages, like this one.' => ' CSS .',
'This CSS will be applied to the station public pages and login page.' => ' CSS .',
'This CSS will be applied to the station public pages.' => ' CSS .',
'This determines how many songs in advance the AutoDJ will automatically fill the queue.' => ' AutoDJ .',
'This feature requires the AutoDJ feature to be enabled.' => ' AutoDJ .',
'This field is required.' => ' .',
'This field must be a valid decimal number.' => ' 10 .',
'This field must be a valid e-mail address.' => ' .',
'This field must be a valid integer.' => ' .',
'This field must be a valid IP address.' => ' IP .',
'This field must be a valid URL.' => ' URL .',
'This field must be between %{ min } and %{ max }.' => ' %{ min } %{ max } .',
'This field must have at least %{ min } letters.' => ' %{ min } .',
'This field must have at most %{ max } letters.' => ' %{ max } .',
'This field must only contain alphabetic characters.' => ' .',
'This field must only contain alphanumeric characters.' => ' .',
'This field must only contain numeric characters.' => ' .',
'This file will be played on your radio station any time no media is scheduled to play or a critical error occurs that interrupts regular broadcasting.' => ' .',
'This image will be used as the default album art when this streamer is live.' => ' .',
'This introduction file should exactly match the bitrate and format of the mount point itself.' => ' .',
'This is a 3-5 digit number.' => '3~5 .',
'This is an advanced feature and custom code is not officially supported by AzuraCast. You may break your station by adding custom code, but removing it should fix any issues.' => ' AzuraCast . .',
'This is the informal display name that will be shown in API responses if the streamer/DJ is live.' => ' /DJ API .',
'This is the number of seconds until a streamer who has been manually disconnected can reconnect to the stream. Set to 0 to allow the streamer to immediately reconnect.' => ' (). 0 .',
'This javascript code will be applied to the station public pages and login page.' => ' .',
'This javascript code will be applied to the station public pages.' => ' .',
'This mode disables AzuraCast\'s AutoDJ management, using Liquidsoap itself to manage song playback. "next song" and some other features will not be available.' => ' Liquidsoap AzuraCast AutoDJ . " " .',
'This Month' => ' ',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => ' (/) /autodj.mp3 URL .',
'This name will appear as a sub-header next to the AzuraCast logo, to help identify this server.' => ' AzuraCast .',
'This page lists all API keys assigned to all users across the system. To manage your own API keys, visit your account profile.' => ' API . API .',
'This password is too common or insecure.' => ' .',
'This playlist currently has no scheduled times. It will play at all times. To add a new scheduled time, click the button below.' => ' . . .',
'This playlist will play every $x minutes, where $x is specified here.' => ' $x . $x .',
'This playlist will play every $x songs, where $x is specified here.' => ' $x . $x .',
'This podcast is automatically synchronized with a playlist. Episodes cannot be manually added or removed via this panel.' => ' . .',
'This port is not used by any external process. Only modify this port if the assigned port is in use. Leave blank to automatically assign a port.' => ' . . .',
'This queue contains the remaining tracks in the order they will be queued by the AzuraCast AutoDJ (if the tracks are eligible to be played).' => ' AzuraCast AutoDJ ( ).',
'This service can provide album art for tracks where none is available locally.' => ' .',
'This setting can result in excessive CPU consumption and should be used with caution.' => ' CPU .',
'This software is traditionally used to deliver your broadcast to your listeners. You can still broadcast remotely or via HLS if this service is disabled.' => ' . HLS .',
'This software shuffles from playlists of music constantly and plays when no other radio source is available.' => ' .',
'This specifies the minimum time (in minutes) between a song playing on the radio and being available to request again. Set to 0 for no threshold.' => ' () . 0 .',
'This specifies the time range (in minutes) of the song history that the duplicate song prevention algorithm should take into account.' => ' () .',
'This station\'s time zone is currently %{tz}.' => ' %{tz} .',
'This streamer is not scheduled to play at any times.' => ' .',
'This URL is provided within the Discord application.' => ' URL Discord .',
'This web hook is no longer supported. Removing it is recommended.' => ' . .',
'This web hook will only run when the selected event(s) occur on this specific station.' => ' .',
'This will be shown on public player pages if the station is offline. Leave blank to default to a localized version of "%{message}".' => ' . "%{message}" .',
'This will be the file name for your backup, include the extension for file type you wish to use. Leave blank to have a name generated automatically.' => ' , . .',
'This will be used as the label when editing individual songs, and will show in API results.' => ' API .',
'This will clear any pending unprocessed messages in all message queues.' => ' .',
'This will produce a significantly smaller backup, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => ' . .',
'Thumbnail Image URL' => ' URL',
'Thursday' => '',
'Time' => '',
'Time (sec)' => '()',
'Time Display' => ' ',
'Time spent waiting for disk I/O to be completed.' => ' I/O .',
'Time stolen by other virtual machines on the same physical server.' => ' .',
'Time Zone' => '',
'Title' => '',
'To alleviate this potential problem with shared CPU resources, hosts assign "credits" to a VPS which are used up according to an algorithm based on the CPU load as well as the time over which the CPU load is generated. If your VM\'s assigned credit is used up, they will take CPU time from your VM and assign it to other VMs on the machine. This is seen as the "Steal" or "St" value.' => ' CPU CPU CPU "credits" VPS . VM VM CPU VM . "Steal" "St" .',
'To customize installation settings, or if automatic updates are disabled, you can follow our standard update instructions to update via your SSH console.' => ' SSH .',
'To download the GeoLite database:' => 'GeoLite :',
'To play once per day, set the start and end times to the same value.' => ' .',
'To restore a backup from your host computer, run:' => ' :',
'To retrieve detailed unique listeners and client details, an administrator password is often required.' => ' .',
'To set this schedule to run only within a certain date range, specify a start and end date.' => ' .',
'To use this feature, a secure (HTTPS) connection is required. Firefox is recommended to avoid static when broadcasting.' => ' (HTTPS) . Firefox .',
'To verify that the code was set up correctly, enter the 6-digit code the app shows you.' => ' 6 .',
'Today' => '',
'Toggle Menu' => ' ',
'Toggle Sidebar' => ' ',
'Top Browsers by Connected Time' => ' ',
'Top Browsers by Listeners' => ' ',
'Top Countries by Connected Time' => ' ',
'Top Countries by Listeners' => ' ',
'Top Streams by Connected Time' => ' ',
'Top Streams by Listeners' => ' ',
'Total Disk Space' => ' ',
'Total Listener Hours' => ' ',
'Total RAM' => ' RAM',
'Transmitted' => '',
'Triggers' => '',
'Tuesday' => '',
'TuneIn AIR' => 'TuneIn AIR',
'TuneIn Partner ID' => 'TuneIn ID',
'TuneIn Partner Key' => 'TuneIn ',
'TuneIn Station ID' => 'TuneIn ID',
'Two-Factor Authentication' => '2 ',
'Two-factor authentication improves the security of your account by requiring a second one-time access code in addition to your password when you log in.' => '2 .',
'Typically a website with content about the episode.' => ' .',
'Typically the home page of a podcast.' => ' .',
'Unable to update.' => ' .',
'Unassigned Files' => ' ',
'Uninstall' => '',
'Unique' => ' ',
'Unique identifier for the target chat or username of the target channel (in the format @channelusername).' => ' (@channelusername ).',
'Unique Listeners' => ' ',
'Unknown' => ' ',
'Unknown Artist' => ' ',
'Unknown Title' => ' ',
'Unlisted' => '',
'Unmute' => ' ',
'Unprocessable Files' => ' ',
'Unpublished' => ' ',
'Unselect All Rows' => ' ',
'Unselect Row' => ' ',
'Upcoming Song Queue' => ' ',
'Update' => '',
'Update AzuraCast' => 'AzuraCast ',
'Update AzuraCast via Web' => ' AzuraCast ',
'Update AzuraCast? Your installation will restart.' => 'AzuraCast ? .',
'Update Details' => ' ',
'Update Instructions' => ' ',
'Update Metadata' => ' ',
'Update started. Your installation will restart shortly.' => ' . .',
'Update Station Configuration' => ' ',
'Update via Web' => ' ',
'Updated' => '',
'Updated successfully.' => ' .',
'Upload a Stereo Tool configuration file from the "Broadcasting" submenu in the station profile.' => ' "" Stereo Tool .',
'Upload Custom Assets' => ' ',
'Upload Stereo Tool Configuration' => 'Stereo Tool ',
'Upload the file on this page to automatically extract it into the proper directory.' => ' .',
'Uploaded Time' => ' ',
'URL' => 'URL',
'URL Stub' => 'URL ',
'Use' => '',
'Use (Us)' => ' (Us)',
'Use API keys to authenticate with the AzuraCast API using the same permissions as your user account.' => 'API AzuraCast API .',
'Use Browser Default' => ' ',
'Use High-Performance Now Playing Updates' => ' " " ',
'Use Icecast 2.4 on this server.' => ' Icecast 2.4 .',
'Use Less CPU (Uses More Memory)' => ' CPU ( )',
'Use Less Memory (Uses More CPU)' => ' ( CPU )',
'Use Liquidsoap on this server.' => ' Liquidsoap .',
'Use Path Instead of Subdomain Endpoint Style' => ' ',
'Use Secure (TLS) SMTP Connection' => '(TLS) SMTP ',
'Use Shoutcast DNAS 2 on this server.' => ' Shoutcast DNAS 2 .',
'Use the Telegram Bot API to send a message to a channel.' => 'Telegram API .',
'Use this form to send a manual metadata update. Note that this will override any existing metadata on the stream.' => ' . .',
'Use Web Proxy for Radio' => ' ',
'Used' => '',
'Used for "Forgot Password" functionality, web hooks and other functions.' => '" " , .',
'User' => '',
'User Accounts' => ' ',
'User Agent' => ' ',
'User Name' => ' ',
'User Permissions' => ' ',
'Username' => ' ',
'Username:' => ' :',
'Users' => '',
'Users with this role will have these permissions across the entire installation.' => ' .',
'Users with this role will have these permissions for this single station.' => ' .',
'Uses either Websockets, Server-Sent Events (SSE) or static JSON files to serve Now Playing data on public pages. This improves performance, especially with large listener volume. Disable this if you are encountering problems with the service or use multiple URLs to serve your public pages.' => ', SSE( ) JSON . . URL .',
'Using a passkey (like Windows Hello, YubiKey, or your smartphone) allows you to securely log in without needing to enter your password or two-factor code.' => '(: Windows Hello, YubiKey ) 2 .',
'Using this page, you can customize several sections of the Liquidsoap configuration. This allows you to add advanced functionality to your station\'s AutoDJ.' => ' Liquidsoap . AutoDJ .',
'Usually enabled for port 465, disabled for ports 587 or 25.' => ' 465 , 587 25 .',
'Variables are in the form of: ' => ' :',
'View' => '',
'View Fullscreen' => ' ',
'View Listener Report' => ' ',
'View Profile' => ' ',
'View tracks in playlist' => ' ',
'Visit the Dropbox App Console:' => 'Dropbox :',
'Visit the link below to sign in and generate an access code:' => ' :',
'Visit your Mastodon instance.' => 'Mastodon .',
'Visual Cue Editor' => ' ',
'Volume' => '',
'Wait' => '',
'Wait (Wa)' => ' (Wa)',
'Warning' => '',
'Waveform Zoom' => ' /',
'Web DJ' => ' DJ',
'Web Hook Details' => ' ',
'Web Hook Name' => ' ',
'Web Hook Triggers' => ' ',
'Web Hook URL' => ' URL',
'Web Hooks' => '',
'Web hooks automatically send a HTTP POST request to the URL you specify to notify it any time one of the triggers you specify occurs on your station.' => ' URL HTTP POST .',
'Web hooks let you connect to external web services and broadcast changes to your station to them.' => ' .',
'Web Site URL' => ' URL',
'Web updates are not available for your installation. To update your installation, perform the manual update process instead.' => ' . .',
'WebDJ' => 'WebDJ',
'WebDJ connected!' => 'WebDJ !',
'Website' => '',
'Wednesday' => '',
'Weight' => '',
'Welcome to AzuraCast!' => 'AzuraCast !',
'Welcome!' => '!',
'When making API calls, you can pass this value in the "X-API-Key" header to authenticate as yourself.' => 'API "X-API-Key" .',
'When the song changes and a live streamer/DJ is connected' => ' /DJ ',
'When the station broadcast comes online' => ' ',
'When the station broadcast goes offline' => ' ',
'Whether new episodes should be marked as published or held for review as unpublished.' => ' \'\' , \' \' .',
'Whether the AutoDJ should attempt to avoid duplicate artists and track titles when playing media from this playlist.' => 'AutoDJ .',
'Widget Type' => ' ',
'With selected:' => ' :',
'Worst Performing Songs' => ' ',
'Yes' => '',
'Yesterday' => '',
'You' => ' ',
'You can also upload files in bulk via SFTP.' => 'SFTP .',
'You can find answers for many common questions in our support documents.' => ' .',
'You can include any special mount point settings here, in either JSON { key: \'value\' } format or XML <key>value</key>' => 'JSON { key: \'value\' } XML <key>value</key> .',
'You can only perform the actions your user account is allowed to perform.' => ' .',
'You can set a custom URL for this stream that AzuraCast will use when referring to it on the web interface and in the Now Playing API return data. Leave empty to use the default value.' => ' " " API AzuraCast URL . .',
'You may need to connect directly to your IP address:' => ' IP :',
'You may need to connect directly via your IP address:' => ' IP :',
'You will not be able to retrieve it again.' => ' .',
'Your browser does not support passkeys. Consider updating your browser to the latest version.' => ' . .',
'Your full API key is below:' => ' API ',
'Your installation is currently on this release channel:' => ' :',
'Your installation is up to date! No update is required.' => ' ! .',
'Your installation needs to be updated. Updating is recommended for performance and security improvements.' => ' . .',
'Your station does not support reloading configuration. Restart broadcasting instead to apply changes.' => ' . .',
'Your station has changes that require a reload to apply.' => ' .',
'Your station is currently not enabled for broadcasting. You can still manage media, playlists, and other station settings. To re-enable broadcasting, edit your station profile.' => ' . , . .',
'Your station supports reloading configuration.' => ' .',
'YouTube' => 'YouTube',
'YP Directory Authorization Hash' => 'YP ',
'Select...' => '...',
'Too many forgot password attempts' => ' .',
'You have attempted to reset your password too many times. Please wait 30 seconds and try again.' => ' . 30 .',
'Account Recovery' => ' ',
'Account recovery e-mail sent.' => ' .',
'If the e-mail address you provided is in the system, check your inbox for a password reset message.' => ' , .',
'Too many login attempts' => ' .',
'You have attempted to log in too many times. Please wait 30 seconds and try again.' => ' . 30 .',
'Logged in successfully.' => ' ',
'Complete the setup process to get started.' => ' .',
'Login unsuccessful' => ' ',
'Your credentials could not be verified.' => ' .',
'User not found.' => ' .',
'Invalid token specified.' => ' .',
'Logged in using account recovery token' => ' ',
'Your password has been updated.' => ' .',
'Set Up AzuraCast' => 'AzuraCast ',
'Setup has already been completed!' => ' !',
'All Stations' => ' ',
'AzuraCast Application Log' => 'AzuraCast ',
'AzuraCast Now Playing Log' => 'AzuraCast " " ',
'AzuraCast Synchronized Task Log' => 'AzuraCast ',
'AzuraCast Queue Worker Log' => 'AzuraCast ',
'Service Log: %s (%s)' => ' : %s (%s) ',
'Nginx Access Log' => 'Nginx ',
'Nginx Error Log' => 'Nginx ',
'PHP Application Log' => 'PHP ',
'Supervisord Log' => ' ',
'Create a new storage location based on the base directory.' => ' .',
'You cannot modify yourself.' => ' .',
'You cannot remove yourself.' => ' .',
'Test Message' => ' ',
'This is a test message from AzuraCast. If you are receiving this message, it means your e-mail settings are configured correctly.' => ' AzuraCast . .',
'Test message sent successfully.' => ' .',
'Less than Thirty Seconds' => '30 ',
'Thirty Seconds to One Minute' => '30~1',
'One Minute to Five Minutes' => '1~5',
'Five Minutes to Ten Minutes' => '5~10',
'Ten Minutes to Thirty Minutes' => '10~30',
'Thirty Minutes to One Hour' => '30~1',
'One Hour to Two Hours' => '1~2',
'More than Two Hours' => '2 ',
'Mobile Device' => ' ',
'Desktop Browser' => ' ',
'Non-Browser' => ' ',
'Connected Seconds' => ' ()',
'File Not Processed: %s' => ' : %s',
'Cover Art' => ' ',
'File Processing' => ' ',
'No directory specified' => ' ',
'File not specified.' => ' .',
'New path not specified.' => ' .',
'This station is out of available storage space.' => ' .',
'Web hook enabled.' => ' .',
'Web hook disabled.' => ' .',
'Station reloaded.' => ' .',
'Station restarted.' => ' .',
'Service stopped.' => ' .',
'Service started.' => ' .',
'Service reloaded.' => ' .',
'Service restarted.' => ' .',
'Song skipped.' => ' .',
'Streamer disconnected.' => ' .',
'Station Nginx Configuration' => ' Nginx ',
'Liquidsoap Log' => 'Liquidsoap ',
'Liquidsoap Configuration' => 'Liquidsoap ',
'Icecast Access Log' => 'Icecast ',
'Icecast Error Log' => 'Icecast ',
'Icecast Configuration' => 'Icecast ',
'Shoutcast Log' => 'Shoutcast ',
'Shoutcast Configuration' => 'Shoutcast ',
'Search engine crawlers are not permitted to use this feature.' => ' .',
'You are not permitted to submit requests.' => ' .',
'This track is not requestable.' => ' .',
'This song was already requested and will play soon.' => ' .',
'This song or artist has been played too recently. Wait a while before requesting it again.' => ' . .',
'You have submitted a request too recently! Please wait before submitting another one.' => ' ! .',
'Your request has been submitted and will be played soon.' => ' .',
'This playlist is not song-based.' => ' .',
'Playlist emptied.' => ' .',
'This playlist is not a sequential playlist.' => ' .',
'Playlist reshuffled.' => ' .',
'Playlist enabled.' => ' .',
'Playlist disabled.' => ' .',
'Playlist successfully imported; %d of %d files were successfully matched.' => ' . %d/%d .',
'Playlist applied to folders.' => ' .',
'%d files processed.' => '%d .',
'No recording available.' => ' .',
'Record not found' => ' ',
'The uploaded file exceeds the upload_max_filesize directive in php.ini.' => ' php.ini upload_max_filesize .',
'The uploaded file exceeds the MAX_FILE_SIZE directive from the HTML form.' => ' HTML MAX_FILE_SIZE .',
'The uploaded file was only partially uploaded.' => ' .',
'No file was uploaded.' => ' .',
'No temporary directory is available.' => ' .',
'Could not write to filesystem.' => ' .',
'Upload halted by a PHP extension.' => 'PHP .',
'Unspecified error.' => ' .',
'Changes saved successfully.' => ' .',
'Record created successfully.' => ' .',
'Record updated successfully.' => ' .',
'Record deleted successfully.' => ' .',
'Playlist: %s' => ' : %s',
'Streamer: %s' => ': %s',
'The account associated with e-mail address "%s" has been set as an administrator' => ' "%s" .',
'Account not found.' => ' .',
'Roll Back Database' => ' ',
'Running database migrations...' => ' ...',
'Database migration failed: %s' => ' : %s',
'Database rolled back to stable release version "%s".' => ' "%s" .',
'AzuraCast Settings' => 'AzuraCast ',
'Setting Key' => ' ',
'Setting Value' => ' ',
'Fixtures loaded.' => ' .',
'Backing up initial database state...' => ' ...',
'We detected a database restore file from a previous (possibly failed) migration.' => ' ( ) .',
'Attempting to restore that now...' => ' ...',
'Attempting to roll back to previous database state...' => ' ...',
'Your database was restored due to a failed migration.' => ' .',
'Please report this bug to our developers.' => ' .',
'Restore failed: %s' => ' : %s',
'AzuraCast Backup' => 'AzuraCast ',
'Please wait while a backup is generated...' => ' ...',
'Creating temporary directories...' => ' ...',
'Backing up MariaDB...' => 'MariaDB ...',
'Creating backup archive...' => ' ...',
'Cleaning up temporary files...' => ' ...',
'Backup complete in %.2f seconds.' => '%.2f .',
'Backup path %s not found!' => ' %s() !',
'Imported locale: %s' => ' : %s',
'Database Migrations' => ' ',
'Database is already up to date!' => ' !',
'Database migration completed!' => ' !',
'AzuraCast Initializing...' => 'AzuraCast ...',
'AzuraCast Setup' => 'AzuraCast ',
'Welcome to AzuraCast. Please wait while some key dependencies of AzuraCast are set up...' => 'AzuraCast . AzuraCast ...',
'Running Database Migrations' => ' ',
'Generating Database Proxy Classes' => ' ',
'Reload System Data' => ' ',
'Installing Data Fixtures' => ' ',
'Refreshing All Stations' => ' ',
'AzuraCast is now updated to the latest version!' => 'AzuraCast !',
'AzuraCast installation complete!' => 'AzuraCast !',
'Visit %s to complete setup.' => ' %s() .',
'%s is not recognized as a service.' => '%s() .',
'It may not be registered with Supervisor yet. Restarting broadcasting may help.' => ' . .',
'%s cannot start' => '%s() ',
'It is already running.' => ' .',
'%s cannot stop' => '%s() ',
'It is not running.' => ' .',
'%s encountered an error: %s' => '%s : %s',
'Check the log for details.' => ' .',
'You do not have permission to access this portion of the site.' => ' .',
'Cannot submit request: %s' => ' : %s',
'You must be logged in to access this page.' => ' .',
'Record not found.' => ' .',
'File not found.' => ' .',
'Station not found.' => ' .',
'Podcast not found.' => ' .',
'This station does not currently support this functionality.' => ' .',
'This station does not currently support on-demand media.' => ' .',
'This station does not currently accept requests.' => ' .',
'This value is already used.' => ' .',
'The port %s is in use by another station (%s).' => ' %s (%s) .',
'Storage location %s could not be validated: %s' => ' %s() : %s',
'Storage location %s already exists.' => ' %s() .',
'All Permissions' => ' ',
'View Station Page' => ' ',
'View Station Reports' => ' ',
'View Station Logs' => ' ',
'Manage Station Profile' => ' ',
'Manage Station Broadcasting' => ' ',
'Manage Station Streamers' => ' ',
'Manage Station Mount Points' => ' ',
'Manage Station Remote Relays' => ' ',
'Manage Station Media' => ' ',
'Manage Station Automation' => ' ',
'Manage Station Web Hooks' => ' ',
'Manage Station Podcasts' => ' ',
'View Administration Page' => ' ',
'View System Logs' => ' ',
'Administer Settings' => ' ',
'Administer API Keys' => 'API ',
'Administer Stations' => ' ',
'Administer Custom Fields' => ' ',
'Administer Backups' => ' ',
'Administer Storage Locations' => ' ',
'Runs routine synchronized tasks' => ' ',
'Database' => '',
'Web server' => ' ',
'PHP FastCGI Process Manager' => 'PHP FastCGI ',
'Now Playing manager service' => '" " ',
'PHP queue processing worker' => 'PHP ',
'Cache' => '',
'SFTP service' => 'SFTP ',
'Live Now Playing updates' => ' " " ',
'Frontend Assets' => ' ',
'This product includes GeoLite2 data created by MaxMind, available from %s.' => ' MaxMind GeoLite2 %s .',
'IP Geolocation by DB-IP' => 'DB-IP IP ',
'GeoLite database not configured for this installation. See System Administration for instructions.' => ' GeoLite . .',
'Installation Not Recently Backed Up' => ' ',
'This installation has not been backed up in the last two weeks.' => ' 2 .',
'Service Not Running: %s' => ' : %s',
'One of the essential services on this installation is not currently running. Visit the system administration and check the system logs to find the cause of this issue.' => ' . .',
'New AzuraCast Stable Release Available' => ' AzuraCast ',
'Version %s is now available. You are currently running version %s. Updating is recommended.' => ' %s . %s . .',
'New AzuraCast Rolling Release Available' => ' AzuraCast ',
'Your installation is currently %d update(s) behind the latest version. Updating is recommended.' => ' %d . .',
'Switch to Stable Channel Available' => ' ',
'Your Rolling Release installation is currently older than the latest Stable release. This means you can switch releases to the "Stable" release channel if desired.' => ' . "" .',
'Synchronization Disabled' => ' ',
'Routine synchronization is currently disabled. Make sure to re-enable it to resume routine maintenance tasks.' => ' . .',
'Synchronization Not Recently Run' => ' ',
'The routine synchronization task has not run recently. This may indicate an error with your installation.' => ' . .',
'The performance profiling extension is currently enabled on this installation.' => ' .',
'You can track the execution time and memory usage of any AzuraCast page or application from the profiler page.' => ' AzuraCast .',
'Profiler Control Panel' => ' ',
'Performance profiling is currently enabled for all requests.' => ' .',
'This can have an adverse impact on system performance. You should disable this when possible.' => ' . .',
'You may want to update your base URL to ensure it is correct.' => ' URL .',
'If you regularly use different URLs to access AzuraCast, you should enable the "Prefer Browser URL" setting.' => 'AzuraCast URL " URL " .',
'Your "Base URL" setting (%s) does not match the URL you are currently using (%s).' => '" URL" (%s) URL(%s) .',
'AzuraCast is free and open-source software.' => 'AzuraCast .',
'If you are enjoying AzuraCast, please consider donating to support our work. We depend on donations to build new features, fix bugs, and keep AzuraCast modern, accessible and free.' => 'AzuraCast . , , AzuraCast .',
'Donate to AzuraCast' => 'AzuraCast ',
'AzuraCast Installer' => 'AzuraCast ',
'Welcome to AzuraCast! Complete the initial server setup by answering a few questions.' => 'AzuraCast ! .',
'AzuraCast Updater' => 'AzuraCast ',
'Change installation settings?' => ' ?',
'AzuraCast is currently configured to listen on the following ports:' => 'AzuraCast :',
'HTTP Port: %d' => 'HTTP : %d',
'HTTPS Port: %d' => 'HTTPS : %d',
'SFTP Port: %d' => 'SFTP : %d',
'Radio Ports: %s' => ' : %s',
'Customize ports used for AzuraCast?' => 'AzuraCast ?',
'Writing configuration files...' => ' ...',
'Server configuration complete!' => ' !',
'This file was automatically generated by AzuraCast.' => ' AzuraCast .',
'You can modify it as necessary. To apply changes, restart the Docker containers.' => ' . Docker .',
'Remove the leading "#" symbol from lines to uncomment them.' => ' "#" .',
'Valid options: %s' => ' : %s',
'Default: %s' => ': %s',
'Additional Environment Variables' => ' ',
'(Docker Compose) All Docker containers are prefixed by this name. Do not change this after installation.' => '(Docker Compose) Docker . .',
'(Docker Compose) The amount of time to wait before a Docker Compose operation fails. Increase this on lower performance computers.' => '(Docker Compose) Docker Compose . .',
'HTTP Port' => 'HTTP ',
'The main port AzuraCast listens to for insecure HTTP connections.' => 'AzuraCast HTTP .',
'HTTPS Port' => 'HTTPS ',
'The main port AzuraCast listens to for secure HTTPS connections.' => 'AzuraCast HTTPS .',
'The port AzuraCast listens to for SFTP file management connections.' => 'AzuraCast SFTP .',
'Station Ports' => ' ',
'The ports AzuraCast should listen to for station broadcasts and incoming DJ connections.' => 'AzuraCast DJ .',
'Docker User UID' => 'Docker UID',
'Set the UID of the user running inside the Docker containers. Matching this with your host UID can fix permission issues.' => 'Docker UID . UID .',
'Docker User GID' => 'Docker GID',
'Set the GID of the user running inside the Docker containers. Matching this with your host GID can fix permission issues.' => 'Docker GID . GID .',
'Use Podman instead of Docker.' => 'Docker Podman .',
'Advanced: Use Privileged Docker Settings' => ': Docker ',
'The locale to use for CLI commands.' => 'CLI .',
'The application environment.' => ' .',
'Manually modify the logging level.' => ' .',
'This allows you to log debug-level errors temporarily (for problem-solving) or reduce the volume of logs that are produced by your installation, without needing to modify whether your installation is a production or development instance.' => ' ( ) .',
'Enable Custom Code Plugins' => ' ',
'Enable the composer "merge" functionality to combine the main application\'s composer.json file with any plugin composer files. This can have performance implications, so you should only use it if you use one or more plugins with their own Composer dependencies.' => ' composer.json Composer Composer "" . Composer .',
'Minimum Port for Station Port Assignment' => ' ',
'Modify this if your stations are listening on nonstandard ports.' => ' .',
'Maximum Port for Station Port Assignment' => ' ',
'Show Detailed Slim Application Errors' => ' Slim ',
'This allows you to debug Slim Application Errors you may encounter. Please report any Slim Application Error logs to the development team on GitHub.' => ' Slim . Slim GitHub .',
'MariaDB Host' => 'MariaDB ',
'Do not modify this after installation.' => ' .',
'MariaDB Port' => 'MariaDB ',
'MariaDB Username' => 'MariaDB ',
'MariaDB Password' => 'MariaDB ',
'MariaDB Database Name' => 'MariaDB ',
'Auto-generate Random MariaDB Root Password' => ' MariaDB ',
'MariaDB Root Password' => 'MariaDB ',
'Enable MariaDB Slow Query Log' => 'MariaDB ',
'Log slower queries to diagnose possible database issues. Only turn this on if needed.' => ' . .',
'MariaDB Maximum Connections' => 'MariaDB ',
'Set the amount of allowed connections to the database. This value should be increased if you are seeing the "Too many connections" error in the logs.' => ' . " " .',
'MariaDB InnoDB Buffer Pool Size' => 'MariaDB InnoDB ',
'The InnoDB buffer pool size controls how much data & indexes are kept in memory. Making sure that this value is as large as possible reduces the amount of disk IO.' => 'InnoDB . IO .',
'MariaDB InnoDB Log File Size' => 'MariaDB InnoDB ',
'The InnoDB log file is used to achieve data durability in case of crashes or unexpected shutoffs and to allow the DB to better optimize IO for write operations.' => 'InnoDB DB IO .',
'Enable Redis' => 'Redis ',
'Disable to use a flatfile cache instead of Redis.' => 'Redis .',
'Redis Host' => 'Redis ',
'Redis Port' => 'Redis ',
'PHP Maximum POST File Size' => 'PHP POST ',
'PHP Memory Limit' => 'PHP ',
'PHP Script Maximum Execution Time (Seconds)' => 'PHP ()',
'Short Sync Task Execution Time (Seconds)' => ' ()',
'The maximum execution time (and lock timeout) for the 15-second, 1-minute and 5-minute synchronization tasks.' => '15, 1, 5 ( ).',
'Long Sync Task Execution Time (Seconds)' => ' ()',
'The maximum execution time (and lock timeout) for the 1-hour synchronization task.' => '1 ( ).',
'Now Playing Delay Time (Seconds)' => ' ()',
'The delay between Now Playing checks for every station. Decrease for more frequent checks at the expense of performance; increase for less frequent checks but better performance (for large installations).' => '" " . . ( ).',
'Now Playing Max Concurrent Processes' => '" " ',
'The maximum number of concurrent processes for now playing updates. Increasing this can help reduce the latency between updates now playing updates on large installations.' => ' . .',
'Maximum PHP-FPM Worker Processes' => ' PHP-FPM ',
'Enable Performance Profiling Extension' => ' ',
'Profiling data can be viewed by visiting %s.' => ' %s .',
'Profile Performance on All Requests' => ' ',
'This will have a significant performance impact on your installation.' => ' .',
'Profiling Extension HTTP Key' => ' HTTP ',
'The value for the "SPX_KEY" parameter for viewing profiling pages.' => ' "SPX_KEY" .',
'Profiling Extension IP Allow List' => ' IP ',
'Nginx Max Client Body Size' => 'Nginx ',
'This is the total size any single request body can be. AzuraCast chunks its uploads into smaller file sizes, so this only applies when doing custom uploads via the API. Sizes should be listed in a format like "100K", "128M", "1G" for kilobytes, megabytes, and gigabytes respectively.' => ' . AzuraCast API . , , "100K", "128M", "1G" .',
'Enable web-based Docker image updates' => ' Docker ',
'Extra Ubuntu packages to install upon startup' => ' Ubuntu ',
'Separate package names with a space. Packages will be installed during container startup.' => ' . .',
'Album Artist' => ' ',
'Album Artist Sort Order' => ' ',
'Album Sort Order' => ' ',
'Band' => '',
'BPM' => 'BPM',
'Comment' => '',
'Commercial Information' => ' ',
'Composer' => '',
'Composer Sort Order' => ' ',
'Conductor' => '',
'Content Group Description' => ' ',
'Encoded By' => ' :',
'Encoder Settings' => ' ',
'Encoding Time' => ' ',
'File Owner' => ' ',
'File Type' => ' ',
'Initial Key' => ' ',
'Internet Radio Station Name' => ' ',
'Internet Radio Station Owner' => ' ',
'Involved People List' => ' ',
'Linked Information' => ' ',
'Lyricist' => '',
'Media Type' => ' ',
'Mood' => '',
'Music CD Identifier' => ' CD ',
'Musician Credits List' => ' ',
'Original Album' => ' ',
'Original Artist' => '',
'Original Filename' => ' ',
'Original Lyricist' => '',
'Original Release Time' => ' ',
'Original Year' => ' ',
'Part of a Compilation' => ' ',
'Part of a Set' => ' ',
'Performer Sort Order' => ' ',
'Playlist Delay' => ' ',
'Produced Notice' => '',
'Publisher' => '',
'Recording Time' => ' ',
'Release Time' => ' ',
'Remixer' => '',
'Set Subtitle' => ' ',
'Subtitle' => '',
'Tagging Time' => ' ',
'Terms of Use' => ' ',
'Title Sort Order' => ' ',
'Track Number' => ' ',
'Unsynchronised Lyrics' => ' ',
'URL Artist' => 'URL ',
'URL File' => 'URL ',
'URL Payment' => 'URL ',
'URL Publisher' => 'URL ',
'URL Source' => 'URL ',
'URL Station' => 'URL ',
'URL User' => 'URL ',
'Year' => '',
'An account recovery link has been requested for your account on "%s".' => '"%s" .',
'Click the link below to log in to your account.' => ' .',
'Footer' => '',
'Powered by %s' => '%s ',
'Forgot Password' => ' ',
'Sign in' => '',
'Send Recovery E-mail' => ' ',
'Enter Two-Factor Code' => '2 ',
'Your account uses a two-factor security code. Enter the code your device is currently showing below.' => ' . .',
'Security Code' => ' ',
'This installation\'s administrator has not configured this functionality.' => ' .',
'Contact an administrator to reset your password following the instructions in our documentation:' => ' :',
'Password Reset Instructions' => ' ',
),
),
);
``` | /content/code_sandbox/translations/ko_KR.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 28,306 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=1; plural=0;',
'messages' =>
array (
'' =>
array (
'# Episodes' => '# ',
'# Songs' => '# ',
'%{ dj } is now live on %{ station }! Tune in now: %{ url }' => '%{ dj } %{ station } %{ url }',
'%{ hours } hours' => '%{ hours } ',
'%{ minutes } minutes' => '%{ minutes } ',
'%{ seconds } seconds' => '%{ seconds } ',
'%{ station } is back online! Tune in now: %{ url }' => '%{ station } %{ url }',
'%{ station } is going offline for now.' => '%{ } ',
'%{filesCount} File' => '%{filesCount} ',
'%{listeners} Listener' => '%{listeners} ',
'%{messages} queued messages' => '%{messages} ',
'%{name} - Copy' => '%{name} - ',
'%{numPlaylists} playlist' => '%{numPlaylists}',
'%{numSongs} uploaded song' => '%{numSongs}',
'%{spaceUsed} of %{spaceTotal} Used' => ' %{spaceUsed} %{spaceTotal} ',
'%{spaceUsed} Used' => '%{spaceUsed} ',
'%{station} - Copy' => '%{station} - ',
'12 Hour' => '12 ',
'24 Hour' => '24 ',
'A completely random track is picked for playback every time the queue is populated.' => '',
'A name for this stream that will be used internally in code. Should only contain letters, numbers, and underscores (i.e. "stream_lofi").' => 'stream_lofi',
'A passkey has been selected. Submit this form to add it to your account.' => '',
'A playlist containing media files hosted on this server.' => '',
'A playlist that instructs the station to play from a remote URL.' => 'URL',
'A unique identifier (i.e. "G-A1B2C3D4") for this measurement stream.' => ' "G-A1B2C3D4"',
'About AzuraRelay' => ' AzuraRelay',
'About Master_me' => ' Master_me',
'About Release Channels' => '',
'Access Code' => '',
'Access Key ID' => 'ID',
'Access Token' => '',
'Account Details' => '',
'Account is Active' => '',
'Account List' => '',
'Actions' => '',
'Adapter' => '',
'Add API Key' => 'API',
'Add Custom Field' => '',
'Add Episode' => ' # ',
'Add Files to Playlist' => '',
'Add HLS Stream' => ' HLS ',
'Add Mount Point' => '',
'Add New GitHub Issue' => 'GitHub',
'Add New Passkey' => '',
'Add Playlist' => '',
'Add Podcast' => '',
'Add Remote Relay' => '',
'Add Role' => '',
'Add Schedule Item' => '',
'Add SFTP User' => 'SFTP',
'Add Station' => '',
'Add Storage Location' => '',
'Add Streamer' => '',
'Add User' => '',
'Add Web Hook' => '',
'Administration' => '',
'Advanced' => '',
'Advanced Configuration' => '',
'Advanced Manual AutoDJ Scheduling Options' => ' AutoDJ ',
'Aggregate listener statistics are used to show station reports across the system. IP-based listener statistics are used to view live listener tracking and may be required for royalty reports.' => 'IP',
'Album' => '',
'Album Art' => '',
'Alert' => '',
'All Days' => '',
'All listed domain names should point to this AzuraCast installation. Separate multiple domain names with commas.' => ' AzuraCast ',
'All Playlists' => '',
'All Podcasts' => '',
'All Types' => '',
'All values in the NowPlaying API response are available for use. Any empty fields are ignored.' => 'NowPlaying API ',
'Allow Requests from This Playlist' => '',
'Allow Song Requests' => '',
'Allow Streamers / DJs' => '/ DJ',
'Allowed IP Addresses' => 'IP',
'Always Use HTTPS' => 'HTTPS',
'Always Write Playlists to Liquidsoap' => ' Liquidsoap',
'Amplify: Amplification (dB)' => ': (dB)',
'An error occurred and your request could not be completed.' => '',
'An error occurred while loading the station profile:' => '',
'An error occurred with the WebDJ socket.' => 'WebDJ ',
'Analytics' => '',
'Analyze and reprocess the selected media' => '',
'Any of the following file types are accepted:' => '',
'Any time a live streamer/DJ connects to the stream' => '/DJ ',
'Any time a live streamer/DJ disconnects from the stream' => '/ DJ',
'Any time the currently playing song changes' => '',
'Any time the listener count decreases' => '',
'Any time the listener count increases' => '',
'API "Access-Control-Allow-Origin" Header' => 'APIAccess-Control-Allow-Origin ',
'API Documentation' => 'API ',
'API Key Description/Comments' => 'API /',
'API Keys' => 'API ',
'API Token' => 'API ',
'API Version' => 'API ',
'App Key' => 'App ',
'App Secret' => 'App ',
'Apple Podcasts' => '',
'Apply audio processors (like compressors, limiters, or equalizers) to your stream to create a more uniform sound or enhance the listening experience. Processing requires extra CPU resources, so it may slow down your server.' => ' CPU ',
'Apply for an API key at Last.fm' => ' Last.fm API ',
'Apply Playlist to Folders' => '',
'Apply Post-processing to Live Streams' => '',
'Apply to Folders' => '',
'Are you sure?' => '',
'Art' => '',
'Artist' => '',
'Artwork' => '',
'Artwork must be a minimum size of 1400 x 1400 pixels and a maximum size of 3000 x 3000 pixels for Apple Podcasts.' => '1400 x 14003000 x 3000',
'Attempt to Automatically Retrieve ISRC When Missing' => ' ISRC',
'Audio Bitrate (kbps)' => 'kbps',
'Audio Format' => '',
'Audio Post-processing Method' => '',
'Audio Processing' => '',
'Audio transcoding applications like Liquidsoap use a consistent amount of CPU over time, which gradually drains this available credit. If you regularly see stolen CPU time, you should consider migrating to a VM that has CPU resources dedicated to your instance.' => 'LiquidsoapCPUCPUCPUCPUVM',
'Audit Log' => '',
'Author' => '',
'Auto-Assign Value' => '',
'AutoCue analyzes your music and automatically calculates cue points, fade points, and volume levels for a consistent listening experience.' => 'AutoCue ',
'AutoDJ' => 'DJ',
'AutoDJ Bitrate (kbps)' => 'AutoDJ (kbps)',
'AutoDJ Disabled' => 'AutoDJ ',
'AutoDJ Format' => 'AutoDJ',
'AutoDJ has been disabled for this station. No music will automatically be played when a source is not live.' => 'AutoDJ',
'AutoDJ Queue' => 'AutoDJ ',
'AutoDJ Queue Length' => 'AutoDJ',
'AutoDJ Service' => ' DJ ',
'Automatic Backups' => '',
'Automatically create new podcast episodes when media is added to a specified playlist.' => '',
'Automatically Publish New Episodes' => '',
'Automatically publish to a Mastodon instance.' => ' Mastodon ',
'Automatically Scroll to Bottom' => '',
'Automatically send a customized message to your Discord server.' => 'Discord',
'Automatically send a message to any URL when your station data changes.' => 'URL',
'Automatically Set from ID3v2 Value' => 'ID3v2',
'Available Logs' => '',
'Avatar Service' => '',
'Avatars are retrieved based on your e-mail address from the %{ service } service. Click to manage your %{ service } settings.' => ' %{ service } %{ }',
'Average Listeners' => '',
'Avoid Duplicate Artists/Titles' => '/',
'AzuraCast First-Time Setup' => 'AzuraCast',
'AzuraCast Instance Name' => 'AzuraCast',
'AzuraCast ships with a built-in free IP geolocation database. You may prefer to use the MaxMind GeoLite service instead to achieve more accurate results. Using MaxMind GeoLite requires a license key, but once the key is provided, we will automatically keep the database updated.' => 'AzuraCast IP MaxMind GeoLite MaxMind GeoLite ',
'AzuraCast Update Checks' => 'AzuraCast',
'AzuraCast User' => 'AzuraCast',
'AzuraCast uses a role-based access control system. Roles are given permissions to certain sections of the site, then users are assigned into those roles.' => 'AzuraCast ',
'AzuraCast Wiki' => 'AzuraCast ',
'AzuraCast will scan the uploaded file for matches in this station\'s music library. Media should already be uploaded before running this step. You can re-run this tool as many times as needed.' => 'AzuraCast',
'AzuraRelay is a standalone service that connects to your AzuraCast instance, automatically relays your stations via its own server, then reports the listener details back to your main instance. This page shows all currently connected instances.' => 'AzuraRelay AzuraCast ',
'Back' => '',
'Backing up your installation is strongly recommended before any update.' => '',
'Backup' => '',
'Backup Format' => '',
'Backups' => '',
'Balanced' => '',
'Banned Countries' => '',
'Banned IP Addresses' => 'IP',
'Banned User Agents' => '',
'Base Directory' => '',
'Base Station Directory' => '',
'Base Theme for Public Pages' => '',
'Basic Info' => '',
'Basic Information' => '',
'Basic Normalization and Compression' => '',
'Best & Worst' => '',
'Best Performing Songs' => '',
'Bit Rate' => '',
'Bitrate' => '',
'Bot Token' => ' Token',
'Bot/Crawler' => '/',
'Branding' => '',
'Branding Settings' => '',
'Broadcast AutoDJ to Remote Station' => ' AutoDJ ',
'Broadcasting' => '',
'Broadcasting Service' => '',
'Broadcasts' => '',
'Broadcasts removed:' => '',
'Browser' => '',
'Browser Default' => '',
'Browser Icon' => '',
'Browsers' => '',
'Bucket Name' => 'Bucket',
'Bulk Edit Episodes' => '',
'Bulk Media Import/Export' => '/',
'by' => '',
'By default, all playlists are written to Liquidsoap as a backup in case the normal AutoDJ fails. This can affect CPU load, especially on startup. Disable to only write essential playlists to Liquidsoap.' => ' Liquidsoap AutoDJ CPU Liquidsoap',
'By default, radio stations broadcast on their own ports (i.e. 8000). If you\'re using a service like CloudFlare or accessing your radio station by SSL, you should enable this feature, which routes all radio through the web ports (80 and 443).' => '8000CloudFlareSSL80443',
'Cached' => '',
'Calculate and use normalized volume level metadata for each track.' => '',
'Cancel' => '',
'Categories' => '',
'Change' => '',
'Change Password' => '',
'Changes' => '',
'Changes saved.' => '',
'Character Set Encoding' => '',
'Chat ID' => ' ID',
'Check for Updates' => '',
'Check this box to apply post-processing to all audio, including live streams. Uncheck this box to only apply post-processing to the AutoDJ.' => ' AutoDJ ',
'Check Web Services for Album Art for "Now Playing" Tracks' => ' " "',
'Check Web Services for Album Art When Uploading Media' => '',
'Choose a method to use when transitioning from one song to another. Smart Mode considers the volume of the two tracks when fading for a smoother effect, but requires more CPU resources.' => 'CPU',
'Choose a name for this webhook that will help you distinguish it from others. This will only be shown on the administration page.' => '',
'Choose a new password for your account.' => '',
'City' => '',
'Clear' => '',
'Clear all media from playlist?' => '',
'Clear All Message Queues' => '',
'Clear All Pending Requests?' => '',
'Clear Artwork' => '',
'Clear Cache' => '',
'Clear Field' => '',
'Clear File' => '',
'Clear Filters' => '',
'Clear Image' => '',
'Clear List' => '',
'Clear Media' => '',
'Clear Pending Requests' => '',
'Clear Queue' => '',
'Clear Upcoming Song Queue' => '',
'Clear Upcoming Song Queue?' => '',
'Clearing the application cache may log you out of your session.' => '',
'Click "Generate new license key".' => ' ""',
'Click "New Application"' => ' ""',
'Click the "Preferences" link, then "Development" on the left side menu.' => ' " " ""',
'Click the button below to generate a CSV file with all of this station\'s media. You can make any necessary changes, and then import the file using the file picker on the right.' => ' CSV ',
'Click the button below to open your browser window to select a passkey.' => '',
'Click the button below to retry loading the page.' => '',
'Client' => '',
'Clients' => '',
'Clients by Connected Time' => '',
'Clients by Listeners' => '',
'Clone' => '',
'Clone Station' => '',
'Close' => '',
'CloudFlare (CF-Connecting-IP)' => 'CloudFlareCF--IP',
'Code from Authenticator App' => '',
'Collect aggregate listener statistics and IP-based listener statistics' => ' IP ',
'Comments' => '',
'Complete the setup process by providing some information about your broadcast environment. These settings can be changed later from the administration panel.' => '',
'Configure' => '',
'Configure Backups' => '',
'Confirm' => '',
'Confirm New Password' => '',
'Connected AzuraRelays' => 'AzuraRelays',
'Connection Information' => '',
'Contains explicit content' => '',
'Continue the setup process by creating your first radio station below. You can edit any of these details later.' => '',
'Continuous Play' => '',
'Control how this playlist is handled by the AutoDJ software.' => 'AutoDJ',
'Copied!' => '',
'Copies older than the specified number of days will automatically be deleted. Set to zero to disable automatic deletion.' => '0',
'Copy associated media and folders.' => '',
'Copy scheduled playback times.' => '',
'Copy to Clipboard' => '',
'Copy to New Station' => '',
'Could not upload file.' => '',
'Countries' => '',
'Country' => '',
'CPU Load' => 'CPU',
'CPU Stats Help' => 'CPU ',
'Create a new application. Choose "Scoped Access", select your preferred level of access, then name your app. Do not name it "AzuraCast", but rather use a name specific to your installation.' => ' "Scoped Access" "AzuraCast"',
'Create a New Radio Station' => '',
'Create Account' => '',
'Create an account on the MaxMind developer site.' => ' MaxMind ',
'Create and Continue' => '',
'Create custom fields to store extra metadata about each media file uploaded to your station libraries.' => '',
'Create Directory' => '',
'Create New Key' => '',
'Create New Playlist for Each Folder' => '',
'Create podcast episodes independent of your station\'s media collection.' => '',
'Create Station' => '',
'Critical' => '',
'Crossfade Duration (Seconds)' => ' (Seconds)',
'Crossfade Method' => '',
'Cue' => '',
'Current Configuration File' => '',
'Current Custom Fallback File' => '',
'Current Installed Version' => '',
'Current Intro File' => '',
'Current Password' => '',
'Current Podcast Media' => '',
'Custom' => '',
'Custom API Base URL' => 'APIURL',
'Custom Branding' => '',
'Custom Configuration' => '',
'Custom CSS for Internal Pages' => 'CSS',
'Custom CSS for Public Pages' => 'CSS',
'Custom Cues: Cue-In Point (seconds)' => ' (seconds)',
'Custom Cues: Cue-Out Point (seconds)' => ' (seconds)',
'Custom Fading: Fade-In Time (seconds)' => ' (seconds)',
'Custom Fading: Fade-Out Time (seconds)' => ' (seconds)',
'Custom Fading: Start Next (seconds)' => '',
'Custom Fallback File' => '',
'Custom Fields' => '',
'Custom Frontend Configuration' => '',
'Custom HTML for Public Pages' => ' HTML',
'Custom JS for Public Pages' => 'JS',
'Customize' => '',
'Customize Administrator Password' => '',
'Customize AzuraCast Settings' => 'AzuraCast',
'Customize Broadcasting Port' => '',
'Customize Copy' => '',
'Customize DJ/Streamer Mount Point' => ' DJ / Streamer',
'Customize DJ/Streamer Port' => 'DJ /',
'Customize Internal Request Processing Port' => '',
'Customize Source Password' => '',
'Customize the number of songs that will appear in the "Song History" section for this station and in all public APIs.' => ' API " ""',
'Customize this setting to ensure you get the correct IP address for remote users. Only change this setting if you use a reverse proxy, either within Docker or a third-party service like CloudFlare.' => ' IP Docker CloudFlare ',
'Dark' => '',
'Dashboard' => '',
'Date Played' => '',
'Date Requested' => '',
'Date/Time' => '/',
'Date/Time (Browser)' => '/',
'Date/Time (Station)' => '/',
'Days of Playback History to Keep' => '',
'Deactivate Streamer on Disconnect (Seconds)' => 'seconds',
'Debug' => '',
'Default Album Art' => '',
'Default Album Art URL' => 'URL',
'Default Avatar URL' => '',
'Default Live Broadcast Message' => '',
'Default Mount' => '',
'Delete' => '',
'Delete %{ num } broadcasts?' => ' %{ num } ',
'Delete %{ num } episodes?' => ' %{ num } ',
'Delete %{ num } media files?' => ' %{ num } ',
'Delete Album Art' => '',
'Delete API Key?' => ' API ',
'Delete Backup?' => '',
'Delete Broadcast?' => '',
'Delete Custom Field?' => '',
'Delete Episode?' => '',
'Delete HLS Stream?' => ' HLS ',
'Delete Mount Point?' => '',
'Delete Passkey?' => '',
'Delete Playlist?' => '',
'Delete Podcast?' => '',
'Delete Queue Item?' => '',
'Delete Record?' => '',
'Delete Remote Relay?' => '',
'Delete Request?' => '',
'Delete Role?' => '',
'Delete SFTP User?' => ' SFTP ',
'Delete Station?' => '',
'Delete Storage Location?' => '',
'Delete Streamer?' => '',
'Delete User?' => '',
'Delete Web Hook?' => ' ',
'Description' => '',
'Desktop' => '',
'Details' => '',
'Directory' => '',
'Directory Name' => '',
'Disable' => '',
'Disable Crossfading' => '',
'Disable Optimizations' => '',
'Disable station?' => '',
'Disable Two-Factor' => '',
'Disable two-factor authentication?' => '',
'Disable?' => '',
'Disabled' => '',
'Disconnect Streamer' => '',
'Discord Web Hook URL' => 'Discord URL',
'Discord Webhook' => 'Discord ',
'Disk caching makes a system much faster and more responsive in general. It does not take memory away from applications in any way since it will automatically be released by the operating system when needed.' => '',
'Disk Space' => '',
'Display fields' => '',
'Display Name' => '',
'DJ/Streamer Buffer Time (Seconds)' => 'DJ /seconds',
'Do not collect any listener analytics' => '',
'Do not use a local broadcasting service.' => '',
'Do not use an AutoDJ service.' => ' AutoDJ ',
'Documentation' => '',
'Domain Name(s)' => '',
'Donate to support AzuraCast!' => ' AzuraCast',
'Download' => '',
'Download CSV' => 'CSV',
'Download M3U' => 'M3U',
'Download PLS' => 'PLS',
'Download the appropriate binary from the Stereo Tool downloads page:' => ' Stereo Tool ',
'Download the Linux x64 binary from the Shoutcast Radio Manager:' => ' Shoutcast Linux x64 ',
'Drag file(s) here to upload or' => '',
'Dropbox App Console' => 'Dropbox ',
'Dropbox Setup Instructions' => 'Dropbox ',
'Duplicate' => '',
'Duplicate Playlist' => '',
'Duplicate Prevention Time Range (Minutes)' => '',
'Duplicate Songs' => '',
'E-Mail' => '',
'E-mail Address' => '',
'E-mail Address (Optional)' => '',
'E-mail addresses can be separated by commas.' => '',
'E-mail Delivery Service' => '',
'EBU R128' => 'EBU R128',
'Edit' => '',
'Edit Branding' => '',
'Edit Custom Field' => '',
'Edit Episode' => '',
'Edit HLS Stream' => ' HLS ',
'Edit Liquidsoap Configuration' => 'Liquidsoap',
'Edit Media' => '',
'Edit Mount Point' => '',
'Edit Playlist' => '',
'Edit Podcast' => '',
'Edit Profile' => '',
'Edit Remote Relay' => '',
'Edit Role' => '',
'Edit SFTP User' => 'SFTP',
'Edit Station' => '',
'Edit Station Profile' => '',
'Edit Storage Location' => '',
'Edit Streamer' => '',
'Edit User' => '',
'Edit Web Hook' => '',
'Embed Code' => '',
'Embed Widgets' => '',
'Emergency' => '',
'Empty' => '',
'Enable' => '',
'Enable Advanced Features' => '',
'Enable AutoCue (Beta)' => '',
'Enable AutoDJ' => 'DJ',
'Enable Broadcasting' => '',
'Enable certain advanced features in the web interface, including advanced playlist configuration, station port assignment, changing base media directories and other functionality that should only be used by users who are comfortable with advanced functionality.' => 'Web',
'Enable Downloads on On-Demand Page' => '',
'Enable HTTP Live Streaming (HLS)' => ' HTTP (HLS)',
'Enable listeners to request a song for play on your station. Only songs that are already in your playlists are requestable.' => '',
'Enable Mail Delivery' => '',
'Enable on Public Pages' => '',
'Enable On-Demand Streaming' => '',
'Enable Public Pages' => '',
'Enable ReplayGain' => '',
'Enable station?' => '',
'Enable this option if your S3 provider is using paths instead of sub-domains for their S3 endpoint; for example, when using MinIO or with other self-hosted S3 storage solutions that are accessible via a path on a domain/IP instead of a subdomain.' => ' S3 S3 MinIO /IP S3 ',
'Enable this setting to prevent metadata from being sent to the AutoDJ for files in this playlist. This is useful if the playlist contains jingles or bumpers.' => 'AutoDJ',
'Enable to advertise this mount point on "Yellow Pages" public radio directories.' => ' " "',
'Enable to advertise this relay on "Yellow Pages" public radio directories.' => '',
'Enable to allow listeners to select this relay on this station\'s public pages.' => '',
'Enable to allow this account to log in and stream.' => '',
'Enable to have AzuraCast automatically run nightly backups at the time specified.' => 'AzuraCast',
'Enable Two-Factor' => '',
'Enable Two-Factor Authentication' => '',
'Enable?' => '',
'Enabled' => '',
'End Date' => '',
'End Time' => '',
'Endpoint' => '',
'Enforce Schedule Times' => '',
'Enlarge Album Art' => '',
'Ensure the library matches your system architecture' => '',
'Enter "AzuraCast" as the application name. You can leave the URL fields unchanged. For "Scopes", only "write:media" and "write:statuses" are required.' => ' "AzuraCast "URL "" "write:media " "write:statuses"',
'Enter the access code you receive below.' => '',
'Enter the current code provided by your authenticator app to verify that it\'s working correctly.' => '',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => 'URL',
'Enter your app secret and app key below.' => '',
'Enter your e-mail address to receive updates about your certificate.' => '',
'Enter your password' => '',
'Episode' => '',
'Episode Number' => '',
'Episodes' => '',
'Episodes removed:' => '',
'Episodes updated:' => '',
'Error' => '',
'Error moving files:' => '',
'Error queueing files:' => '',
'Error removing broadcasts:' => '',
'Error removing episodes:' => '',
'Error removing files:' => '',
'Error reprocessing files:' => '',
'Error updating episodes:' => '',
'Error updating playlists:' => '',
'Example: if the remote radio URL is path_to_url enter "path_to_url".' => ' URL path_to_urlpath_to_url',
'Exclude Media from Backup' => '',
'Excluding media from automated backups will save space, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => '',
'Exit Fullscreen' => '',
'Expected to Play at' => '',
'Explicit' => '',
'Export %{format}' => ' %{format}',
'Export Media to CSV' => ' CSV',
'External' => '',
'Fallback Mount' => '',
'Field Name' => '',
'File Name' => '',
'Files marked for reprocessing:' => '',
'Files moved:' => '',
'Files played immediately:' => '',
'Files queued for playback:' => '',
'Files removed:' => '',
'First Connected' => '',
'Followers Only' => '',
'Footer Text' => '',
'For ARM (Raspberry Pi, etc.) installations, choose "Raspberry Pi Thimeo-ST plugin".' => ' ARMRaspberry Pi "Raspberry Pi Thimeo-ST "',
'For local filesystems, this is the base path of the directory. For remote filesystems, this is the folder prefix.' => '',
'For most cases, use the default UTF-8 encoding. The older ISO-8859-1 encoding can be used if accepting connections from Shoutcast 1 DJs or using other legacy software.' => ' UTF-8 Shoutcast 1 DJ ISO-8859-1 ',
'for selected period' => '',
'For simple updates where you want to keep your current configuration, you can update directly via your web browser. You will be disconnected from the web interface and listeners will be disconnected from all stations.' => '',
'For some clients, use port:' => '',
'For the legacy version' => '',
'For x86/64 installations, choose "x86/64 Linux Thimeo-ST plugin".' => ' x86/64 "x86/64 Linux Thimeo-ST "',
'Forgot your password?' => '',
'Format' => '',
'Friday' => '',
'From your smartphone, scan the code to the right using an authentication app of your choice (FreeOTP, Authy, etc).' => 'FreeOTPAuthy',
'Full' => '',
'Full Volume' => '',
'General Rotation' => '',
'Generate Access Code' => '',
'Generate Report' => '',
'Generate/Renew Certificate' => '/',
'Generic Web Hook' => '',
'Generic Web Hooks' => '',
'Genre' => '',
'GeoLite is not currently installed on this installation.' => 'GeoLite',
'GeoLite version "%{ version }" is currently installed.' => ' GeoLite "%{ }"',
'Get Next Song' => '',
'Get Now Playing' => '',
'GetMeRadio' => '',
'GetMeRadio Station ID' => ' ID',
'Global' => '',
'Global Permissions' => '',
'Go' => '',
'Google Analytics V4 Integration' => ' V4 ',
'Help' => '',
'Hide Album Art on Public Pages' => '',
'Hide AzuraCast Branding on Public Pages' => 'AzuraCast',
'Hide Charts' => '',
'Hide Credentials' => '',
'Hide Metadata from Listeners ("Jingle Mode")' => '""',
'High CPU' => ' CPU',
'High I/O Wait can indicate a bottleneck with the server\'s hard disk, a potentially failing hard disk, or heavy load on the hard disk.' => 'I/O ',
'Higher weight playlists are played more frequently compared to other lower-weight playlists.' => '',
'History' => '',
'HLS' => 'HLS',
'HLS Streams' => 'HLS ',
'Home' => '',
'Homepage Redirect URL' => '',
'Hour' => '',
'HTML' => 'HTML',
'HTTP Live Streaming (HLS)' => 'HTTP (HLS)',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate streaming technology. From this page, you can configure the individual bitrates and formats that are included in the combined HLS stream.' => 'HTTP (HLS) HLS ',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate technology supported by some clients. It does not use the standard broadcasting frontends.' => 'HTTP HLS',
'Icecast Clients' => 'Icecast ',
'Icecast/Shoutcast Stream URL' => 'Icecast/Shoutcast URL',
'Identifier' => '',
'If a live DJ connects but has not yet sent metadata, this is the message that will display on player pages.' => ' DJ ',
'If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.' => 'URL',
'If a visitor is not signed in and visits the AzuraCast homepage, you can automatically redirect them to the URL specified here. Leave blank to redirect them to the login screen by default.' => 'AzuraCastURL',
'If disabled, the playlist will not be included in radio playback, but can still be managed.' => '',
'If disabled, the station will not be visible on public-facing pages or APIs.' => '',
'If disabled, the station will not broadcast or shuffle its AutoDJ.' => ' AutoDJ',
'If enabled, a download button will also be present on the public "On-Demand" page.' => ' " "',
'If enabled, AzuraCast will automatically record any live broadcasts made to this station to per-broadcast recordings.' => 'AzuraCast',
'If enabled, AzuraCast will connect to the MusicBrainz database to attempt to find an ISRC for any files where one is missing. Disabling this may improve performance.' => 'AzuraCastMusicBrainzISRCISRC',
'If enabled, music from playlists with on-demand streaming enabled will be available to stream via a specialized public page.' => '',
'If enabled, streamers (or DJs) will be able to connect directly to your stream and broadcast live music that interrupts the AutoDJ stream.' => 'DJAutoDJ',
'If enabled, the AutoDJ on this installation will automatically play music to this mount point.' => 'AutoDJ',
'If enabled, the AutoDJ will automatically play music to this mount point.' => 'AutoDJ',
'If enabled, this streamer will only be able to connect during their scheduled broadcast times.' => '',
'If requests are enabled for your station, users will be able to request media that is on this playlist.' => '',
'If requests are enabled, this specifies the minimum delay (in minutes) between a request being submitted and being played. If set to zero, a minor delay of 15 seconds is applied to prevent request floods.' => ' 15 ',
'If selected, album art will not display on public-facing radio pages.' => '',
'If selected, this will remove the AzuraCast branding from public-facing pages.' => 'AzuraCast',
'If the end time is before the start time, the playlist will play overnight.' => '',
'If the end time is before the start time, the schedule entry will continue overnight.' => '',
'If the mountpoint (i.e. /radio.mp3) or Shoutcast SID (i.e. 2) you broadcast to is different from the stream URL, specify the source mount point here.' => ' /radio.mp3 Shoutcast SID 2 URL ',
'If the port you broadcast to is different from the stream URL, specify the source port here.' => ' URL ',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => '',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => '/error.mp3',
'If this setting is set to "Yes", the browser URL will be used instead of the base URL when it\'s available. Set to "No" to always use the base URL.' => ' ""URLURLURL ""URL',
'If this station has on-demand streaming and downloading enabled, only songs that are in playlists with this setting enabled will be visible.' => '',
'If you are broadcasting using AutoDJ, enter the source password here.' => 'AutoDJ',
'If you are broadcasting using AutoDJ, enter the source username here. This may be blank.' => ' AutoDJ ',
'If you\'re experiencing a bug or error, you can submit a GitHub issue using the link below.' => 'bugGitHub',
'If your installation is constrained by CPU or memory, you can change this setting to tune the resources used by Liquidsoap.' => ' CPU Liquidsoap ',
'If your Mastodon username is "@test@example.com", enter "example.com".' => ' Mastodon "@test@example.com" "example.com"',
'If your stream is set to advertise to YP directories above, you must specify an authorization hash. You can manage these on the Shoutcast web site.' => ' YP Shoutcast ',
'If your streaming software requires a specific mount point path, specify it here. Otherwise, use the default.' => '',
'If your web hook requires HTTP basic authentication, provide the password here.' => 'webHTTP',
'If your web hook requires HTTP basic authentication, provide the username here.' => 'webHTTP',
'Import Changes from CSV' => ' CSV ',
'Import from PLS/M3U' => 'PLS/M3U',
'Import Results' => '',
'Important: copy the key below before continuing!' => '',
'In order to install Shoutcast:' => ' Shoutcast',
'In order to install Stereo Tool:' => '',
'In order to process quickly, web hooks have a short timeout, so the responding service should be optimized to handle the request in under 2 seconds.' => ' 2 ',
'Include in On-Demand Player' => '',
'Indefinitely' => '',
'Indicates the presence of explicit content (explicit language or adult content). Apple Podcasts displays an Explicit parental advisory graphic for your episode if turned on. Episodes containing explicit material aren\'t available in some Apple Podcasts territories.' => 'Apple Podcasts " " Apple Podcasts ',
'Info' => '',
'Information about the current playing track will appear here once your station has started.' => '',
'Insert' => '',
'Install GeoLite IP Database' => 'GeoLite IP',
'Install Shoutcast' => ' Shoutcast',
'Install Shoutcast 2 DNAS' => ' Shoutcast 2 DNAS',
'Install Stereo Tool' => ' Stereo Tool',
'Instructions' => '',
'Internal notes or comments about the user, visible only on this control panel.' => '',
'International Standard Recording Code, used for licensing reports.' => '',
'Interrupt other songs to play at scheduled time.' => '',
'Intro' => '',
'IP' => 'IP',
'IP Address Source' => 'IP ',
'IP Geolocation is used to guess the approximate location of your listeners based on the IP address they connect with. Use the free built-in IP Geolocation library or enter a license key on this page to use MaxMind GeoLite.' => 'IP IP IP MaxMind GeoLite',
'Is Public' => '',
'Is Published' => '',
'ISRC' => 'ISRC',
'Items per page' => '',
'Jingle Mode' => '',
'Language' => '',
'Last 14 Days' => '14',
'Last 2 Years' => '',
'Last 24 Hours' => '24',
'Last 30 Days' => '30',
'Last 60 Days' => '60',
'Last 7 Days' => '7',
'Last Modified' => '',
'Last Month' => '',
'Last Run' => '',
'Last run:' => '',
'Last Year' => '',
'Last.fm API Key' => 'Last.fm API ',
'Latest Update' => '',
'Learn about Advanced Playlists' => '',
'Learn More about Post-processing CPU Impact' => ' CPU ',
'Learn more about release channels in the AzuraCast docs.' => ' AzuraCast ',
'Learn more about this header.' => '',
'Leave blank to automatically generate a new password.' => '',
'Leave blank to play on every day of the week.' => '',
'Leave blank to use the current password.' => '',
'Leave blank to use the default Telegram API URL (recommended).' => ' Telegram API URL',
'Length' => '',
'Let\'s get started by creating your Super Administrator account.' => '',
'LetsEncrypt' => 'LetsEncrypt SSL',
'LetsEncrypt provides simple, free SSL certificates allowing you to secure traffic through your control panel and radio streams.' => 'LetsEncrypt SSL ',
'Light' => '',
'Like our software?' => '',
'Limited' => '',
'LiquidSoap is currently shuffling from %{songs} and %{playlists}.' => 'LiquidSoap %{songs} %{playlists} ',
'Liquidsoap Performance Tuning' => 'Liquidsoap ',
'List one IP address or group (in CIDR format) per line.' => 'IPCIDR',
'List one user agent per line. Wildcards (*) are allowed.' => ' (*)',
'Listener Analytics Collection' => '',
'Listener Gained' => '',
'Listener History' => '',
'Listener Lost' => '',
'Listener Report' => '',
'Listener Request' => '',
'Listener Type' => '',
'Listeners' => '',
'Listeners by Day' => '',
'Listeners by Day of Week' => '',
'Listeners by Hour' => '',
'Listeners by Listening Time' => '',
'Listeners By Time Period' => '',
'Listeners Per Station' => '',
'Listening Time' => '',
'Live' => '',
'Live Broadcast Recording Bitrate (kbps)' => 'kbps',
'Live Broadcast Recording Format' => '',
'Live Listeners' => '',
'Live Recordings Storage Location' => '',
'Live Streamer:' => '',
'Live Streamer/DJ Connected' => '//DJ ',
'Live Streamer/DJ Disconnected' => '//DJ ',
'Live Streaming' => '',
'Load Average' => '',
'Loading' => '',
'Local' => '',
'Local Broadcasting Service' => '',
'Local Filesystem' => '',
'Local IP (Default)' => ' IP',
'Local Streams' => '',
'Location' => '',
'Log In' => '',
'Log Output' => '',
'Log Viewer' => '',
'Logs' => '',
'Logs by Station' => '',
'Loop Once' => '',
'Main Message Content' => '',
'Make HLS Stream Default in Public Player' => ' HLS ',
'Make the selected media play immediately, interrupting existing media' => '',
'Manage' => '',
'Manage Avatar' => '',
'Manage SFTP Accounts' => 'SFTP',
'Manage Stations' => '',
'Manual AutoDJ Mode' => 'DJ',
'Manual Updates' => '',
'Manually Add Episodes' => '',
'Manually define how this playlist is used in Liquidsoap configuration.' => 'Liquidsoap',
'Markdown' => 'Markdown',
'Master_me is an open-source automatic mastering plugin for streaming, podcasts and Internet radio.' => 'Master_me ',
'Master_me Loudness Target (LUFS)' => 'LUFS',
'Master_me Post-processing' => 'Master_me ',
'Master_me Preset' => 'Master_me ',
'Master_me Project Homepage' => 'Master_me ',
'Mastodon Account Details' => 'Mastodon ',
'Mastodon Instance URL' => 'Mastodon URL',
'Mastodon Post' => 'Mastodon',
'Matched' => '',
'Matomo Analytics Integration' => 'Matomo ',
'Matomo API Token' => 'Matomo API ',
'Matomo Installation Base URL' => 'Matomo URL',
'Matomo Site ID' => 'Matomo ID',
'Max Listener Duration' => '',
'Max. Connected Time' => '',
'Maximum Listeners' => '',
'Maximum number of total listeners across all streams. Leave blank to use the default.' => '',
'MaxMind Developer Site' => 'MaxMind ',
'Measurement ID' => 'Measurement ID',
'Measurement Protocol API Secret' => 'Measurement API ',
'Media' => '',
'Media File' => '',
'Media Storage Location' => '',
'Memory' => '',
'Memory Stats Help' => '',
'Merge playlist to play as a single track.' => '',
'Message Body' => '',
'Message Body on Song Change' => '',
'Message Body on Song Change with Streamer/DJ Connected' => '/DJ ',
'Message Body on Station Offline' => '',
'Message Body on Station Online' => '',
'Message Body on Streamer/DJ Connect' => '/DJ ',
'Message Body on Streamer/DJ Disconnect' => '/DJ',
'Message Customization Tips' => '',
'Message parsing mode' => '',
'Message Queues' => '',
'Message Recipient(s)' => '',
'Message Subject' => '',
'Message Visibility' => '',
'Metadata updated.' => '',
'Microphone' => '',
'Microphone Source' => '',
'Min. Connected Time' => '. ',
'Minute of Hour to Play' => '',
'Mixer' => '',
'Mobile' => '',
'Modified' => '',
'Monday' => '',
'More' => '',
'Most hosting providers will put more Virtual Machines (VPSes) on a server than the hardware can handle when each VM is running at full CPU load. This is called over-provisioning, which can lead to other VMs on the server "stealing" CPU time from your VM and vice-versa.' => ' (VPS) CPU " " CPU ',
'Most Played Songs' => '',
'Most Recent Backup Log' => '',
'Mount Name:' => '',
'Mount Point URL' => 'URL',
'Mount Points' => '',
'Mount points are how listeners connect and listen to your station. Each mount point can be a different audio format or quality. Using mount points, you can set up a high-quality stream for broadband listeners and a mobile stream for phone users.' => '',
'Move' => '',
'Move %{ num } File(s) to' => ' %{ num }',
'Move Down' => '',
'Move to Bottom' => '',
'Move to Directory' => '',
'Move to Top' => '',
'Move Up' => '',
'Music Files' => '',
'Music General' => '',
'Must match new password.' => '',
'Mute' => '',
'My Account' => '',
'N/A' => 'N/A',
'Name' => '',
'name@example.com' => 'name@example.com',
'Name/Type' => '/',
'Need Help?' => '',
'Network Interfaces' => '',
'Never run' => '',
'New Directory' => '',
'New directory created.' => '',
'New File Name' => '',
'New Folder' => '',
'New Key Generated' => '',
'New Password' => '',
'New Playlist' => '',
'New Playlist Name' => '',
'New Station Description' => '',
'New Station Name' => '',
'Next Run' => '',
'No' => '',
'No AutoDJ Enabled' => ' AutoDJ',
'No files selected.' => '',
'No Limit' => '',
'No Match' => '',
'No other program can be using this port. Leave blank to automatically assign a port.' => '',
'No Post-processing' => '',
'No records to display.' => '',
'No records.' => '',
'None' => '',
'Normal Mode' => '',
'Not Played' => '',
'Not Run' => '',
'Not Running' => '',
'Not Scheduled' => '',
'Note that restoring a backup will clear your existing database. Never restore backup files from untrusted users.' => '',
'Note that Stereo Tool can be resource-intensive for both CPU and Memory. Please ensure you have sufficient resources before proceeding.' => ' CPU ',
'Note: If your media metadata has UTF-8 characters, you should use a spreadsheet editor that supports UTF-8 encoding, like OpenOffice.' => ' UTF-8 UTF-8 OpenOffice',
'Note: the port after this one will automatically be used for legacy connections.' => '',
'Note: This should be the public-facing homepage of the radio station, not the AzuraCast URL. It will be included in broadcast details.' => 'AzuraCastURL',
'Notes' => '',
'Notice' => '',
'Now' => '',
'Now Playing' => '',
'Now playing on %{ station }:' => ' %{ } ',
'Now playing on %{ station }: %{ title } by %{ artist } with your host, %{ dj }! Tune in now: %{ url }' => ' %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now: %{ url }' => ' %{ title } by %{ artist } %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now.' => ' %{ title } by %{ artist } %{ url }',
'NowPlaying API Response' => 'NowPlaying API ',
'Number of Backup Copies to Keep' => '',
'Number of Minutes Between Plays' => '',
'Number of seconds to overlap songs.' => '',
'Number of Songs Between Plays' => '',
'Number of Visible Recent Songs' => '',
'On the Air' => '',
'On-Demand' => '',
'On-Demand Media' => '',
'On-Demand Streaming' => '',
'Once per %{minutes} Minutes' => '%{minutes}',
'Once per %{songs} Songs' => '%{songs}',
'Once per Hour' => '',
'Once per Hour (at %{minute})' => ' (at %{minute})',
'Once per x Minutes' => 'x',
'Once per x Songs' => 'x',
'Once these steps are completed, enter the "Access Token" from the application\'s page into the field below.' => ' ""',
'One important note on I/O Wait is that it can indicate a bottleneck or problem but also may be completely meaningless, depending on the workload and general available resources. A constantly high I/O Wait should prompt further investigation with more sophisticated tools.' => ' I/O I/O ',
'Only collect aggregate listener statistics' => '',
'Only loop through playlist once.' => '',
'Only play one track at scheduled time.' => '',
'Only Post Once Every...' => '...',
'Operation' => '',
'Optional: HTTP Basic Authentication Password' => 'HTTP',
'Optional: HTTP Basic Authentication Username' => 'HTTP',
'Optional: Request Timeout (Seconds)' => '',
'Optionally list this episode as part of a season in some podcast aggregators.' => '',
'Optionally select an ID3v2 metadata field that, if present, will be used to set this field\'s value.' => 'ID3v2',
'Optionally set a specific episode number in some podcast aggregators.' => '',
'Optionally specify a short URL-friendly name, such as "my_station_name", that will be used in this station\'s URLs. Leave this field blank to automatically create one based on the station name.' => ' URL URL my_station_name',
'Optionally specify an API-friendly name, such as "field_name". Leave this field blank to automatically create one based on the name.' => ' API "field_name"',
'Optionally supply an API token to allow IP address overriding.' => ' API IP ',
'Optionally supply SSH public keys this user can use to connect instead of a password. Enter one key per line.' => 'SSH',
'or' => '',
'Original Path' => '',
'Other Remote URL (File, HLS, etc.)' => ' URLHLS ',
'Owner' => '',
'Page' => '',
'Passkey Authentication' => '',
'Passkey Nickname' => '',
'Password' => '',
'Password:' => '',
'Paste the generated license key into the field on this page.' => '',
'Path/Suffix' => '/',
'Pending Requests' => '',
'Permissions' => '',
'Play' => '',
'Play Now' => '',
'Play once every $x minutes.' => ' x ',
'Play once every $x songs.' => ' x $',
'Play once per hour at the specified minute.' => '',
'Playback Queue' => '',
'Playing Next' => '',
'Playlist' => '',
'Playlist (M3U/PLS) URL' => ' (M3U/PLS) ',
'Playlist 1' => '1',
'Playlist 2' => '2',
'Playlist Name' => '',
'Playlist order set.' => '',
'Playlist queue cleared.' => '',
'Playlist successfully applied to folders.' => '',
'Playlist Type' => '',
'Playlist Weight' => '',
'Playlist-Based' => '',
'Playlist-Based Podcast' => '',
'Playlist-based podcasts will automatically sync with the contents of a playlist, creating new podcast episodes for any media added to the playlist.' => '',
'Playlist:' => '',
'Playlists' => '',
'Playlists cleared for selected files:' => '',
'Playlists updated for selected files:' => '',
'Plays' => '',
'Please log in to continue.' => '',
'Podcast' => '',
'Podcast media should be in the MP3 or M4A (AAC) format for the greatest compatibility.' => 'MP3M4AAAC',
'Podcast Title' => '',
'Podcasts' => '',
'Podcasts Storage Location' => '',
'Port' => '',
'Port:' => ':',
'Powered by' => '',
'Powered by AzuraCast' => ' AzuraCast ',
'Prefer Browser URL (If Available)' => 'URL',
'Prefer System Default' => '',
'Preview' => '',
'Previous' => '',
'Privacy' => '',
'Profile' => '',
'Programmatic Name' => '',
'Provide a valid license key from Thimeo. Functionality is limited without a license key.' => ' Thimeo ',
'Public' => '',
'Public Page' => '',
'Public Page Background' => '',
'Public Pages' => '',
'Publish At' => '',
'Publish to "Yellow Pages" Directories' => ' " "',
'Queue' => '',
'Queue the selected media to play next' => '',
'Radio Player' => '',
'Radio.de' => 'Radio.de',
'Radio.de API Key' => 'Radio.de API ',
'Radio.de Broadcast Subdomain' => 'Radio.de ',
'RadioRed Organization API Key' => 'RadioRed API ',
'Random' => '',
'Ready to start broadcasting? Click to start your station.' => '',
'Received' => '',
'Record Live Broadcasts' => '',
'Recover Account' => '',
'Refresh' => '',
'Refresh rows' => '',
'Region' => '',
'Relay' => '',
'Relay Stream URL' => ' URL',
'Release Channel' => '',
'Reload' => '',
'Reload Configuration' => '',
'Reload to Apply Changes' => '',
'Reloading broadcasting will not disconnect your listeners.' => '',
'Remember me' => '',
'Remote' => '',
'Remote Playback Buffer (Seconds)' => ' (Seconds)',
'Remote Relays' => '',
'Remote relays let you work with broadcasting software outside this server. Any relay you include here will be included in your station\'s statistics. You can also broadcast from this server to remote relays.' => '',
'Remote Station Administrator Password' => '',
'Remote Station Listening Mountpoint/SID' => '/SID',
'Remote Station Listening URL' => 'URL',
'Remote Station Source Mountpoint/SID' => '/SID',
'Remote Station Source Password' => '',
'Remote Station Source Port' => '',
'Remote Station Source Username' => '',
'Remote Station Type' => ' ',
'Remote URL' => 'URL',
'Remote URL Playlist' => 'URL',
'Remote URL Type' => 'URL',
'Remote: Dropbox' => ' Dropbox',
'Remote: S3 Compatible' => 'S3',
'Remote: SFTP' => 'SFTP',
'Remove' => '',
'Remove Key' => '',
'Rename' => '',
'Rename File/Directory' => '/',
'Reorder' => '',
'Reorder Playlist' => '',
'Repeat' => '',
'Replace Album Cover Art' => '',
'Reports' => '',
'Reprocess' => '',
'Request' => '',
'Request a Song' => '',
'Request History' => '',
'Request Last Played Threshold (Minutes)' => '',
'Request Minimum Delay (Minutes)' => '',
'Request Song' => '',
'Requester IP' => 'IP',
'Requests' => '',
'Required' => '',
'Reshuffle' => '',
'Restart' => '',
'Restart Broadcasting' => '',
'Restarting broadcasting will briefly disconnect your listeners.' => '',
'Restarting broadcasting will rewrite all configuration files and restart all services.' => '',
'Restoring Backups' => '',
'Reverse Proxy (X-Forwarded-For)' => 'X-Forwarded-For',
'Role Name' => '',
'Roles' => '',
'Roles & Permissions' => '',
'Rolling Release' => '',
'RSS' => 'RSS',
'RSS Feed' => 'RSS',
'Run Automatic Nightly Backups' => '',
'Run Manual Backup' => '',
'Run Task' => '',
'Running' => '',
'Sample Rate' => '',
'Saturday' => '',
'Save' => '',
'Save and Continue' => '',
'Save Changes' => '',
'Save Changes first' => '',
'Schedule' => '',
'Schedule View' => '',
'Scheduled' => '',
'Scheduled Backup Time' => '',
'Scheduled Play Days of Week' => '',
'Scheduled playlists and other timed items will be controlled by this time zone.' => '',
'Scheduled Time #%{num}' => '#%{num}',
'Scheduling' => '',
'Search' => '',
'Season Number' => '',
'Seconds from the start of the song that the AutoDJ should start playing.' => 'AutoDJ',
'Seconds from the start of the song that the AutoDJ should stop playing.' => 'AutoDJ',
'Seconds from the start of the song that the next song should begin when fading. Leave blank to use the system default.' => '',
'Secret Key' => '',
'Security' => '',
'Security & Privacy' => '',
'See the Telegram documentation for more details.' => ' Telegram ',
'See the Telegram Documentation for more details.' => ' Telegram ',
'Seek' => '',
'Segment Length (Seconds)' => '',
'Segments in Playlist' => '',
'Segments Overhead' => ' ',
'Select' => '',
'Select a theme to use as a base for station public pages and the login page.' => '',
'Select All Rows' => '',
'Select an option here to apply post-processing using an easy preset or tool. You can also manually apply post-processing by editing your Liquidsoap configuration manually.' => ' Liquidsoap ',
'Select Configuration File' => '',
'Select CSV File' => ' CSV ',
'Select Custom Fallback File' => '',
'Select File' => '',
'Select Intro File' => '',
'Select Media File' => '',
'Select Passkey' => '',
'Select Playlist' => '',
'Select PLS/M3U File to Import' => 'PLS/M3U',
'Select PNG/JPG artwork file' => 'PNG/JPG',
'Select Row' => '',
'Select the category/categories that best reflects the content of your podcast.' => '/',
'Select the countries that are not allowed to connect to the streams.' => '',
'Select Web Hook Type' => '',
'Send an e-mail to specified address(es).' => '',
'Send E-mail' => '',
'Send song metadata changes to %{service}' => ' %{service}',
'Send song metadata changes to %{service}.' => ' %{service}',
'Send stream listener details to Google Analytics.' => '',
'Send stream listener details to Matomo Analytics.' => ' Matomo Analytics',
'Send Test Message' => '',
'Sender E-mail Address' => '',
'Sender Name' => '',
'Sequential' => '',
'Server Status' => '',
'Server:' => '',
'Services' => '',
'Set a maximum disk space that this storage location can use. Specify the size with unit, i.e. "8 GB". Units are measured in 1024 bytes. Leave blank to default to the available space on the disk.' => ' "8 GB"1024',
'Set as Default Mount Point' => '',
'Set cue and fade points using the visual editor. The timestamps will be saved to the corresponding fields in the advanced playback settings.' => '',
'Set Cue In' => '',
'Set Cue Out' => ' cue ',
'Set Fade In' => '',
'Set Fade Out' => '',
'Set Fade Start Next' => '',
'Set longer to preserve more playback history and listener metadata for stations. Set shorter to save disk space.' => '',
'Set the length of time (seconds) a listener will stay connected to the stream. If set to 0, listeners can stay connected infinitely.' => ' 0',
'Set to * to allow all sources, or specify a list of origins separated by a comma (,).' => ' * ,',
'Settings' => '',
'Setup instructions for broadcasting software are available on the AzuraCast wiki.' => 'AzuraCast wiki ',
'SFTP Host' => 'SFTP',
'SFTP Password' => 'sftp',
'SFTP Port' => 'SFTP',
'SFTP Private Key' => 'SFTP ',
'SFTP Private Key Pass Phrase' => 'SFTP ',
'SFTP Username' => 'SFTP ',
'SFTP Users' => 'SFTP',
'Share Media Storage Location' => '',
'Share Podcasts Storage Location' => '',
'Share Recordings Storage Location' => '',
'Shoutcast 2 DNAS is not currently installed on this installation.' => ' Shoutcast 2 DNAS',
'Shoutcast 2 DNAS is not free software, and its restrictive license does not allow AzuraCast to distribute the Shoutcast binary.' => 'Shoutcast 2 DNAS AzuraCast Shoutcast ',
'Shoutcast Clients' => 'Shoutcast ',
'Shoutcast Radio Manager' => 'Shoutcast ',
'Shoutcast User ID' => 'Shoutcast ID',
'Shoutcast version "%{ version }" is currently installed.' => ' Shoutcast "%{ }"',
'Show Charts' => '',
'Show Credentials' => '',
'Show HLS Stream on Public Player' => ' HLS ',
'Show new releases within your update channel on the AzuraCast homepage.' => 'AzuraCast',
'Show on Public Pages' => '',
'Show the station in public pages and general API results.' => 'API',
'Show Update Announcements' => '',
'Shuffled' => '',
'Sidebar' => '',
'Sign In' => '',
'Sign In with Passkey' => '',
'Sign Out' => '',
'Site Base URL' => '',
'Size' => '',
'Skip Song' => '',
'Skip to main content' => '',
'Smart Mode' => '',
'SMTP Host' => 'SMTP',
'SMTP Password' => 'SMTP',
'SMTP Port' => 'SMTP',
'SMTP Username' => 'SMTP',
'Social Media' => '',
'Some stream licensing providers may have specific rules regarding song requests. Check your local regulations for more information.' => '',
'Song' => '',
'Song Album' => '',
'Song Artist' => '',
'Song Change' => '',
'Song Change (Live Only)' => '',
'Song Genre' => '',
'Song History' => '',
'Song Length' => '',
'Song Lyrics' => '',
'Song Playback Order' => '',
'Song Playback Timeline' => '',
'Song Requests' => '',
'Song Title' => '',
'Song-based' => '',
'Song-Based' => '',
'Song-Based Playlist' => '',
'SoundExchange Report' => '',
'SoundExchange Royalties' => 'SoundExchange',
'Source' => '',
'Space Used' => '',
'Specify a mountpoint (i.e. "/radio.mp3") or a Shoutcast SID (i.e. "2") to specify a specific stream to use for statistics or broadcasting.' => '"/radio.mp3" Shoutcast SID "2"',
'Specify the minute of every hour that this playlist should play.' => '',
'Speech General' => '',
'SSH Public Keys' => 'SSH',
'Stable' => '',
'Standard playlist, shuffles with other standard playlists based on weight.' => '',
'Start' => '',
'Start Date' => '',
'Start Station' => '',
'Start Streaming' => '',
'Start Time' => '',
'Station Directories' => '',
'Station Disabled' => '',
'Station Goes Offline' => ' ',
'Station Goes Online' => '',
'Station Media' => '',
'Station Name' => '',
'Station Offline' => '',
'Station Offline Display Text' => '',
'Station Overview' => '',
'Station Permissions' => '',
'Station Podcasts' => '',
'Station Recordings' => '',
'Station Statistics' => '',
'Station Time' => '',
'Station Time Zone' => '',
'Station-Specific Debugging' => '',
'Station(s)' => ' (s)',
'Stations' => '',
'Stations using Icecast can soft-reload the station configuration, applying changes while keeping the stream broadcast running.' => ' Icecast ',
'Steal' => '',
'Steal (St)' => ' (St)',
'Step %{step}' => ' %{step}',
'Step 1: Scan QR Code' => '',
'Step 2: Verify Generated Code' => '',
'Steps for configuring a Mastodon application:' => ' Mastodon ',
'Stereo Tool' => 'Stereo Tool',
'Stereo Tool documentation.' => 'Stereo Tool ',
'Stereo Tool Downloads' => ' Stereo Tool',
'Stereo Tool is a popular, proprietary tool for software audio processing. Using Stereo Tool, you can customize the sound of your stations using preset configuration files.' => 'Stereo Tool Stereo Tool',
'Stereo Tool is an industry standard for software audio processing. For more information on how to configure it, please refer to the' => 'Stereo Tool ',
'Stereo Tool is not currently installed on this installation.' => ' Stereo Tool',
'Stereo Tool is not free software, and its restrictive license does not allow AzuraCast to distribute the Stereo Tool binary.' => 'Stereo Tool AzuraCast Stereo Tool ',
'Stereo Tool version %{ version } is currently installed.' => ' Stereo Tool %{ version }',
'Stop' => '',
'Stop Streaming' => '',
'Storage Adapter' => '',
'Storage Location' => '',
'Storage Locations' => '',
'Storage Quota' => '',
'Stream' => '',
'Streamer Broadcasts' => '',
'Streamer Display Name' => '',
'Streamer password' => '',
'Streamer Username' => '',
'Streamer/DJ' => '/DJ',
'Streamer/DJ Accounts' => '/ DJ',
'Streamers/DJs' => '/DJ',
'Streams' => '',
'Submit Code' => '',
'Sunday' => '',
'Support Documents' => '',
'Supported file formats:' => '',
'Switch Theme' => '',
'Synchronization Tasks' => '',
'Synchronize with Playlist' => '',
'System Administration' => '',
'System Debugger' => '',
'System Logs' => '',
'System Maintenance' => '',
'System Settings' => '',
'Target' => '',
'Task Name' => '',
'Telegram Chat Message' => '',
'Test' => '',
'Test message sent.' => '',
'Thanks for listening to %{ station }!' => ' %{ }',
'The amount of memory Linux is using for disk caching.' => 'Linux ',
'The average target loudness (measured in LUFS) for the broadcasted stream. Values between -14 and -18 LUFS are common for Internet radio stations.' => ' LUFS -14 -18 LUFS ',
'The base URL where this service is located. Use either the external IP address or fully-qualified domain name (if one exists) pointing to this server.' => ' URLIP',
'The body of the POST message is the exact same as the NowPlaying API response for your station.' => 'POST NowPlaying API ',
'The contact person of the podcast. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => ' Apple PodcastsSpotifyGoogle Podcasts ',
'The current CPU usage including I/O Wait and Steal.' => ' CPU I/O',
'The current Memory usage excluding cached memory.' => '',
'The date and time when the episode should be published.' => '',
'The description of the episode. The typical maximum amount of text allowed for this is 4000 characters.' => '4000',
'The description of your podcast. The typical maximum amount of text allowed for this is 4000 characters.' => '4000',
'The display name assigned to this mount point when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'URL',
'The display name assigned to this relay when viewing it on administrative or public pages. Leave blank to automatically generate one.' => '',
'The editable text boxes are areas where you can insert custom configuration code. The non-editable sections are automatically generated by AzuraCast.' => ' AzuraCast ',
'The email of the podcast contact. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => ' Apple PodcastsSpotifyGoogle Podcasts ',
'The file name should look like:' => '',
'The format and headers of this CSV should match the format generated by the export function on this page.' => 'CSV ',
'The full base URL of your Matomo installation.' => 'Matomo URL',
'The full playlist is shuffled and then played through in the shuffled order.' => '',
'The I/O Wait is the percentage of time that the CPU is waiting for disk access before it can continue the work that depends on the result of this.' => 'I/O CPU ',
'The language spoken on the podcast.' => '',
'The length of playback time that Liquidsoap should buffer when playing this remote playlist. Shorter times may lead to intermittent playback on unstable connections.' => 'Liquidsoap',
'The number of seconds of signal to store in case of interruption. Set to the lowest value that your DJs can use without stream interruptions.' => 'DJ',
'The number of seconds to wait for a response from the remote server before cancelling the request.' => '',
'The numeric site ID for this site.' => ' ID',
'The order of the playlist is manually specified and followed by the AutoDJ.' => 'AutoDJ',
'The parent directory where station playlist and configuration files are stored. Leave blank to use default directory.' => '',
'The relative path of the file in the station\'s media directory.' => '',
'The station ID will be a numeric string that starts with the letter S.' => 'IDS',
'The streamer will use this password to connect to the radio server.' => '',
'The streamer will use this username to connect to the radio server.' => '',
'The time period that the song should fade in. Leave blank to use the system default.' => '',
'The time period that the song should fade out. Leave blank to use the system default.' => '',
'The URL that will receive the POST messages any time an event is triggered.' => 'POSTURL',
'The volume in decibels to amplify the track with. Leave blank to use the system default.' => '',
'The WebDJ lets you broadcast live to your station using just your web browser.' => ' WebDJ',
'Theme' => '',
'There is no existing custom fallback file associated with this station.' => '',
'There is no existing intro file associated with this mount point.' => '',
'There is no existing media associated with this episode.' => '',
'There is no Stereo Tool configuration file present.' => ' Stereo Tool ',
'This account will have full access to the system, and you\'ll automatically be logged in to it for the rest of setup.' => '',
'This can be generated in the "Events" section for a measurement.' => ' " "',
'This can be retrieved from the GetMeRadio dashboard.' => ' GetMeRadio ',
'This can make it look like your memory is low while it actually is not. Some monitoring solutions/panels include cached memory in their used memory statistics without indicating this.' => '/',
'This code will be included in the frontend configuration. Allowed formats are:' => '',
'This configuration file should be a valid .sts file exported from Stereo Tool.' => ' Stereo Tool .sts ',
'This CSS will be applied to the main management pages, like this one.' => 'CSS',
'This CSS will be applied to the station public pages and login page.' => 'CSS',
'This CSS will be applied to the station public pages.' => ' CSS ',
'This determines how many songs in advance the AutoDJ will automatically fill the queue.' => ' AutoDJ ',
'This feature requires the AutoDJ feature to be enabled.' => ' AutoDJ ',
'This field is required.' => '',
'This field must be a valid decimal number.' => '',
'This field must be a valid e-mail address.' => '',
'This field must be a valid integer.' => '',
'This field must be a valid IP address.' => ' IP ',
'This field must be a valid URL.' => ' URL',
'This field must be between %{ min } and %{ max }.' => ' %{ } %{ } ',
'This field must have at least %{ min } letters.' => ' %{ min } ',
'This field must have at most %{ max } letters.' => ' %{ max } ',
'This field must only contain alphabetic characters.' => '',
'This field must only contain alphanumeric characters.' => '',
'This field must only contain numeric characters.' => '',
'This file will be played on your radio station any time no media is scheduled to play or a critical error occurs that interrupts regular broadcasting.' => '',
'This image will be used as the default album art when this streamer is live.' => '',
'This introduction file should exactly match the bitrate and format of the mount point itself.' => '',
'This is a 3-5 digit number.' => ' 3-5 ',
'This is an advanced feature and custom code is not officially supported by AzuraCast. You may break your station by adding custom code, but removing it should fix any issues.' => 'AzuraCast ',
'This is the informal display name that will be shown in API responses if the streamer/DJ is live.' => '/DJAPI',
'This is the number of seconds until a streamer who has been manually disconnected can reconnect to the stream. Set to 0 to allow the streamer to immediately reconnect.' => ' 0 ',
'This javascript code will be applied to the station public pages and login page.' => 'javascript',
'This javascript code will be applied to the station public pages.' => ' javascript ',
'This mode disables AzuraCast\'s AutoDJ management, using Liquidsoap itself to manage song playback. "next song" and some other features will not be available.' => ' AzuraCast AutoDJ Liquidsoap " "',
'This Month' => '',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => '(/)URL/autodj.mp3',
'This name will appear as a sub-header next to the AzuraCast logo, to help identify this server.' => 'AzuraCast',
'This page lists all API keys assigned to all users across the system. To manage your own API keys, visit your account profile.' => ' API API ',
'This password is too common or insecure.' => '',
'This playlist currently has no scheduled times. It will play at all times. To add a new scheduled time, click the button below.' => '',
'This playlist will play every $x minutes, where $x is specified here.' => ' $x $x',
'This playlist will play every $x songs, where $x is specified here.' => ' $x $x',
'This podcast is automatically synchronized with a playlist. Episodes cannot be manually added or removed via this panel.' => '',
'This port is not used by any external process. Only modify this port if the assigned port is in use. Leave blank to automatically assign a port.' => '',
'This queue contains the remaining tracks in the order they will be queued by the AzuraCast AutoDJ (if the tracks are eligible to be played).' => 'AzuraCast AutoDJ',
'This service can provide album art for tracks where none is available locally.' => '',
'This setting can result in excessive CPU consumption and should be used with caution.' => ' CPU ',
'This software is traditionally used to deliver your broadcast to your listeners. You can still broadcast remotely or via HLS if this service is disabled.' => ' HLS ',
'This software shuffles from playlists of music constantly and plays when no other radio source is available.' => '',
'This specifies the minimum time (in minutes) between a song playing on the radio and being available to request again. Set to 0 for no threshold.' => ' 0 ',
'This specifies the time range (in minutes) of the song history that the duplicate song prevention algorithm should take into account.' => '',
'This station\'s time zone is currently %{tz}.' => '%{tz}',
'This streamer is not scheduled to play at any times.' => '',
'This URL is provided within the Discord application.' => ' URL Discord ',
'This web hook is no longer supported. Removing it is recommended.' => ' Web ',
'This web hook will only run when the selected event(s) occur on this specific station.' => ' Web ',
'This will be shown on public player pages if the station is offline. Leave blank to default to a localized version of "%{message}".' => '"%{message}"',
'This will be used as the label when editing individual songs, and will show in API results.' => 'API',
'This will clear any pending unprocessed messages in all message queues.' => '',
'This will produce a significantly smaller backup, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => '',
'Thumbnail Image URL' => '',
'Thursday' => '',
'Time' => '',
'Time (sec)' => ' (sec)',
'Time Display' => '',
'Time spent waiting for disk I/O to be completed.' => ' I/O ',
'Time stolen by other virtual machines on the same physical server.' => '',
'Time Zone' => '',
'Title' => '',
'To alleviate this potential problem with shared CPU resources, hosts assign "credits" to a VPS which are used up according to an algorithm based on the CPU load as well as the time over which the CPU load is generated. If your VM\'s assigned credit is used up, they will take CPU time from your VM and assign it to other VMs on the machine. This is seen as the "Steal" or "St" value.' => ' CPU CPU CPU VPS "" " " CPU " " "St "',
'To customize installation settings, or if automatic updates are disabled, you can follow our standard update instructions to update via your SSH console.' => ' SSH ',
'To download the GeoLite database:' => ' GeoLite ',
'To play once per day, set the start and end times to the same value.' => '',
'To restore a backup from your host computer, run:' => '',
'To retrieve detailed unique listeners and client details, an administrator password is often required.' => '',
'To set this schedule to run only within a certain date range, specify a start and end date.' => '',
'To use this feature, a secure (HTTPS) connection is required. Firefox is recommended to avoid static when broadcasting.' => 'HTTPS Firefox ',
'To verify that the code was set up correctly, enter the 6-digit code the app shows you.' => '6',
'Today' => '',
'Toggle Menu' => '',
'Toggle Sidebar' => '',
'Top Browsers by Connected Time' => '',
'Top Browsers by Listeners' => '',
'Top Countries by Connected Time' => '',
'Top Countries by Listeners' => '',
'Top Streams by Connected Time' => '',
'Top Streams by Listeners' => '',
'Total Disk Space' => '',
'Total Listener Hours' => '',
'Total RAM' => ' RAM',
'Transmitted' => '',
'Triggers' => '',
'Tuesday' => '',
'TuneIn AIR' => 'TuneIn AIR',
'TuneIn Partner ID' => 'TuneInID',
'TuneIn Partner Key' => 'TuneIn',
'TuneIn Station ID' => 'TuneInID',
'Two-Factor Authentication' => '',
'Two-factor authentication improves the security of your account by requiring a second one-time access code in addition to your password when you log in.' => '',
'Typically a website with content about the episode.' => '',
'Typically the home page of a podcast.' => '',
'Unable to update.' => '',
'Unassigned Files' => '',
'Uninstall' => '',
'Unique' => '',
'Unique identifier for the target chat or username of the target channel (in the format @channelusername).' => '@channelusername',
'Unique Listeners' => '',
'Unknown' => '',
'Unknown Artist' => '',
'Unknown Title' => '',
'Unlisted' => '',
'Unmute' => '',
'Unprocessable Files' => '',
'Unpublished' => '',
'Unselect All Rows' => '',
'Unselect Row' => '',
'Upcoming Song Queue' => '',
'Update' => '',
'Update AzuraCast' => ' AzuraCast',
'Update AzuraCast via Web' => ' AzuraCast',
'Update AzuraCast? Your installation will restart.' => ' AzuraCast',
'Update Details' => '',
'Update Instructions' => '',
'Update Metadata' => '',
'Update started. Your installation will restart shortly.' => '',
'Update Station Configuration' => ' ',
'Update via Web' => '',
'Updated' => '',
'Updated successfully.' => '',
'Upload a Stereo Tool configuration file from the "Broadcasting" submenu in the station profile.' => ' " " Stereo Tool ',
'Upload Custom Assets' => '',
'Upload Stereo Tool Configuration' => ' Stereo Tool ',
'Upload the file on this page to automatically extract it into the proper directory.' => '',
'URL' => 'URL',
'URL Stub' => 'URL',
'Use' => '',
'Use (Us)' => 'US',
'Use API keys to authenticate with the AzuraCast API using the same permissions as your user account.' => ' API AzuraCast API',
'Use Browser Default' => '',
'Use High-Performance Now Playing Updates' => '',
'Use Icecast 2.4 on this server.' => ' Icecast 2.4',
'Use Less CPU (Uses More Memory)' => ' CPU',
'Use Less Memory (Uses More CPU)' => ' CPU',
'Use Liquidsoap on this server.' => ' Liquidsoap',
'Use Path Instead of Subdomain Endpoint Style' => '',
'Use Secure (TLS) SMTP Connection' => 'TLSSMTP',
'Use Shoutcast DNAS 2 on this server.' => ' Shoutcast DNAS 2',
'Use the Telegram Bot API to send a message to a channel.' => 'Telegram Bot API',
'Use this form to send a manual metadata update. Note that this will override any existing metadata on the stream.' => '',
'Use Web Proxy for Radio' => '',
'Used' => '',
'Used for "Forgot Password" functionality, web hooks and other functions.' => ' " "',
'User' => '',
'User Accounts' => '',
'User Agent' => '',
'User Name' => '',
'User Permissions' => '',
'Username' => '',
'Username:' => '',
'Users' => '',
'Users with this role will have these permissions across the entire installation.' => '',
'Users with this role will have these permissions for this single station.' => '',
'Uses either Websockets, Server-Sent Events (SSE) or static JSON files to serve Now Playing data on public pages. This improves performance, especially with large listener volume. Disable this if you are encountering problems with the service or use multiple URLs to serve your public pages.' => ' Websockets (SSE) JSON Now Playing URL ',
'Using a passkey (like Windows Hello, YubiKey, or your smartphone) allows you to securely log in without needing to enter your password or two-factor code.' => ' Windows HelloYubiKey ',
'Using this page, you can customize several sections of the Liquidsoap configuration. This allows you to add advanced functionality to your station\'s AutoDJ.' => ' Liquidsoap AutoDJ ',
'Usually enabled for port 465, disabled for ports 587 or 25.' => '4655872525',
'Variables are in the form of: ' => ' ',
'View' => '',
'View Fullscreen' => '',
'View Listener Report' => '',
'View Profile' => '',
'View tracks in playlist' => '',
'Visit the Dropbox App Console:' => ' Dropbox ',
'Visit the link below to sign in and generate an access code:' => '',
'Visit your Mastodon instance.' => ' Mastodon ',
'Visual Cue Editor' => '',
'Volume' => '',
'Wait' => '',
'Wait (Wa)' => ' (Wa)',
'Warning' => '',
'Waveform Zoom' => '',
'Web DJ' => 'DJ',
'Web Hook Details' => '',
'Web Hook Name' => '',
'Web Hook Triggers' => 'Triggers ',
'Web Hook URL' => '',
'Web Hooks' => '',
'Web hooks automatically send a HTTP POST request to the URL you specify to notify it any time one of the triggers you specify occurs on your station.' => ' URL HTTP POST ',
'Web hooks let you connect to external web services and broadcast changes to your station to them.' => '',
'Web Site URL' => '',
'Web updates are not available for your installation. To update your installation, perform the manual update process instead.' => '',
'WebDJ' => 'WebDJ',
'WebDJ connected!' => ' WebDJ',
'Website' => '',
'Wednesday' => '',
'Weight' => '',
'Welcome to AzuraCast!' => 'AzuraCast!',
'Welcome!' => '',
'When making API calls, you can pass this value in the "X-API-Key" header to authenticate as yourself.' => ' API "X-API-Key "',
'When the song changes and a live streamer/DJ is connected' => '/DJ ',
'When the station broadcast comes online' => '',
'When the station broadcast goes offline' => '',
'Whether new episodes should be marked as published or held for review as unpublished.' => '',
'Whether the AutoDJ should attempt to avoid duplicate artists and track titles when playing media from this playlist.' => 'AutoDJ',
'Widget Type' => '',
'With selected:' => '',
'Worst Performing Songs' => '',
'Yes' => '',
'Yesterday' => '',
'You' => '',
'You can also upload files in bulk via SFTP.' => 'SFTP',
'You can find answers for many common questions in our support documents.' => '',
'You can include any special mount point settings here, in either JSON { key: \'value\' } format or XML <key>value</key>' => ' JSON { key: \'value\' } XML<key></key>',
'You can only perform the actions your user account is allowed to perform.' => '',
'You may need to connect directly to your IP address:' => ' IP ',
'You may need to connect directly via your IP address:' => ' IP ',
'You will not be able to retrieve it again.' => '',
'Your browser does not support passkeys. Consider updating your browser to the latest version.' => '',
'Your full API key is below:' => 'API',
'Your installation is currently on this release channel:' => '',
'Your installation is up to date! No update is required.' => '',
'Your installation needs to be updated. Updating is recommended for performance and security improvements.' => '',
'Your station does not support reloading configuration. Restart broadcasting instead to apply changes.' => '',
'Your station has changes that require a reload to apply.' => '',
'Your station is currently not enabled for broadcasting. You can still manage media, playlists, and other station settings. To re-enable broadcasting, edit your station profile.' => '',
'Your station supports reloading configuration.' => '',
'YouTube' => 'YouTube',
'YP Directory Authorization Hash' => 'YP',
'Select...' => '...',
'Too many forgot password attempts' => '',
'You have attempted to reset your password too many times. Please wait 30 seconds and try again.' => '30',
'Account Recovery' => '',
'Account recovery e-mail sent.' => '',
'If the e-mail address you provided is in the system, check your inbox for a password reset message.' => '',
'Too many login attempts' => '',
'You have attempted to log in too many times. Please wait 30 seconds and try again.' => '30',
'Logged in successfully.' => '',
'Complete the setup process to get started.' => '',
'Login unsuccessful' => '',
'Your credentials could not be verified.' => '',
'User not found.' => '',
'Invalid token specified.' => '',
'Logged in using account recovery token' => '',
'Your password has been updated.' => '',
'Set Up AzuraCast' => ' AzuraCast',
'Setup has already been completed!' => '!',
'All Stations' => '',
'AzuraCast Application Log' => 'AzuraCast',
'AzuraCast Now Playing Log' => 'AzuraCast ',
'AzuraCast Synchronized Task Log' => 'AzuraCast ',
'AzuraCast Queue Worker Log' => 'AzuraCast ',
'Service Log: %s (%s)' => '%s (%s)',
'Nginx Access Log' => 'Nginx',
'Nginx Error Log' => 'Nginx',
'PHP Application Log' => 'PHP',
'Supervisord Log' => 'Supervisord ',
'Create a new storage location based on the base directory.' => '',
'You cannot modify yourself.' => '',
'You cannot remove yourself.' => '',
'Test Message' => '',
'This is a test message from AzuraCast. If you are receiving this message, it means your e-mail settings are configured correctly.' => ' AzuraCast ',
'Test message sent successfully.' => '',
'Less than Thirty Seconds' => '',
'Thirty Seconds to One Minute' => '',
'One Minute to Five Minutes' => '',
'Five Minutes to Ten Minutes' => '',
'Ten Minutes to Thirty Minutes' => '',
'Thirty Minutes to One Hour' => '',
'One Hour to Two Hours' => '',
'More than Two Hours' => '',
'Mobile Device' => '',
'Desktop Browser' => '',
'Non-Browser' => '',
'Connected Seconds' => '',
'File Not Processed: %s' => '%s',
'Cover Art' => '',
'File Processing' => '',
'No directory specified' => '',
'File not specified.' => '',
'New path not specified.' => '',
'This station is out of available storage space.' => '',
'Web hook enabled.' => '',
'Web hook disabled.' => '',
'Station reloaded.' => '',
'Station restarted.' => '',
'Service stopped.' => '',
'Service started.' => '',
'Service reloaded.' => '',
'Service restarted.' => '',
'Song skipped.' => '',
'Streamer disconnected.' => '',
'Station Nginx Configuration' => ' Nginx ',
'Liquidsoap Log' => 'Liquidsoap ',
'Liquidsoap Configuration' => 'Liquidsoap ',
'Icecast Access Log' => 'Icecast',
'Icecast Error Log' => 'Icecast',
'Icecast Configuration' => 'Icecast',
'Shoutcast Log' => 'Shoutcast ',
'Shoutcast Configuration' => 'Shoutcast ',
'Search engine crawlers are not permitted to use this feature.' => '',
'You are not permitted to submit requests.' => '',
'This track is not requestable.' => '',
'This song was already requested and will play soon.' => '',
'This song or artist has been played too recently. Wait a while before requesting it again.' => '',
'You have submitted a request too recently! Please wait before submitting another one.' => '! ',
'Your request has been submitted and will be played soon.' => '',
'This playlist is not song-based.' => '',
'Playlist emptied.' => '',
'This playlist is not a sequential playlist.' => '',
'Playlist reshuffled.' => '',
'Playlist enabled.' => '',
'Playlist disabled.' => '',
'Playlist successfully imported; %d of %d files were successfully matched.' => '%d%d',
'Playlist applied to folders.' => '',
'%d files processed.' => '%d ',
'No recording available.' => '',
'Record not found' => '',
'The uploaded file exceeds the upload_max_filesize directive in php.ini.' => 'php.iniupload_max_filesize',
'The uploaded file exceeds the MAX_FILE_SIZE directive from the HTML form.' => ' HTML MAX_FILE_SIZE ',
'The uploaded file was only partially uploaded.' => '',
'No file was uploaded.' => '',
'No temporary directory is available.' => '',
'Could not write to filesystem.' => '',
'Upload halted by a PHP extension.' => ' PHP ',
'Unspecified error.' => '',
'Changes saved successfully.' => '',
'Record created successfully.' => '',
'Record updated successfully.' => '',
'Record deleted successfully.' => '',
'Playlist: %s' => '%s',
'Streamer: %s' => '%s',
'The account associated with e-mail address "%s" has been set as an administrator' => '"%s "',
'Account not found.' => '',
'Roll Back Database' => '',
'Running database migrations...' => '...',
'Database migration failed: %s' => '%s',
'Database rolled back to stable release version "%s".' => '"%s"',
'AzuraCast Settings' => 'AzuraCast',
'Setting Key' => '',
'Setting Value' => '',
'Fixtures loaded.' => 'Fixtures ',
'Backing up initial database state...' => '...',
'We detected a database restore file from a previous (possibly failed) migration.' => '',
'Attempting to restore that now...' => '...',
'Attempting to roll back to previous database state...' => '...',
'Your database was restored due to a failed migration.' => '',
'Please report this bug to our developers.' => '',
'Restore failed: %s' => '%s',
'AzuraCast Backup' => 'AzuraCast',
'Please wait while a backup is generated...' => '...',
'Creating temporary directories...' => '...',
'Backing up MariaDB...' => 'MariaDB...',
'Creating backup archive...' => '...',
'Cleaning up temporary files...' => '...',
'Backup complete in %.2f seconds.' => '%.2f',
'Backup path %s not found!' => '%s!',
'Imported locale: %s' => 'locale %s',
'Database Migrations' => '',
'Database is already up to date!' => '',
'Database migration completed!' => '',
'AzuraCast Initializing...' => 'AzuraCast ...',
'AzuraCast Setup' => 'AzuraCast',
'Welcome to AzuraCast. Please wait while some key dependencies of AzuraCast are set up...' => 'AzuraCastAzuraCast',
'Running Database Migrations' => '',
'Generating Database Proxy Classes' => '',
'Reload System Data' => '',
'Installing Data Fixtures' => '',
'Refreshing All Stations' => '',
'AzuraCast is now updated to the latest version!' => 'AzuraCast',
'AzuraCast installation complete!' => 'AzuraCast',
'Visit %s to complete setup.' => '%s',
'%s is not recognized as a service.' => '%s',
'It may not be registered with Supervisor yet. Restarting broadcasting may help.' => ' Supervisor ',
'%s cannot start' => '%s ',
'It is already running.' => '',
'%s cannot stop' => '%s',
'It is not running.' => '',
'%s encountered an error: %s' => '%s %s',
'Check the log for details.' => '',
'You do not have permission to access this portion of the site.' => '',
'Cannot submit request: %s' => ' %s',
'You must be logged in to access this page.' => '',
'Record not found.' => '',
'File not found.' => '',
'Station not found.' => '',
'Podcast not found.' => '',
'This station does not currently support this functionality.' => '',
'This station does not currently support on-demand media.' => '',
'This station does not currently accept requests.' => '',
'This value is already used.' => '',
'Storage location %s could not be validated: %s' => '%s%s',
'Storage location %s already exists.' => '%s',
'All Permissions' => '',
'View Station Page' => '',
'View Station Reports' => '',
'View Station Logs' => '',
'Manage Station Profile' => '',
'Manage Station Broadcasting' => '',
'Manage Station Streamers' => '',
'Manage Station Mount Points' => '',
'Manage Station Remote Relays' => '',
'Manage Station Media' => '',
'Manage Station Automation' => '',
'Manage Station Web Hooks' => '',
'Manage Station Podcasts' => '',
'View Administration Page' => '',
'View System Logs' => '',
'Administer Settings' => '',
'Administer API Keys' => 'API',
'Administer Stations' => '',
'Administer Custom Fields' => '',
'Administer Backups' => '',
'Administer Storage Locations' => '',
'Runs routine synchronized tasks' => '',
'Database' => '',
'Web server' => '',
'PHP FastCGI Process Manager' => 'PHP FastCGI ',
'Now Playing manager service' => '',
'PHP queue processing worker' => 'PHP worker',
'Cache' => '',
'SFTP service' => 'SFTP ',
'Live Now Playing updates' => '',
'Frontend Assets' => '',
'This product includes GeoLite2 data created by MaxMind, available from %s.' => 'MaxMindGeoLite2%s',
'IP Geolocation by DB-IP' => 'DB-IPIP',
'GeoLite database not configured for this installation. See System Administration for instructions.' => 'GeoLite',
'Installation Not Recently Backed Up' => '',
'This installation has not been backed up in the last two weeks.' => '',
'Service Not Running: %s' => ' %s',
'One of the essential services on this installation is not currently running. Visit the system administration and check the system logs to find the cause of this issue.' => '',
'New AzuraCast Stable Release Available' => ' AzuraCast ',
'Version %s is now available. You are currently running version %s. Updating is recommended.' => ' %s %s',
'New AzuraCast Rolling Release Available' => ' AzuraCast ',
'Your installation is currently %d update(s) behind the latest version. Updating is recommended.' => ' %d ',
'Switch to Stable Channel Available' => '',
'Your Rolling Release installation is currently older than the latest Stable release. This means you can switch releases to the "Stable" release channel if desired.' => ' " "',
'Synchronization Disabled' => '',
'Routine synchronization is currently disabled. Make sure to re-enable it to resume routine maintenance tasks.' => '',
'Synchronization Not Recently Run' => '',
'The routine synchronization task has not run recently. This may indicate an error with your installation.' => '',
'The performance profiling extension is currently enabled on this installation.' => '',
'You can track the execution time and memory usage of any AzuraCast page or application from the profiler page.' => 'AzuraCast',
'Profiler Control Panel' => '',
'Performance profiling is currently enabled for all requests.' => '',
'This can have an adverse impact on system performance. You should disable this when possible.' => '',
'You may want to update your base URL to ensure it is correct.' => ' URL',
'If you regularly use different URLs to access AzuraCast, you should enable the "Prefer Browser URL" setting.' => ' URL AzuraCast " URL "',
'Your "Base URL" setting (%s) does not match the URL you are currently using (%s).' => ' " URL "%s URL%s',
'AzuraCast is free and open-source software.' => 'AzuraCast ',
'If you are enjoying AzuraCast, please consider donating to support our work. We depend on donations to build new features, fix bugs, and keep AzuraCast modern, accessible and free.' => ' AzuraCast AzuraCast ',
'Donate to AzuraCast' => ' AzuraCast',
'AzuraCast Installer' => 'AzuraCast ',
'Welcome to AzuraCast! Complete the initial server setup by answering a few questions.' => ' AzuraCast',
'AzuraCast Updater' => 'AzuraCast ',
'Change installation settings?' => '',
'AzuraCast is currently configured to listen on the following ports:' => 'AzuraCast ',
'HTTP Port: %d' => 'HTTP %d',
'HTTPS Port: %d' => 'HTTPS %d',
'SFTP Port: %d' => 'SFTP %d',
'Radio Ports: %s' => '%s',
'Customize ports used for AzuraCast?' => ' AzuraCast ',
'Writing configuration files...' => '...',
'Server configuration complete!' => '',
'This file was automatically generated by AzuraCast.' => ' AzuraCast ',
'You can modify it as necessary. To apply changes, restart the Docker containers.' => ' Docker ',
'Remove the leading "#" symbol from lines to uncomment them.' => ' "#"',
'Valid options: %s' => '%s',
'Default: %s' => ': %s',
'Additional Environment Variables' => '',
'(Docker Compose) All Docker containers are prefixed by this name. Do not change this after installation.' => '(Docker Compose Docker ',
'(Docker Compose) The amount of time to wait before a Docker Compose operation fails. Increase this on lower performance computers.' => '(Docker Compose) Docker Compose ',
'HTTP Port' => 'HTTP ',
'The main port AzuraCast listens to for insecure HTTP connections.' => 'AzuraCast HTTP ',
'HTTPS Port' => 'HTTPs ',
'The main port AzuraCast listens to for secure HTTPS connections.' => 'AzuraCast HTTPS ',
'The port AzuraCast listens to for SFTP file management connections.' => 'AzuraCast SFTP ',
'Station Ports' => '',
'The ports AzuraCast should listen to for station broadcasts and incoming DJ connections.' => 'AzuraCast DJ ',
'Docker User UID' => 'Docker UID',
'Set the UID of the user running inside the Docker containers. Matching this with your host UID can fix permission issues.' => ' Docker UID UID ',
'Docker User GID' => 'Docker GID',
'Set the GID of the user running inside the Docker containers. Matching this with your host GID can fix permission issues.' => ' Docker GID GID ',
'Use Podman instead of Docker.' => ' Podman Docker',
'Advanced: Use Privileged Docker Settings' => ' Docker ',
'The locale to use for CLI commands.' => 'CLI ',
'The application environment.' => '',
'Manually modify the logging level.' => '',
'This allows you to log debug-level errors temporarily (for problem-solving) or reduce the volume of logs that are produced by your installation, without needing to modify whether your installation is a production or development instance.' => '',
'Enable Custom Code Plugins' => '',
'Enable the composer "merge" functionality to combine the main application\'s composer.json file with any plugin composer files. This can have performance implications, so you should only use it if you use one or more plugins with their own Composer dependencies.' => ' composer " " composer.json composer composer ',
'Minimum Port for Station Port Assignment' => '',
'Modify this if your stations are listening on nonstandard ports.' => '',
'Maximum Port for Station Port Assignment' => '',
'Show Detailed Slim Application Errors' => ' Slim ',
'This allows you to debug Slim Application Errors you may encounter. Please report any Slim Application Error logs to the development team on GitHub.' => ' Slim GitHub Slim ',
'MariaDB Host' => 'MariaDB ',
'Do not modify this after installation.' => '',
'MariaDB Port' => 'MariaDB ',
'MariaDB Username' => 'MariaDB ',
'MariaDB Password' => 'MariaDB ',
'MariaDB Database Name' => 'MariaDB ',
'Auto-generate Random MariaDB Root Password' => ' MariaDB ',
'MariaDB Root Password' => 'MariaDB ',
'Enable MariaDB Slow Query Log' => ' MariaDB ',
'Log slower queries to diagnose possible database issues. Only turn this on if needed.' => '',
'MariaDB Maximum Connections' => 'MariaDB ',
'Set the amount of allowed connections to the database. This value should be increased if you are seeing the "Too many connections" error in the logs.' => ' " "',
'MariaDB InnoDB Buffer Pool Size' => 'MariaDB InnoDB ',
'The InnoDB buffer pool size controls how much data & indexes are kept in memory. Making sure that this value is as large as possible reduces the amount of disk IO.' => 'InnoDB IO',
'MariaDB InnoDB Log File Size' => 'MariaDB InnoDB ',
'The InnoDB log file is used to achieve data durability in case of crashes or unexpected shutoffs and to allow the DB to better optimize IO for write operations.' => 'InnoDB IO',
'Enable Redis' => ' Redis',
'Disable to use a flatfile cache instead of Redis.' => ' Redis',
'Redis Host' => 'Redis ',
'Redis Port' => 'Redis ',
'PHP Maximum POST File Size' => 'PHP POST ',
'PHP Memory Limit' => 'PHP',
'PHP Script Maximum Execution Time (Seconds)' => 'PHP ',
'Short Sync Task Execution Time (Seconds)' => '',
'The maximum execution time (and lock timeout) for the 15-second, 1-minute and 5-minute synchronization tasks.' => '15 1 5 ',
'Long Sync Task Execution Time (Seconds)' => '',
'The maximum execution time (and lock timeout) for the 1-hour synchronization task.' => '1 ',
'Now Playing Delay Time (Seconds)' => '',
'The delay between Now Playing checks for every station. Decrease for more frequent checks at the expense of performance; increase for less frequent checks but better performance (for large installations).' => ' " "',
'Now Playing Max Concurrent Processes' => ' ',
'The maximum number of concurrent processes for now playing updates. Increasing this can help reduce the latency between updates now playing updates on large installations.' => '',
'Maximum PHP-FPM Worker Processes' => ' PHP-FPM ',
'Enable Performance Profiling Extension' => '',
'Profiling data can be viewed by visiting %s.' => ' %s ',
'Profile Performance on All Requests' => '',
'This will have a significant performance impact on your installation.' => '',
'Profiling Extension HTTP Key' => ' HTTP ',
'The value for the "SPX_KEY" parameter for viewing profiling pages.' => ' "SPX_KEY "',
'Profiling Extension IP Allow List' => ' IP ',
'Nginx Max Client Body Size' => 'Nginx ',
'This is the total size any single request body can be. AzuraCast chunks its uploads into smaller file sizes, so this only applies when doing custom uploads via the API. Sizes should be listed in a format like "100K", "128M", "1G" for kilobytes, megabytes, and gigabytes respectively.' => 'AzuraCast API "100K""128M""1G "',
'Enable web-based Docker image updates' => ' Docker ',
'Extra Ubuntu packages to install upon startup' => ' Ubuntu ',
'Separate package names with a space. Packages will be installed during container startup.' => '',
'Album Artist' => '',
'Album Artist Sort Order' => '',
'Album Sort Order' => '',
'Band' => '',
'BPM' => 'BPM',
'Comment' => '',
'Commercial Information' => '',
'Composer' => '',
'Composer Sort Order' => '',
'Conductor' => '',
'Content Group Description' => '',
'Encoded By' => '',
'Encoder Settings' => '',
'Encoding Time' => '',
'File Owner' => '',
'File Type' => '',
'Initial Key' => '',
'Internet Radio Station Name' => '',
'Internet Radio Station Owner' => '',
'Involved People List' => '',
'Linked Information' => '',
'Lyricist' => '',
'Media Type' => '',
'Mood' => '',
'Music CD Identifier' => 'CD',
'Musician Credits List' => '',
'Original Album' => '',
'Original Artist' => '',
'Original Filename' => '',
'Original Lyricist' => '',
'Original Release Time' => '',
'Original Year' => '',
'Part of a Compilation' => '',
'Part of a Set' => '',
'Performer Sort Order' => '',
'Playlist Delay' => '',
'Produced Notice' => '',
'Publisher' => '',
'Recording Time' => '',
'Release Time' => '',
'Remixer' => '',
'Set Subtitle' => '',
'Subtitle' => '',
'Tagging Time' => '',
'Terms of Use' => '',
'Title Sort Order' => '',
'Track Number' => '',
'Unsynchronised Lyrics' => '',
'URL Artist' => 'URL',
'URL File' => 'URL',
'URL Payment' => 'URL',
'URL Publisher' => '',
'URL Source' => '',
'URL Station' => 'URL',
'URL User' => 'URL',
'Year' => '',
'An account recovery link has been requested for your account on "%s".' => '"%s "',
'Click the link below to log in to your account.' => '',
'Footer' => '',
'Powered by %s' => ' %s',
'Forgot Password' => '',
'Sign in' => '',
'Send Recovery E-mail' => '',
'Enter Two-Factor Code' => '',
'Your account uses a two-factor security code. Enter the code your device is currently showing below.' => '',
'Security Code' => '',
'This installation\'s administrator has not configured this functionality.' => '',
'Contact an administrator to reset your password following the instructions in our documentation:' => '',
'Password Reset Instructions' => '',
),
),
);
``` | /content/code_sandbox/translations/zh_CN.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 24,522 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=2; plural=(n != 1);',
'messages' =>
array (
'' =>
array (
'# Episodes' => '# Avsnitt',
'# Songs' => '# Ltar',
'%{ dj } is now live on %{ station }! Tune in now: %{ url }' => '%{ dj } r nu live p %{ station }! Lyssna nu: %{ url }',
'A name for this stream that will be used internally in code. Should only contain letters, numbers, and underscores (i.e. "stream_lofi").' => 'Ett namn fr denna strm som kommer att anvndas internt i kod. Br endast innehlla bokstver, siffror och understreck (dvs. "stream_lofi").',
'A unique identifier (i.e. "G-A1B2C3D4") for this measurement stream.' => 'En unik identifierare (dvs "G-A1B2C3D4") fr denna mtstrm.',
'About Release Channels' => 'Om Slppta kanaler',
'Access Key ID' => 'ID fr tkomstnyckel',
'Access Token' => 'tkomsttoken',
'Account is Active' => 'Kontot r aktiverat',
'Account List' => 'Kontolista',
'Actions' => 'tgrder',
'Add API Key' => 'Lgg till API-nyckel',
'Add Custom Field' => 'Lgg till anpassat flt',
'Add Episode' => 'Lgg till avsnitt',
'Add Files to Playlist' => 'Lgg till filer i spellistan',
'Add HLS Stream' => 'Lgg till HLS-strm',
'Add Mount Point' => 'Skapa monteringspunkt',
'Add New GitHub Issue' => 'Skapa nytt GitHub-rende',
'Add Playlist' => 'Lgg till ny spellista',
'Add Podcast' => 'Lgg till podcast',
'Add Remote Relay' => 'Lgg till fjrrrel',
'Add Role' => 'Lgg till roll',
'Add Schedule Item' => 'Lgg till Schemalggning',
'Add SFTP User' => 'Lgg till SFTP-anvndare',
'Add Station' => 'Lgg till station',
'Add Storage Location' => 'Lgg till lagringsplats',
'Add Streamer' => 'Lgg till Streamer',
'Add User' => 'Lgg till anvndare',
'Add Web Hook' => 'Lgg till Web Hook',
'Administration' => 'Administration',
'Advanced' => 'Avancerat',
'Advanced Configuration' => 'Avancerade instllningar',
'Advanced Manual AutoDJ Scheduling Options' => 'Avancerade manuella AutoDJ schemalggningsalternativ',
'Aggregate listener statistics are used to show station reports across the system. IP-based listener statistics are used to view live listener tracking and may be required for royalty reports.' => 'Aggregata lyssnare statistik anvnds fr att visa stationsrapporter ver hela systemet. IP-baserad lyssnarstatistik anvnds fr att se live lyssnarsprning och kan krvas fr royaltyrapporter.',
'Album' => 'Album',
'Album Art' => 'Skivomslag',
'All listed domain names should point to this AzuraCast installation. Separate multiple domain names with commas.' => 'Alla listade domnnamn br peka p denna AzuraCast-installation. Separera flera domnnamn med kommatecken.',
'All Playlists' => 'Alla spellistor',
'All Podcasts' => 'Alla podcasts',
'All values in the NowPlaying API response are available for use. Any empty fields are ignored.' => 'Alla vrden i NowPlaying API-svaret r tillgngliga fr anvndning. Alla tomma flt ignoreras.',
'Allow Requests from This Playlist' => 'Tillt nskeml frn den hr spellistan',
'Allow Song Requests' => 'Tillt ltnksningar',
'Allow Streamers / DJs' => 'Tillt streamare / DJs',
'Allowed IP Addresses' => 'Tilltna IP-adresser',
'Always Use HTTPS' => 'Anvnd alltid HTTPS',
'Amplify: Amplification (dB)' => 'Frstrkning: Frstrkning (dB)',
'An error occurred while loading the station profile:' => 'Ett fel intrffade vid inlsning av kanalprofilen:',
'Analyze and reprocess the selected media' => 'Analysera och bearbeta det valda mediet',
'API Documentation' => 'API-dokumentation',
'API Key Description/Comments' => 'API Key Beskrivning/Kommentarer',
'API Keys' => 'API-nycklar',
'API Version' => 'API version',
'Apply for an API key at Last.fm' => 'Ansk om en API-nyckel hos Last.fm',
'Are you sure?' => 'r du sker ?',
'Artist' => 'Artist',
'Artwork' => 'Konstverk',
'Artwork must be a minimum size of 1400 x 1400 pixels and a maximum size of 3000 x 3000 pixels for Apple Podcasts.' => 'Original mste ha en minsta storlek p 1400 x 1400 pixlar och en maximal storlek p 3000 x 3000 pixlar fr Apple Podcasts.',
'Attempt to Automatically Retrieve ISRC When Missing' => 'Frsk att automatiskt hmta ISRC nr det saknas',
'Audio Bitrate (kbps)' => 'Ljud bithastighet (kbps)',
'Audio Format' => 'Ljudformat',
'Audio transcoding applications like Liquidsoap use a consistent amount of CPU over time, which gradually drains this available credit. If you regularly see stolen CPU time, you should consider migrating to a VM that has CPU resources dedicated to your instance.' => 'Ljud omkodning program som Liquidsoap anvnder en konsekvent mngd CPU ver tiden, vilket gradvis drnerar denna tillgngliga kredit. Om du regelbundet ser stulen CPU-tid, br du vervga att migrera till en VM som har CPU-resurser avsedda fr din instans.',
'Audit Log' => 'Revisionslogg',
'Author' => 'Upphovsman',
'AutoDJ Bitrate (kbps)' => 'AutoDJ bithastighet (kbps)',
'AutoDJ Disabled' => 'AutoDJ inaktiverad',
'AutoDJ Format' => 'AutoDJ-format',
'AutoDJ has been disabled for this station. No music will automatically be played when a source is not live.' => 'AutoDJ har inaktiverats fr den hr stationen. Ingen musik spelas automatiskt nr en klla inte r live.',
'AutoDJ Queue' => 'AutoDJ k',
'AutoDJ Queue Length' => 'AutoDJ klngd',
'AutoDJ Service' => 'AutoDJ tjnst',
'Automatic Backups' => 'Automatiska skerhetskopior',
'Automatically Scroll to Bottom' => 'Blddra automatiskt till botten',
'Automatically Set from ID3v2 Value' => 'Stll automatiskt in frn ID3v2-vrde',
'Available Logs' => 'Tillgngliga loggar',
'Avatar Service' => 'Avatar tjnst',
'Average Listeners' => 'Genomsnittliga lyssnare',
'Avoid Duplicate Artists/Titles' => 'Undvik duplicerade artister/titlar',
'AzuraCast First-Time Setup' => 'AzuraCast frsta gngen installation',
'AzuraCast Instance Name' => 'AzuraCast-instans namn',
'AzuraCast ships with a built-in free IP geolocation database. You may prefer to use the MaxMind GeoLite service instead to achieve more accurate results. Using MaxMind GeoLite requires a license key, but once the key is provided, we will automatically keep the database updated.' => 'AzuraCast skickas med en inbyggd gratis IP-geolocation databas. Du kanske fredrar att anvnda MaxMind GeoLite-tjnsten istllet fr att uppn mer exakta resultat. Anvnda MaxMind GeoLite krver en licensnyckel, men nr nyckeln r tillhandahllen, kommer vi automatiskt att hlla databasen uppdaterad.',
'AzuraCast Update Checks' => 'AzuraCast Uppdateringskontroller',
'AzuraCast User' => 'AzuraCast-anvndare',
'AzuraCast uses a role-based access control system. Roles are given permissions to certain sections of the site, then users are assigned into those roles.' => 'AzuraCast anvnder ett rollbaserat tillgng kontrollsystem. Roller ges behrighet till vissa delar av webbplatsen, sedan anvndare tilldelas dessa roller.',
'AzuraCast will scan the uploaded file for matches in this station\'s music library. Media should already be uploaded before running this step. You can re-run this tool as many times as needed.' => 'AzuraCast kommer att skanna den uppladdade filen fr matcher i den hr stationens musikbibliotek. Media br redan ha laddats upp innan du kr detta steg. Du kan anvnda denna tjnst hur mnga gnger du vill.',
'Back' => 'Tillbaka',
'Backing up your installation is strongly recommended before any update.' => 'Det rekommenderas starkt att du skerhetskopiera din installation innan ngon uppdatering grs.',
'Backup' => 'Skerhetskopiera',
'Backup Format' => 'Format fr skerhetskopiering',
'Backups' => 'Skerhetskopior',
'Banned Countries' => 'Frbjudna lnder',
'Banned IP Addresses' => 'Frbjudna IP-adresser',
'Banned User Agents' => 'Frbjudna anvndaragenter',
'Base Station Directory' => 'Bas Station katalog',
'Base Theme for Public Pages' => 'Bastema fr offentliga sidor',
'Basic Info' => 'Grundlggande information',
'Basic Information' => 'Grundlggande information',
'Best & Worst' => 'Bsta & Smsta',
'Best Performing Songs' => 'Ltar med bst utfrande',
'Bit Rate' => 'Bit hastighet',
'Bot/Crawler' => 'Bot/Crawler',
'Branding' => 'Varumrke',
'Branding Settings' => 'Instllningar fr varumrket',
'Broadcast AutoDJ to Remote Station' => 'Snd AutoDJ till Remote Station',
'Broadcasting' => 'Sndning',
'Broadcasting Service' => 'Tjnster fr sndning',
'Broadcasts' => 'Sndningar',
'Browser' => 'Webblsare',
'Browser Icon' => 'Webblsarens ikon',
'Browsers' => 'Webblsare',
'Bucket Name' => 'Bucket Namn',
'Bulk Media Import/Export' => 'Importera/exportera massmedia',
'By default, radio stations broadcast on their own ports (i.e. 8000). If you\'re using a service like CloudFlare or accessing your radio station by SSL, you should enable this feature, which routes all radio through the web ports (80 and 443).' => 'Som standard snds radiostationer p sina egna portar (dvs. 8000). Om du anvnder en tjnst som CloudFlare eller anvnder din radiostation via SSL, br du aktivera denna funktion, som leder all radio genom webbportarna (80 och 443).',
'Cached' => 'Cachad',
'Categories' => 'Kategorier',
'Change' => 'ndra',
'Change Password' => 'ndra lsenord',
'Changes' => 'ndringar',
'Character Set Encoding' => 'Teckenuppsttning Kodning',
'Chat ID' => 'Chatt-ID',
'Check for Updates' => 'Leta efter uppdateringar',
'Check Web Services for Album Art for "Now Playing" Tracks' => 'Kolla webbtjnster fr skivomslag fr "Spelar nu"',
'Check Web Services for Album Art When Uploading Media' => 'Kontrollera webbtjnster fr skivomslag vid uppladdning av media',
'Choose a method to use when transitioning from one song to another. Smart Mode considers the volume of the two tracks when fading for a smoother effect, but requires more CPU resources.' => 'Vlj en metod att anvnda vid vergngen frn en lt till en annan. Smart lge vervger volymen av de tv spren nr vergngen sker fr en jmnare effekt, men krver mer CPU-resurser.',
'Choose a name for this webhook that will help you distinguish it from others. This will only be shown on the administration page.' => 'Vlj ett namn p denna webhook som hjlper dig att skilja den frn andra. Detta visas bara p administrationssidan.',
'Choose a new password for your account.' => 'Skapa ett nytt lsenord till ditt konto.',
'Clear' => 'Rensa',
'Clear All Message Queues' => 'Rensa alla meddelandeker',
'Clear Artwork' => 'Rensa konstverk',
'Clear Cache' => 'Rensa cache',
'Clear File' => 'Rensa fil',
'Clear Image' => 'Rensa bild',
'Clear List' => 'Rensa lista',
'Clear Media' => 'Rensa media',
'Clear Pending Requests' => 'Rensa vntande nskningar',
'Clear Queue' => 'Rensa k',
'Clear Upcoming Song Queue' => 'Rensa kommande ltk',
'Clearing the application cache may log you out of your session.' => 'Rensa programcachen kan logga ut dig frn din session.',
'Click "Generate new license key".' => 'Klicka p "Generera ny licensnyckel".',
'Click "New Application"' => 'Klicka p "Nytt program"',
'Click the "Preferences" link, then "Development" on the left side menu.' => 'Klicka p lnken "Instllningar" och sedan "Utveckling" p menyn till vnster.',
'Click the button below to generate a CSV file with all of this station\'s media. You can make any necessary changes, and then import the file using the file picker on the right.' => 'Klicka p knappen nedan fr att generera en CSV-fil med all denna stations media. Du kan gra ndvndiga ndringar, och sedan importera filen med hjlp av filvljaren till hger.',
'Click the button below to retry loading the page.' => 'Klicka p knappen nedan fr att frska ladda sidan igen.',
'Client' => 'Klient',
'Clients' => 'Klienter',
'Clients by Connected Time' => 'Klienter av ansluten tid',
'Clients by Listeners' => 'Klienter av lyssnare',
'Clone' => 'Klona',
'Clone Station' => 'Klona station',
'Close' => 'Stng',
'Code from Authenticator App' => 'Kod frn Autentiseringsapp',
'Comments' => 'Kommentarer',
'Complete the setup process by providing some information about your broadcast environment. These settings can be changed later from the administration panel.' => 'Slutfr installationsprocessen genom att tillhandahlla viss information om din sndningsmilj. Dessa instllningar kan ndras senare frn administrationspanelen.',
'Configure' => 'Konfigurera',
'Configure Backups' => 'Konfigurera skerhetskopior',
'Confirm New Password' => 'Bekrfta nytt lsenord',
'Connected AzuraRelays' => 'Anslutna AzuraReler',
'Connection Information' => 'Anslutningsinformation',
'Contains explicit content' => 'Innehller explicit innehll',
'Continue the setup process by creating your first radio station below. You can edit any of these details later.' => 'Fortstt installationsprocessen genom att skapa din frsta radiostation nedan. Du kan redigera ngon av dessa uppgifter senare.',
'Continuous Play' => 'Kontinuerlig uppspelning',
'Control how this playlist is handled by the AutoDJ software.' => 'Styr hur denna spellista hanteras av AutoDJ-programvaran.',
'Copies older than the specified number of days will automatically be deleted. Set to zero to disable automatic deletion.' => 'Kopior ldre n det angivna antalet dagar kommer automatiskt att raderas. Stt till noll fr att inaktivera automatisk borttagning.',
'Copy to Clipboard' => 'Kopiera till urklipp',
'Copy to New Station' => 'Kopiera till ny station',
'Countries' => 'Lnder',
'Country' => 'Land',
'CPU Load' => 'CPU Laddning',
'CPU Stats Help' => 'CPU statistik hjlp',
'Create a New Radio Station' => 'Skapa en ny radiostation',
'Create Account' => 'Skapa konto',
'Create an account on the MaxMind developer site.' => 'Skapa ett konto p MaxMinds utvecklarsida.',
'Create and Continue' => 'Skapa och fortstt',
'Create custom fields to store extra metadata about each media file uploaded to your station libraries.' => 'Skapa anpassade flt fr att lagra extra metadata om varje mediefil som laddas upp till dina stationsbibliotek.',
'Create Directory' => 'Skapa katalog',
'Create New Key' => 'Skapa ny nyckel',
'Crossfade Duration (Seconds)' => 'vertoning varaktighet (sekunder)',
'Crossfade Method' => 'vertoningsmetod',
'Current Configuration File' => 'Nuvarande konfigurationsfil',
'Current Custom Fallback File' => 'Aktuell egen reservfil',
'Current Installed Version' => 'Nuvarande installerad version',
'Current Intro File' => 'Nuvarande Intro fil',
'Current Password' => 'Nuvarande lsenord',
'Current Podcast Media' => 'Aktuell podcast media',
'Custom API Base URL' => 'Anpassad API-bas-URL',
'Custom Branding' => 'Anpassad Branding',
'Custom Configuration' => 'Anpassad konfiguration',
'Custom CSS for Internal Pages' => 'Anpassad CSS fr interna sidor',
'Custom CSS for Public Pages' => 'Anpassad CSS fr offentliga sidor',
'Custom Cues: Cue-In Point (seconds)' => 'Anpassade Cues: Cue-In Point (sekunder)',
'Custom Cues: Cue-Out Point (seconds)' => 'Anpassade Cues: Cue-Out Point (sekunder)',
'Custom Fading: Fade-In Time (seconds)' => 'Anpassad Fading: Fade-In Tid (sekunder)',
'Custom Fading: Fade-Out Time (seconds)' => 'Anpassad Fading: Fade-Out tid (sekunder)',
'Custom Fallback File' => 'Anpassad Fallback fil',
'Custom Fields' => 'Anpassade flt',
'Custom Frontend Configuration' => 'Anpassad Frontend konfiguration',
'Custom JS for Public Pages' => 'Anpassad JS fr offentliga sidor',
'Customize' => 'Anpassa',
'Customize Administrator Password' => 'Anpassa administratrslsenord',
'Customize AzuraCast Settings' => 'Anpassa AzuraCast-instllningar',
'Customize Broadcasting Port' => 'Anpassa sndningsporten',
'Customize Copy' => 'Anpassa kopia',
'Customize DJ/Streamer Mount Point' => 'Anpassa DJ/Streamer monteringspunkt',
'Customize DJ/Streamer Port' => 'Anpassa DJ/Streamer-port',
'Customize Internal Request Processing Port' => 'Anpassa intern begran bearbetningsporten',
'Customize Source Password' => 'Anpassa klllsenord',
'Customize the number of songs that will appear in the "Song History" section for this station and in all public APIs.' => 'Anpassa antalet ltar som kommer att visas i sektionen "Song History" fr denna station och i alla publika API:er.',
'Dashboard' => 'Startsida',
'Days of Playback History to Keep' => 'Dagar av uppspelningshistorik att behlla',
'Deactivate Streamer on Disconnect (Seconds)' => 'Inaktivera Streamer vid frnkoppling (sekunder)',
'Default Album Art' => 'Standard-skivomslag URL',
'Default Album Art URL' => 'Standard-skivomslag URL',
'Default Avatar URL' => 'Standard Avatar URL',
'Default Mount' => 'Frvalt Mount',
'Delete' => 'Ta bort',
'Delete Album Art' => 'Ta bort skivomslag',
'Description' => 'Beskrivning',
'Details' => 'Detaljer',
'Directory' => 'Katalog',
'Directory Name' => 'Katalogens namn',
'Disable' => 'Inaktivera',
'Disable Two-Factor' => 'Inaktivera tvfaktorsfaktor',
'Disabled' => 'Inaktiverad',
'Disconnect Streamer' => 'Koppla ifrn Streamer/DJ',
'Discord Web Hook URL' => 'Discords webb-krok URL',
'Disk caching makes a system much faster and more responsive in general. It does not take memory away from applications in any way since it will automatically be released by the operating system when needed.' => 'Diskcachelagring gr ett system mycket snabbare och mer lyhrt i allmnhet. Det tar inte minne bort frn program p ngot stt eftersom det automatiskt kommer att slppas av operativsystemet nr det behvs.',
'Disk Space' => 'Diskutrymme',
'Display Name' => 'Visningsnamn',
'DJ/Streamer Buffer Time (Seconds)' => 'DJ/Streamer Bufferttid (sekunder)',
'Domain Name(s)' => 'Domnnamn',
'Donate to support AzuraCast!' => 'Donera fr att stdja AzuraCast!',
'Download' => 'Hmta',
'Download CSV' => 'Ladda ner CSV',
'Download M3U' => 'Hmta M3U',
'Download PLS' => 'Hmta PLS',
'Download the appropriate binary from the Stereo Tool downloads page:' => 'Ladda ner lmplig binr frn Stereo Tool nedladdningar sida:',
'Download the Linux x64 binary from the Shoutcast Radio Manager:' => 'Hmta Linux x64-binrfilen frn Shoutcast Radio Manager:',
'Drag file(s) here to upload or' => 'Dra fil(er) hit fr att ladda upp eller',
'Duplicate' => 'Duplicera',
'Duplicate Playlist' => 'Duplicera spellista',
'Duplicate Prevention Time Range (Minutes)' => 'Duplicera tid fr frebyggande (protokoll)',
'Duplicate Songs' => 'Duplicera ltar',
'E-Mail' => 'E-postadress',
'E-mail Address' => 'E-postadress',
'E-mail Address (Optional)' => 'E-postadress (valfritt)',
'E-mail addresses can be separated by commas.' => 'E-postadresserna kan separeras med kommatecken.',
'E-mail Delivery Service' => 'E-Post leveransservice',
'Edit' => 'Redigera',
'Edit Branding' => 'Redigera varumrke',
'Edit Liquidsoap Configuration' => 'Redigera Liquidsoap konfiguration',
'Edit Media' => 'Redigera media',
'Edit Profile' => 'Redigera profil',
'Edit Station Profile' => 'Redigera Stationsprofil',
'Embed Code' => 'Inbddad kod',
'Embed Widgets' => 'Inbddad widgets',
'Enable' => 'Aktivera',
'Enable Advanced Features' => 'Aktivera avancerade funktioner',
'Enable AutoDJ' => 'Aktivera AutoDJ',
'Enable Broadcasting' => 'Aktivera sndning',
'Enable certain advanced features in the web interface, including advanced playlist configuration, station port assignment, changing base media directories and other functionality that should only be used by users who are comfortable with advanced functionality.' => 'Aktivera vissa avancerade funktioner i webbgrnssnittet, inklusive avancerad spellista konfiguration, station port tilldelning, ndra basmedia kataloger och andra funktioner som endast br anvndas av anvndare som r bekvma med avancerad funktionalitet.',
'Enable Downloads on On-Demand Page' => 'Aktivera hmtningar p On-Demand-sida',
'Enable HTTP Live Streaming (HLS)' => 'Aktivera HTTP Live Streaming (HLS)',
'Enable listeners to request a song for play on your station. Only songs that are already in your playlists are requestable.' => 'Aktivera lyssnare fr att begra en lt fr att spela p din station. Endast ltar som redan finns i dina spellistor r begrbara.',
'Enable Mail Delivery' => 'Aktivera e-postleverans',
'Enable On-Demand Streaming' => 'Aktivera On-Demand Streaming',
'Enable Public Pages' => 'Aktivera offentliga sidor',
'Enable this setting to prevent metadata from being sent to the AutoDJ for files in this playlist. This is useful if the playlist contains jingles or bumpers.' => 'Aktivera denna instllning fr att frhindra att metadata skickas till AutoDJ fr filer i den hr spellistan. Detta r anvndbart om spellistan innehller jingles eller liknande.',
'Enable to advertise this mount point on "Yellow Pages" public radio directories.' => 'Aktivera fr att annonsera denna monteringspunkt p "Gula sidor" offentliga radiokataloger.',
'Enable to advertise this relay on "Yellow Pages" public radio directories.' => 'Aktivera fr att annonsera detta rel p "Yellow Pages" offentliga radiokataloger.',
'Enable to allow listeners to select this relay on this station\'s public pages.' => 'Aktivera fr att tillta lyssnare att vlja detta rel p stationens publika sidor.',
'Enable to allow this account to log in and stream.' => 'Aktivera fr att tillta detta konto att logga in och strmma.',
'Enable to have AzuraCast automatically run nightly backups at the time specified.' => 'Aktivera fr att f AzuraCast att automatiskt kra nattliga skerhetskopior vid angiven tidpunkt.',
'Enable Two-Factor' => 'Aktivera tvfaktorsfaktor',
'Enable Two-Factor Authentication' => 'Aktivera tvfaktorsautentisering',
'Enabled' => 'Aktiverad',
'End Date' => 'Slutdatum',
'End Time' => 'Sluttid',
'Enforce Schedule Times' => 'Tvinga schemalagda tider',
'Enter "AzuraCast" as the application name. You can leave the URL fields unchanged. For "Scopes", only "write:media" and "write:statuses" are required.' => 'Ange "AzuraCast" som programnamnet. Du kan lmna URL-flten ofrndrade. Fr "Scopes", endast "write:media" och "write:statuses" krvs.',
'Enter the current code provided by your authenticator app to verify that it\'s working correctly.' => 'Ange den aktuella koden som tillhandahlls av din autentiseringsapp fr att verifiera att den fungerar korrekt.',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => 'Ange den fullstndiga URL:en till en annan strm fr att vidarebefordra dess sndning genom denna monteringspunkt.',
'Enter your e-mail address to receive updates about your certificate.' => 'Ange din e-postadress fr att f uppdateringar om ditt certifikat.',
'Enter your password' => 'Ange ditt lsenord',
'Episode' => 'Avsnitt',
'Episodes' => 'Avsnitt',
'Example: if the remote radio URL is path_to_url enter "path_to_url".' => 'Exempel: om radions fjrr-URL r path_to_url skriv "path_to_url".',
'Exclude Media from Backup' => 'Exkludera media frn skerhetskopia',
'Excluding media from automated backups will save space, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => 'Exklusive media frn automatiserade skerhetskopior kommer det att spara utrymme, men du br se till att skerhetskopiera dina medier ngon annanstans. Observera att endast lokalt lagrade medier kommer att skerhetskopieras.',
'Explicit' => 'Explicit',
'Export %{format}' => 'Exportera %{format}',
'Export Media to CSV' => 'Exportera media till CSV',
'Fallback Mount' => 'Fallback Montera',
'Field Name' => 'Fltets namn',
'File Name' => 'Filnamn',
'Footer Text' => 'Sidfot Text',
'For local filesystems, this is the base path of the directory. For remote filesystems, this is the folder prefix.' => 'Fr lokala filsystem r detta huvudskvgen fr katalogen. Fr fjrrfilsystem r detta mappens prefix.',
'For most cases, use the default UTF-8 encoding. The older ISO-8859-1 encoding can be used if accepting connections from Shoutcast 1 DJs or using other legacy software.' => 'Fr de flesta fall, anvnd standard UTF-8-kodning. Den ldre ISO-8859-1-kodningen kan anvndas om du accepterar anslutningar frn Shoutcast 1 DJs eller anvnder andra ldre program.',
'for selected period' => 'fr vald period',
'For simple updates where you want to keep your current configuration, you can update directly via your web browser. You will be disconnected from the web interface and listeners will be disconnected from all stations.' => 'Fr enkla uppdateringar dr du vill behlla din nuvarande konfiguration kan du uppdatera direkt via din webblsare. Du kommer att kopplas bort frn webbgrnssnittet och lyssnarna kommer att kopplas frn alla stationer.',
'For some clients, use port:' => 'Fr vissa klienter, anvnd port:',
'Forgot your password?' => 'Glmt ditt lsenord?',
'Friday' => 'Fredag',
'From your smartphone, scan the code to the right using an authentication app of your choice (FreeOTP, Authy, etc).' => 'Frn din smartphone, skanna koden till hger med hjlp av en autentiseringsapp som du vljer (FreeOTP, Authy, etc).',
'Full Volume' => 'Full volym',
'General Rotation' => 'Allmn rotation',
'Generate Report' => 'Skapa rapport',
'Generate/Renew Certificate' => 'Generera/frnya certifikat',
'Genre' => 'Genre',
'GeoLite is not currently installed on this installation.' => 'GeoLite r inte installerat p den hr installationen.',
'Get Next Song' => 'Hmta nsta lt',
'Get Now Playing' => 'Hmta spelas nu',
'Global' => 'Globalt',
'Global Permissions' => 'Globala rttigheter',
'Help' => 'Hjlp',
'Hide Album Art on Public Pages' => 'Dlj skivomslag p offentliga sidor',
'Hide AzuraCast Branding on Public Pages' => 'Dlj AzuraCast Branding p offentliga sidor',
'Hide Metadata from Listeners ("Jingle Mode")' => 'Dlj Metadata frn lyssnare ("Jingle Mode")',
'High I/O Wait can indicate a bottleneck with the server\'s hard disk, a potentially failing hard disk, or heavy load on the hard disk.' => 'Hg I/O Vnta kan indikera en flaskhals med serverns hrddisk, en potentiellt misslyckad hrddisk, eller tung belastning p hrddisken.',
'Higher weight playlists are played more frequently compared to other lower-weight playlists.' => 'Spellistor med hgre vikt spelas oftare jmfrt med andra lgre vikt.',
'History' => 'Historik',
'HLS Streams' => 'HLS strmmar',
'Home' => 'Hem',
'Homepage Redirect URL' => 'URL fr omdirigering',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate streaming technology. From this page, you can configure the individual bitrates and formats that are included in the combined HLS stream.' => 'HTTP Live Streaming (HLS) r en ny teknik fr adaptiv-bitrate streaming. Frn denna sida kan du konfigurera individuella bithastigheter och format som ingr i den kombinerade HLS-strmmen.',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate technology supported by some clients. It does not use the standard broadcasting frontends.' => 'HTTP Live Streaming (HLS) r en ny adaptive-bitrate-teknik som stds av vissa klienter. Den anvnder inte vanliga sndningsfronter.',
'Icecast Clients' => 'Icecast klienter',
'If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.' => 'Om en lt inte har ngot skivomslag, kommer denna URL att listas istllet. Lmna tomt fr att anvnda det frvalda skivomslaget.',
'If a visitor is not signed in and visits the AzuraCast homepage, you can automatically redirect them to the URL specified here. Leave blank to redirect them to the login screen by default.' => 'Om en beskare inte r inloggad och besker AzuraCasts hemsida, kan du automatiskt omdirigera dem till den URL som anges hr. Lmna tomt fr att omdirigera dem till inloggningsskrmen som standard.',
'If disabled, the playlist will not be included in radio playback, but can still be managed.' => 'Om inaktiverad kommer spellistan inte att inkluderas i radiouppspelningen, men den kan fortfarande hanteras.',
'If disabled, the station will not broadcast or shuffle its AutoDJ.' => 'Om inaktiverad, kommer stationen inte att snda eller blanda sin AutoDJ.',
'If enabled, a download button will also be present on the public "On-Demand" page.' => 'Om aktiverad, kommer en nedladdningsknapp ocks att finnas p den publika sidan "On-Demand".',
'If enabled, AzuraCast will automatically record any live broadcasts made to this station to per-broadcast recordings.' => 'Om aktiverad, kommer AzuraCast automatiskt spela in alla livesndningar som grs till denna station till inspelningar per sndning.',
'If enabled, AzuraCast will connect to the MusicBrainz database to attempt to find an ISRC for any files where one is missing. Disabling this may improve performance.' => 'Om aktiverad, kommer AzuraCast att ansluta till MusicBrainz databas fr att frska hitta en ISRC fr alla filer dr man saknas. Inaktivera detta kan frbttra prestandan.',
'If enabled, music from playlists with on-demand streaming enabled will be available to stream via a specialized public page.' => 'Om aktiverad, kommer musik frn spellistor med on-demand streaming aktiverad att vara tillgnglig fr att strmma via en specialiserad offentlig sida.',
'If enabled, streamers (or DJs) will be able to connect directly to your stream and broadcast live music that interrupts the AutoDJ stream.' => 'Om aktiverad, kommer streamers (eller DJs) att kunna ansluta direkt till din strm och snda livemusik som avbryter AutoDJ-strmmen.',
'If enabled, the AutoDJ on this installation will automatically play music to this mount point.' => 'Om aktiverad, kommer AutoDJ p den hr installationen automatiskt att spela musik till den hr monteringspunkten.',
'If enabled, the AutoDJ will automatically play music to this mount point.' => 'Om aktiverad, kommer AutoDJ automatiskt spela upp musik till denna monteringspunkt.',
'If enabled, this streamer will only be able to connect during their scheduled broadcast times.' => 'Om aktiverad, kommer denna streamer/DJ bara att kunna ansluta under sina schemalagda sndningstider.',
'If requests are enabled for your station, users will be able to request media that is on this playlist.' => 'Om nskningar r aktiverade fr din station, kommer anvndare att kunna nska ltar som finns i den hr spellistan.',
'If requests are enabled, this specifies the minimum delay (in minutes) between a request being submitted and being played. If set to zero, a minor delay of 15 seconds is applied to prevent request floods.' => 'Om frfrgningar r aktiverade, anger detta minsta frdrjning (i minuter) mellan en begran som skickas och spelas. Om satt till noll, tillmpas en mindre frdrjning p 15 sekunder fr att frhindra versvmningar.',
'If selected, album art will not display on public-facing radio pages.' => 'Om vald, kommer skivomslag inte visas p offentliga radio sidor.',
'If selected, this will remove the AzuraCast branding from public-facing pages.' => 'Om vald, kommer detta att ta bort AzuraCast branding frn offentliga sidor.',
'If the end time is before the start time, the playlist will play overnight.' => 'Om sluttiden r fre starttiden kommer spellistan att spelas ver natten.',
'If the end time is before the start time, the schedule entry will continue overnight.' => 'Om sluttiden r fre starttiden kommer schemat att fortstta ver natten.',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => 'Om den hr monteringen r frvald kommer den att spelas upp p radiofrhandsgranskningen och den publika radiosidan i detta system.',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => 'Om denna monteringspunkt inte spelar upp ljud kommer lyssnarna automatiskt att omdirigeras till denna monteringspunkt. Standardvrdet r /error.mp3, ett upprepande felmeddelande.',
'If this setting is set to "Yes", the browser URL will be used instead of the base URL when it\'s available. Set to "No" to always use the base URL.' => 'Om denna instllning r instlld p "Ja", kommer webblsarens URL att anvndas istllet fr bas-URL nr den r tillgnglig. Stt till "Nej" fr att alltid anvnda bas-URL.',
'If this station has on-demand streaming and downloading enabled, only songs that are in playlists with this setting enabled will be visible.' => 'Om denna station har on-demand streaming och nedladdning aktiverad, kommer endast ltar som finns i spellistor med denna instllning aktiverade att synas.',
'If you are broadcasting using AutoDJ, enter the source password here.' => 'Om du snder med AutoDJ, ange klllsenordet hr.',
'If you are broadcasting using AutoDJ, enter the source username here. This may be blank.' => 'Om du snder med AutoDJ, ange kllnamnet hr. Detta kan vara tomt.',
'If you\'re experiencing a bug or error, you can submit a GitHub issue using the link below.' => 'Om du upplever en bugg eller fel kan du skicka in ett GitHub-problem via lnken nedan.',
'If your installation is constrained by CPU or memory, you can change this setting to tune the resources used by Liquidsoap.' => 'Om din installation begrnsas av CPU eller minne kan du ndra den hr instllningen fr att justera resurserna som anvnds av Liquidsoap.',
'If your Mastodon username is "@test@example.com", enter "example.com".' => 'Om ditt Mastodon-anvndarnamn r "@test@example.com", ange "example.com".',
'If your streaming software requires a specific mount point path, specify it here. Otherwise, use the default.' => 'Om din streaming-programvara krver en specifik monteringspunktskvg, ange den hr. Annars, anvnd standardinstllningen.',
'If your web hook requires HTTP basic authentication, provide the password here.' => 'Om din webhook krver HTTP grundlggande autentisering, ange lsenordet hr.',
'If your web hook requires HTTP basic authentication, provide the username here.' => 'Om din webhook krver HTTP grundlggande autentisering, ange anvndarnamnet hr.',
'Import Changes from CSV' => 'Importera ndringar frn CSV',
'Import from PLS/M3U' => 'Importera frn PLS/M3U',
'Import Results' => 'Importera resultat',
'Important: copy the key below before continuing!' => 'Viktigt: kopiera nyckeln nedan innan du fortstter!',
'In order to install Shoutcast:' => 'Fr att installera Shoutcast:',
'In order to install Stereo Tool:' => 'Fr att installera Stereo Tool:',
'In order to process quickly, web hooks have a short timeout, so the responding service should be optimized to handle the request in under 2 seconds.' => 'Fr att kunna bearbeta snabbt, webb hooks har en kort timeout, s den svarande tjnsten br optimeras fr att hantera begran p mindre n 2 sekunder.',
'Include in On-Demand Player' => 'Inkludera i On-Demand spelare',
'Information about the current playing track will appear here once your station has started.' => 'Information om det aktuella spret visas hr nr din station har brjat.',
'Insert' => 'Infoga',
'Install GeoLite IP Database' => 'Installera GeoLite IP-databas',
'Install Shoutcast' => 'Installera Shoutcast',
'Install Shoutcast 2 DNAS' => 'Installera Shoutcast 2 DNAS',
'Install Stereo Tool' => 'Installera Stereo Tool',
'Instructions' => 'Instruktioner',
'Internal notes or comments about the user, visible only on this control panel.' => 'Interna anteckningar eller kommentarer om anvndaren, synliga endast p den hr kontrollpanelen.',
'International Standard Recording Code, used for licensing reports.' => 'International Standard Recording Code, anvnds fr licensrapporter.',
'Intro' => 'Introduktion',
'IP Geolocation is used to guess the approximate location of your listeners based on the IP address they connect with. Use the free built-in IP Geolocation library or enter a license key on this page to use MaxMind GeoLite.' => 'IP Geolocation anvnds fr att gissa den ungefrliga platsen fr dina lyssnare baserat p den IP-adress de ansluter med. Anvnd det inbyggda IP Geolocation biblioteket eller ange en licensnyckel p denna sida fr att anvnda MaxMind GeoLite.',
'ISRC' => 'ISRC',
'Jingle Mode' => 'Jingellge/Jingle Mode',
'Language' => 'Sprk',
'Last run:' => 'Senaste krning:',
'Learn about Advanced Playlists' => 'Lr dig mer om avancerade spellistor',
'Learn more about release channels in the AzuraCast docs.' => 'Ls mer om utgivningskanaler i AzuraCast-dokumenten.',
'Learn more about this header.' => 'Ls mer om denna header.',
'Leave blank to automatically generate a new password.' => 'Lmna tomt fr att automatiskt generera ett nytt lsenord.',
'Leave blank to play on every day of the week.' => 'Lmna tomt fr att spela p varje dag i veckan.',
'Leave blank to use the current password.' => 'Lmna tomt fr att anvnda det aktuella lsenordet.',
'Leave blank to use the default Telegram API URL (recommended).' => 'Lmna tomt fr att anvnda standard Telegram API-URL (rekommenderas).',
'Length' => 'Lngd',
'Let\'s get started by creating your Super Administrator account.' => 'Lt oss komma igng genom att skapa ditt Superadministratrskonto.',
'LetsEncrypt provides simple, free SSL certificates allowing you to secure traffic through your control panel and radio streams.' => 'LetsEncrypt erbjuder enkla, gratis SSL-certifikat s att du kan skra trafiken genom din kontrollpanel och radiostyrningar.',
'Liquidsoap Performance Tuning' => 'Liquidsoap Prestanda Tuning',
'List one IP address or group (in CIDR format) per line.' => 'Lista en IP-adress eller grupp (i CIDR-format) per rad.',
'List one user agent per line. Wildcards (*) are allowed.' => 'Lista en anvndaragent per rad. Wildcards (*) r tilltna.',
'Listener Analytics Collection' => 'Lyssnare Analytics-samling',
'Listener History' => 'Lyssnar historik',
'Listener Report' => 'Lyssnarrapport',
'Listener Request' => 'Lyssnar nskningar',
'Listeners' => 'Lyssnare',
'Listeners by Day' => 'Lyssnare per dag',
'Listeners by Day of Week' => 'Lyssnare per veckodag',
'Listeners by Hour' => 'Lyssnare per timme',
'Listeners by Listening Time' => 'Lyssnare efter lyssningstid',
'Listeners By Time Period' => 'Lyssnare efter tidsperiod',
'Listeners Per Station' => 'Lyssnare Per Station',
'Listening Time' => 'Lyssningstid',
'Live Broadcast Recording Bitrate (kbps)' => 'Direktsnd inspelning bithastighet (kbps)',
'Live Broadcast Recording Format' => 'Live Broadcast Inspelnings Format',
'Live Listeners' => 'Live lyssnare',
'Live Recordings Storage Location' => 'Lagringsplats fr live-inspelningar',
'Load Average' => 'Laddning genomsnitt',
'Local' => 'Lokal',
'Local Streams' => 'Lokala strmmar',
'Log In' => 'Logga in',
'Log Viewer' => 'Loggvisare',
'Logs' => 'Loggar',
'Logs by Station' => 'Loggar efter station',
'Loop Once' => 'Loopa en gng',
'Main Message Content' => 'Huvudsakligt meddelande innehll',
'Make HLS Stream Default in Public Player' => 'Gr HLS Stream standard i offentlig spelare',
'Make the selected media play immediately, interrupting existing media' => 'Gr s att det valda mediet spelas upp omedelbart, avbryter befintliga medier',
'Manage' => 'Hantera',
'Manage SFTP Accounts' => 'Hantera SFTP-konton',
'Manage Stations' => 'Hantera stationer',
'Manual AutoDJ Mode' => 'Manuellt AutoDJ-lge',
'Manual Updates' => 'Manuella uppdateringar',
'Mastodon Account Details' => 'Mastodon kontouppgifter',
'Mastodon Instance URL' => 'Mastodon Instans URL',
'Matomo Installation Base URL' => 'Matomo Installationsbas URL',
'Max Listener Duration' => 'Max lyssnarens varaktighet',
'Maximum Listeners' => 'Maximalt antal lyssnare',
'Maximum number of total listeners across all streams. Leave blank to use the default.' => 'Maximalt antal lyssnare ver alla strmmar. Lmna tomt fr att anvnda standardinstllningen.',
'MaxMind Developer Site' => 'MaxMind Utvecklingssida',
'Measurement ID' => 'Mtnings ID',
'Measurement Protocol API Secret' => 'Mtprotokollets API-hemlighet',
'Media File' => 'Media Fil',
'Media Storage Location' => 'Media Lagringsplats',
'Memory' => 'Minne',
'Memory Stats Help' => 'Minnesstatistik Hjlp',
'Message Body' => 'Meddelandets text',
'Message Body on Song Change' => 'Meddelandetext p lt ndra',
'Message Body on Station Offline' => 'Meddelandetext p Station Offline',
'Message Body on Station Online' => 'Meddelandetext p Station Online',
'Message Body on Streamer/DJ Connect' => 'Meddelande p Streamer/DJ Anslutning',
'Message Body on Streamer/DJ Disconnect' => 'Meddelande p Streamer/DJ frnkoppling',
'Message Customization Tips' => 'Meddelande Anpassningstips',
'Message parsing mode' => 'Tolkning av meddelande',
'Message Queues' => 'Meddelandets ker',
'Message Recipient(s)' => 'Meddelande Mottagare(er)',
'Message Subject' => 'mne fr meddelande',
'Message Visibility' => 'Meddelande Synlighet',
'Microphone' => 'Mikrofon',
'Microphone Source' => 'Mikrofon klla',
'Minute of Hour to Play' => 'Minut i timmen att spela',
'Monday' => 'Mndag',
'More' => 'Mer',
'Most hosting providers will put more Virtual Machines (VPSes) on a server than the hardware can handle when each VM is running at full CPU load. This is called over-provisioning, which can lead to other VMs on the server "stealing" CPU time from your VM and vice-versa.' => 'De flesta hostingleverantrer kommer att stta fler virtuella maskiner (VPSes) p en server n maskinvaran kan hantera nr varje VM krs vid full processorbelastning. Detta kallas verallokering, vilket kan leda till andra virtuella maskiner p servern "stjla" CPU-tid frn din VM och vice versa.',
'Most Played Songs' => 'Mest spelade ltar',
'Most Recent Backup Log' => 'Senaste skerhetskopieringslogg',
'Mount Name:' => 'Mount namn:',
'Mount Point URL' => 'URL fr monteringspunkt',
'Mount Points' => 'Mount punkter',
'Mount points are how listeners connect and listen to your station. Each mount point can be a different audio format or quality. Using mount points, you can set up a high-quality stream for broadband listeners and a mobile stream for phone users.' => 'Monteringspunkter r hur lyssnare ansluter och lyssnar p din station. Varje monteringspunkt kan vara ett annat ljudformat eller kvalitet. Med hjlp av monteringspunkter kan du stlla in en hgkvalitativ strm fr bredbandlyssnare och en mobil strm fr telefonanvndare.',
'Move' => 'Flytta',
'Move to Directory' => 'Flytta till katalog',
'Music Files' => 'Musikfiler',
'Mute' => 'Tysta',
'My Account' => 'Mitt konto',
'Name' => 'Namn',
'name@example.com' => 'namn@exempel.se',
'Need Help?' => 'Behver du hjlp?',
'Network Interfaces' => 'Ntverksgrnssnitt',
'Never run' => 'Kr aldrig',
'New Directory' => 'Ny katalog',
'New File Name' => 'Nytt filnamn',
'New Folder' => 'Ny mapp',
'New Key Generated' => 'Ny nyckel genererad',
'New Password' => 'Nytt lsenord',
'New Playlist' => 'Ny spellista',
'New Playlist Name' => 'Nytt spellistnamn',
'New Station Description' => 'Ny Stationsbeskrivning',
'New Station Name' => 'Nytt Stationsnamn',
'No' => 'Nej',
'No AutoDJ Enabled' => 'Ingen AutoDJ aktiverad',
'No Match' => 'Ingen matchning',
'No other program can be using this port. Leave blank to automatically assign a port.' => 'Inget annat program kan anvnda denna port. Lmna tomt fr att automatiskt tilldela en port.',
'No records to display.' => 'Inga poster att visa.',
'None' => 'Ingen',
'Not Played' => 'Inte spelad',
'Not Scheduled' => 'Inte schemalagd',
'Note that restoring a backup will clear your existing database. Never restore backup files from untrusted users.' => 'Observera att terstllning av en skerhetskopia kommer att rensa din befintliga databas. terstll aldrig skerhetskopieringsfiler frn oplitliga anvndare.',
'Note: If your media metadata has UTF-8 characters, you should use a spreadsheet editor that supports UTF-8 encoding, like OpenOffice.' => 'Obs! Om dina media-metadata har UTF-8-tecken br du anvnda en kalkylbladsredigerare som stder UTF-8-kodning, som OpenOffice.',
'Note: This should be the public-facing homepage of the radio station, not the AzuraCast URL. It will be included in broadcast details.' => 'Obs: Detta br vara radiostationens publika hemsida, inte AzuraCast URL. Den kommer att inkluderas i sndningsdetaljer.',
'Now' => 'Nu',
'Now Playing' => 'Nu Spelas',
'NowPlaying API Response' => 'NowPlaying API Svar',
'Number of Backup Copies to Keep' => 'Antal skerhetskopior att behlla',
'Number of Minutes Between Plays' => 'Antal minuter mellan spelningar',
'Number of seconds to overlap songs.' => 'Antal sekunder att verlappa ltar.',
'Number of Songs Between Plays' => 'Antal ltar mellan spelningar',
'Number of Visible Recent Songs' => 'Antal synliga senaste ltar',
'On the Air' => 'On Air just nu',
'On-Demand Media' => 'On-Demand Media',
'Once per Hour' => 'En gng i timmen',
'Once per x Minutes' => 'En gng per x minuter',
'Once per x Songs' => 'En gng per x ltar',
'Once these steps are completed, enter the "Access Token" from the application\'s page into the field below.' => 'Nr dessa steg r frdiga, ange "Access Token" frn applikationens sida i fltet nedan.',
'One important note on I/O Wait is that it can indicate a bottleneck or problem but also may be completely meaningless, depending on the workload and general available resources. A constantly high I/O Wait should prompt further investigation with more sophisticated tools.' => 'En viktig anmrkning p I/O Wait r att det kan indikera en flaskhals eller problem men ocks kan vara helt meningsls, beroende p arbetsbelastning och allmnna resurser. En stndigt hg I/O Wait br pskynda ytterligare utredning med mer sofistikerade verktyg.',
'Only loop through playlist once.' => 'Loopa bara igenom spellistan en gng.',
'Only Post Once Every...' => 'Bara posta en gng varje...',
'Optional: HTTP Basic Authentication Password' => 'Valfritt: HTTP Grundlggande autentiseringslsenord',
'Optional: HTTP Basic Authentication Username' => 'Valfritt: HTTP Basic Autentisering Anvndarnamn',
'Optional: Request Timeout (Seconds)' => 'Valfritt: Begr tidsgrns (sekunder)',
'Optionally select an ID3v2 metadata field that, if present, will be used to set this field\'s value.' => 'Valfritt vlj ett ID3v2 metadataflt som, om nrvarande, kommer att anvndas fr att stlla in fltets vrde.',
'Optionally specify a short URL-friendly name, such as "my_station_name", that will be used in this station\'s URLs. Leave this field blank to automatically create one based on the station name.' => 'Ange eventuellt ett kort URL-vnligt namn, till exempel "my_station_name", som kommer att anvndas i den hr stationens webbadresser. Lmna tomt fr att automatiskt skapa ett baserat p kanalens namn.',
'Optionally specify an API-friendly name, such as "field_name". Leave this field blank to automatically create one based on the name.' => 'Ange eventuellt ett API-vnligt namn, till exempel "field_name". Lmna tomt fr att automatiskt skapa ett baserat p namnet.',
'Optionally supply an API token to allow IP address overriding.' => 'Du kan ange en API-token fr att tillta att IP-adressen sidostts.',
'Optionally supply SSH public keys this user can use to connect instead of a password. Enter one key per line.' => 'Som tillval tillhandahller SSH publika nycklar som anvndaren kan anvnda fr att ansluta istllet fr ett lsenord. Ange en nyckel per rad.',
'or' => 'eller',
'Original Path' => 'Ursprunglig skvg',
'Password' => 'Lsenord',
'Password:' => 'Lsenord:',
'Paste the generated license key into the field on this page.' => 'Klistra in den genererade licensnyckeln i fltet p denna sida.',
'Path/Suffix' => 'Skvg/Suffix',
'Play' => 'Spela',
'Play Now' => 'Spela nu',
'Playback Queue' => 'Uppspelningsk',
'Playing Next' => 'Nsta lt',
'Playlist' => 'Spellista',
'Playlist 1' => 'Spellista 1',
'Playlist 2' => 'Spellista 2',
'Playlist Name' => 'Namn p spellista',
'Playlist queue cleared.' => 'Spellistek rensad.',
'Playlist Type' => 'Typ av spellista',
'Playlist Weight' => 'Vikt fr spellista',
'Playlist:' => 'Spellista:',
'Playlists' => 'Spellistor',
'Plays' => 'Spelningar',
'Please log in to continue.' => 'Logga in fr att fortstta.',
'Podcast media should be in the MP3 or M4A (AAC) format for the greatest compatibility.' => 'Podcast media br vara i MP3 eller M4A (AAC) format fr strsta kompatibilitet.',
'Podcast Title' => 'Podcast Titel',
'Podcasts Storage Location' => 'Podcasts Lagrings Plats',
'Prefer Browser URL (If Available)' => 'Fredrar Webblsarens URL (Om tillgngligt)',
'Previous' => 'Fregende',
'Privacy' => 'Sekretess',
'Profile' => 'Profil',
'Programmatic Name' => 'Programmskt namn',
'Provide a valid license key from Thimeo. Functionality is limited without a license key.' => 'Ange en giltig licensnyckel frn Thimeo. Funktionalitet r begrnsad utan en licensnyckel.',
'Public Page' => 'Offentlig sida',
'Public Page Background' => 'Bakgrund fr offentlig sida',
'Public Pages' => 'Offentliga sidor',
'Publish to "Yellow Pages" Directories' => 'Publicera till "Gula sidor" kataloger',
'Queue' => 'K',
'Queue the selected media to play next' => 'Lgg det valda mediet i k',
'Ready to start broadcasting? Click to start your station.' => 'Redo att brja snda? Klicka fr att starta din station.',
'Received' => 'Mottagen',
'Record Live Broadcasts' => 'Spela in direktsndningar',
'Recover Account' => 'terstll konto',
'Refresh rows' => 'Uppdatera rader',
'Relay' => 'Rel',
'Relay Stream URL' => 'Rel Stream URL',
'Release Channel' => 'Slpp kanal',
'Reload' => 'Ladda om',
'Reload Configuration' => 'Ladda om konfiguration',
'Reload to Apply Changes' => 'Ladda om fr att tillmpa ndringar',
'Remember me' => 'Kom ihg mig',
'Remote' => 'Fjrr',
'Remote Playback Buffer (Seconds)' => 'Fjrruppspelningsbuffert (sekunder)',
'Remote Relays' => 'Fjrrreler',
'Remote relays let you work with broadcasting software outside this server. Any relay you include here will be included in your station\'s statistics. You can also broadcast from this server to remote relays.' => 'Fjrrreler lter dig arbeta med sndningsprogram utanfr denna server. Alla reler du inkluderar hr kommer att inkluderas i din stations statistik. Du kan ocks snda frn denna server till fjrrreler.',
'Remote Station Administrator Password' => 'Lsenord fr fjrrstationens administratr',
'Remote Station Listening Mountpoint/SID' => 'Fjrrstation lyssnande monteringspunkt/SID',
'Remote Station Listening URL' => 'URL fr fjrranslutning',
'Remote Station Source Mountpoint/SID' => 'Fjrrstation Klla Mountpoint/SID',
'Remote Station Source Password' => 'Lsenord fr klla fr fjrranslutning',
'Remote Station Source Port' => 'Fjrrstation kllport',
'Remote Station Source Username' => 'Fjrr Station Klla Anvndarnamn',
'Remote Station Type' => 'Typ av fjrrstation',
'Remote URL' => 'Fjrr-URL',
'Remote URL Playlist' => 'Fjrr-URL spellista',
'Remote URL Type' => 'Fjrr-URL-typ',
'Remote: Dropbox' => 'Fjrr : Dropbox',
'Remote: S3 Compatible' => 'Fjrr : S3 kompatibel',
'Remote: SFTP' => 'Fjrr: SFTP',
'Remove' => 'Radera',
'Remove Key' => 'Ta bort nyckel',
'Rename' => 'Dp om',
'Rename File/Directory' => 'Dp om fil/katalog',
'Reorder' => 'Omordna',
'Reorder Playlist' => 'Ordna om spellista',
'Repeat' => 'Upprepa',
'Replace Album Cover Art' => 'Erstt skivomslag',
'Reports' => 'Rapporter',
'Reprocess' => 'Upprepa',
'Request' => 'nska',
'Request a Song' => 'nska en lt',
'Request Last Played Threshold (Minutes)' => 'Begr senast spelade trskelvrden (protokoll)',
'Request Minimum Delay (Minutes)' => 'Begr minsta frdrjning (Minuter)',
'Request Song' => 'nska en lt',
'Requests' => 'Frfrgningar',
'Reshuffle' => 'Omfrdela',
'Restart' => 'Starta om',
'Restart Broadcasting' => 'Starta om sndning',
'Restoring Backups' => 'terstller skerhetskopior',
'Role Name' => 'Rollens namn',
'Roles' => 'Roller',
'Roles & Permissions' => 'Roller och behrigheter',
'RSS Feed' => 'RSS-flde',
'Run Automatic Nightly Backups' => 'Kr automatiska nattliga skerhetskopior',
'Run Manual Backup' => 'Kr manuell skerhetskopiering',
'Run Task' => 'Kr uppgift',
'Sample Rate' => 'Samplingsfrekvens',
'Saturday' => 'Lrdag',
'Save' => 'Spara',
'Save and Continue' => 'Spara och fortstt',
'Save Changes' => 'Spara ndringar',
'Save Changes first' => 'Spara ndringar frst',
'Schedule' => 'Schema',
'Schedule View' => 'Schemalgg vy',
'Scheduled' => 'Planerad',
'Scheduled Backup Time' => 'Schemalagd skerhetskopieringstid',
'Scheduled Play Days of Week' => 'Schemalagda speldagar i veckan',
'Scheduled playlists and other timed items will be controlled by this time zone.' => 'Schemalagda spellistor och andra tidsinstllda objekt kommer att kontrolleras av denna tidszon.',
'Scheduled Time #%{num}' => 'Schemalagd tid #%{num}',
'Search' => 'Sk',
'Seconds from the start of the song that the AutoDJ should start playing.' => 'Sekunder frn brjan av lten som AutoDJ borde brja spela.',
'Seconds from the start of the song that the AutoDJ should stop playing.' => 'Sekunder frn brjan av lten som AutoDJ borde sluta spela.',
'Secret Key' => 'Hemlig nyckel',
'Security' => 'Skerhet',
'Security & Privacy' => 'Skerhet & Sekretess',
'See the Telegram documentation for more details.' => 'Se Telegramdokumentationen fr mer information.',
'See the Telegram Documentation for more details.' => 'Se Telegram Dokumentation fr mer information.',
'Seek' => 'Sk',
'Segment Length (Seconds)' => 'Segmentets lngd (sekunder)',
'Segments in Playlist' => 'Segment i spellista',
'Segments Overhead' => 'Segment Overhead',
'Select' => 'Vlj',
'Select a theme to use as a base for station public pages and the login page.' => 'Vlj ett tema att anvnda som bas fr offentliga sidor och inloggningssidan.',
'Select Configuration File' => 'Vlj konfigurationsfil',
'Select CSV File' => 'Vlj CSV-fil',
'Select Custom Fallback File' => 'Vlj anpassad reservfil',
'Select File' => 'Vlj fil',
'Select Intro File' => 'Vlj Intro fil',
'Select Media File' => 'Vlj mediefil',
'Select PLS/M3U File to Import' => 'Vlj PLS/M3U-fil att importera',
'Select PNG/JPG artwork file' => 'Vlj PNG/JPG fil',
'Select the category/categories that best reflects the content of your podcast.' => 'Vlj den kategori/kategorier som bst speglar innehllet i din podcast.',
'Select the countries that are not allowed to connect to the streams.' => 'Vlj de lnder som inte r tilltna att ansluta till strmmarna.',
'Send Test Message' => 'Skicka testmeddelande',
'Sender E-mail Address' => 'Avsndarens e-postadress',
'Sender Name' => 'Avsndarens namn',
'Sequential' => 'Sekventiell',
'Server Status' => 'Serverstatus',
'Services' => 'Tjnster',
'Set a maximum disk space that this storage location can use. Specify the size with unit, i.e. "8 GB". Units are measured in 1024 bytes. Leave blank to default to the available space on the disk.' => 'Ange ett maximalt diskutrymme som den hr lagringsplatsen kan anvnda. Ange storleken med enheten, dvs. "8 GB". Enheter mts i 1024 bytes. Lmna tomt till standard till det tillgngliga utrymmet p disken.',
'Set as Default Mount Point' => 'Ange som standard monteringspunkt',
'Set cue and fade points using the visual editor. The timestamps will be saved to the corresponding fields in the advanced playback settings.' => 'Ange k- och toningspunkter med den visuella redigeraren. Tidsstmplarna kommer att sparas i motsvarande flt i de avancerade uppspelningsinstllningarna.',
'Set Cue In' => 'Stll in Cue i',
'Set Cue Out' => 'Stll in Cue Out',
'Set Fade In' => 'Stll in toning',
'Set Fade Out' => 'Stll in tona ut',
'Set longer to preserve more playback history and listener metadata for stations. Set shorter to save disk space.' => 'Stll in lngre fr att bevara mer uppspelningshistorik och lyssnarmetadata fr stationer. Stll in kortare fr att spara diskutrymme.',
'Set the length of time (seconds) a listener will stay connected to the stream. If set to 0, listeners can stay connected infinitely.' => 'Ange tidslngd (sekunder) som en lyssnare kommer att vara ansluten till strmmen. Om satt till 0, kan lyssnarna hlla kontakten ondligt.',
'Set to * to allow all sources, or specify a list of origins separated by a comma (,).' => 'Stt till * fr att tillta alla kllor, eller ange en lista med ursprung separerade med ett kommatecken (,).',
'Settings' => 'Instllningar',
'Setup instructions for broadcasting software are available on the AzuraCast wiki.' => 'Installationsinstruktioner fr sndningsprogram finns tillgngliga p AzuraCast wiki.',
'SFTP Password' => 'SFTP Lsenord',
'SFTP Port' => 'SFTP-port',
'SFTP Private Key' => 'Privat nyckel fr SFTP',
'SFTP Private Key Pass Phrase' => 'Fras fr SFTP-pass med privat nyckel',
'SFTP Username' => 'SFTP Anvndarnamn',
'SFTP Users' => 'SFTP Anvndare',
'Shoutcast 2 DNAS is not currently installed on this installation.' => 'Shoutcast 2 DNAS r fr nrvarande inte installerad p den hr installationen.',
'Shoutcast 2 DNAS is not free software, and its restrictive license does not allow AzuraCast to distribute the Shoutcast binary.' => 'Shoutcast 2 DNAS r inte fri programvara och dess restriktiva licens tillter inte AzuraCast att distribuera Shoutcast-binren.',
'Shoutcast Clients' => 'Shoutcast klienter',
'Shoutcast User ID' => 'Shoutcast Anvndar-ID',
'Show HLS Stream on Public Player' => 'Visa HLS Stream p offentlig spelare',
'Show new releases within your update channel on the AzuraCast homepage.' => 'Visa nya utgvor i din uppdateringskanal p AzuraCasts hemsida.',
'Show on Public Pages' => 'Visa p offentliga sidor',
'Show the station in public pages and general API results.' => 'Visa stationen p publika sidor och allmnna API-resultat.',
'Show Update Announcements' => 'Visa uppdateringsnotiser',
'Sign Out' => 'Logga ut',
'Site Base URL' => 'Webbplatsens bas-URL',
'Skip Song' => 'Hoppa ver lt',
'Skip to main content' => 'Hoppa till huvudinnehllet',
'SMTP Host' => 'SMTP vrd',
'SMTP Password' => 'SMTP Lsenord',
'SMTP Port' => 'SMTP-port',
'SMTP Username' => 'SMTP anvndarnamn',
'Some stream licensing providers may have specific rules regarding song requests. Check your local regulations for more information.' => 'Vissa strmlicensieringsleverantrer kan ha specifika regler fr ltfrfrgningar. Kontrollera dina lokala regler fr mer information.',
'Song' => 'Lt',
'Song Album' => 'Ltalbum',
'Song Artist' => 'Ltartist',
'Song Genre' => 'Lten genre',
'Song History' => 'Ltlista',
'Song Length' => 'Ltlngd',
'Song Lyrics' => 'Lttext',
'Song Playback Order' => 'Ordning fr Ltuppspelning',
'Song Playback Timeline' => 'Ltuppspelning Tidslinje',
'Song Requests' => 'Ltfrfrgningar',
'Song Title' => 'Lttitel',
'Song-based' => 'Lt-baserad',
'Song-Based Playlist' => 'Ltbaserad spellista',
'SoundExchange Report' => 'SoundExchange rapport',
'Source' => 'Klla',
'Specify a mountpoint (i.e. "/radio.mp3") or a Shoutcast SID (i.e. "2") to specify a specific stream to use for statistics or broadcasting.' => 'Ange en monteringspunkt (dvs. "/radio.mp3") eller en Shoutcast SID (dvs. "2") fr att ange en specifik strm att anvnda fr statistik eller sndning.',
'Specify the minute of every hour that this playlist should play.' => 'Ange den minut varje timme som denna spellista ska spela.',
'SSH Public Keys' => 'Offentliga SSH-nycklar',
'Start' => 'Starta',
'Start Date' => 'Startdatum',
'Start Station' => 'Starta Station',
'Start Time' => 'Starttid',
'Station Name' => 'Stationens namn',
'Station Overview' => 'Stationsversikt',
'Station Permissions' => 'Behrigheter fr station',
'Station Statistics' => 'Stationens statistik',
'Station Time' => 'Station Tid',
'Station Time Zone' => 'Tidszon fr station',
'Station-Specific Debugging' => 'Stationsspecifik felskning',
'Stations' => 'Stationer',
'Steal' => 'Stjla',
'Steal (St)' => 'Stjla (St)',
'Step 1: Scan QR Code' => 'Steg 1: Skanna QR-koden',
'Step 2: Verify Generated Code' => 'Steg 2: Verifiera genererad kod',
'Steps for configuring a Mastodon application:' => 'Steg fr att konfigurera en Mastodon-applikation:',
'Stereo Tool documentation.' => 'Stereo Tool Dokumentation.',
'Stereo Tool Downloads' => 'Stereo Tool Nedladdningar',
'Stereo Tool is an industry standard for software audio processing. For more information on how to configure it, please refer to the' => 'Stereo Tool r en branschstandard fr programvara ljudhantering. Fr mer information om hur man konfigurerar det, se',
'Stereo Tool is not currently installed on this installation.' => 'Stereo Tool r fr nrvarande inte installerat p denna installation.',
'Stereo Tool is not free software, and its restrictive license does not allow AzuraCast to distribute the Stereo Tool binary.' => 'Stereo Tool r inte fri programvara, och dess restriktiva licens tillter inte AzuraCast att distribuera Stereo Tool binra.',
'Stop' => 'Stoppa',
'Storage Adapter' => 'Adapter fr lagring',
'Storage Location' => 'Lagringsplats',
'Storage Locations' => 'Lagringsplatser',
'Storage Quota' => 'Lagring Kvot',
'Stream' => 'Strm',
'Streamer Broadcasts' => 'DJ Sndningar',
'Streamer Display Name' => 'Visningsnamn fr Streamer',
'Streamer password' => 'Lsenord fr Streamer',
'Streamer Username' => 'Streamer anvndarnamn',
'Streamer/DJ Accounts' => 'DJ konton',
'Streams' => 'Strmmar',
'Submit Code' => 'Skicka kod',
'Sunday' => 'Sndag',
'Support Documents' => 'Support Dokument',
'Supported file formats:' => 'Filformat som stds:',
'Switch Theme' => 'Byt tema',
'Synchronization Tasks' => 'Synkronisering Uppgifter',
'System Administration' => 'Systemadministration',
'System Debugger' => 'System Debugger',
'System Logs' => 'Systemloggar',
'System Maintenance' => 'Systemunderhll',
'System Settings' => 'Systeminstllningar',
'Test' => 'Testa',
'The amount of memory Linux is using for disk caching.' => 'Mngden minne Linux anvnder fr diskcachelagring.',
'The base URL where this service is located. Use either the external IP address or fully-qualified domain name (if one exists) pointing to this server.' => 'Bas-URL dr tjnsten r lokaliserad. Anvnd antingen den externa IP-adressen eller fullt kvalificerat domnnamn (om det finns) som pekar p denna server.',
'The body of the POST message is the exact same as the NowPlaying API response for your station.' => 'Kroppen i POST meddelandet r exakt samma som NowPlaying API svar fr din station.',
'The contact person of the podcast. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => 'Kontaktpersonen fr podcasten. Kan krvas fr att lista podcasten p tjnster som Apple Podcasts, Spotify, Google Podcasts, etc.',
'The current CPU usage including I/O Wait and Steal.' => 'Den aktuella processoranvndningen inklusive I/O Wait och Steal.',
'The current Memory usage excluding cached memory.' => 'Den aktuella minnesanvndningen exklusive cachat minne.',
'The description of the episode. The typical maximum amount of text allowed for this is 4000 characters.' => 'Beskrivningen av avsnittet. Det typiska maximala antalet text som tillts fr detta r 4000 tecken.',
'The description of your podcast. The typical maximum amount of text allowed for this is 4000 characters.' => 'Beskrivningen av din podcast. Den typiska maximala mngden text som tillts fr detta r 4000 tecken.',
'The display name assigned to this mount point when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Visningsnamnet som tilldelats denna monteringspunkt nr du visar det p administrativa eller offentliga sidor. Lmna tomt fr att automatiskt generera en.',
'The display name assigned to this relay when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Visningsnamnet som tilldelats detta rel nr du visar det p administrativa eller offentliga sidor. Lmna tomt fr att automatiskt generera en.',
'The editable text boxes are areas where you can insert custom configuration code. The non-editable sections are automatically generated by AzuraCast.' => 'De redigerbara textrutorna r omrden dr du kan infoga anpassad konfigurationskod. De icke-redigerbara avsnitten genereras automatiskt av AzuraCast.',
'The email of the podcast contact. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => 'Mailet fr podcast kontakt. Kan krvas fr att lista podcast p tjnster som Apple Podcasts, Spotify, Google Podcasts, etc.',
'The file name should look like:' => 'Filnamnet ska se ut:',
'The format and headers of this CSV should match the format generated by the export function on this page.' => 'Formatet och rubrikerna fr denna CSV br matcha det format som genereras av exportfunktionen p denna sida.',
'The full base URL of your Matomo installation.' => 'Den fullstndiga bas-URL: en fr din Matomo-installation.',
'The I/O Wait is the percentage of time that the CPU is waiting for disk access before it can continue the work that depends on the result of this.' => 'I/O Wait r den procentuella delen av tiden som processorn vntar p disktkomst innan den kan fortstta arbetet som beror p resultatet av detta.',
'The language spoken on the podcast.' => 'Sprket som talas p podcasten.',
'The length of playback time that Liquidsoap should buffer when playing this remote playlist. Shorter times may lead to intermittent playback on unstable connections.' => 'Lngden p uppspelningstiden som Liquidsoap br buffra nr du spelar denna fjrrspellista. Kortare tider kan leda till intermittent uppspelning p instabila anslutningar.',
'The number of seconds of signal to store in case of interruption. Set to the lowest value that your DJs can use without stream interruptions.' => 'Antalet sekunder av signal att lagra i hndelse av avbrott. Stll in till det lgsta vrdet som dina DJs kan anvnda utan strmavbrott.',
'The number of seconds to wait for a response from the remote server before cancelling the request.' => 'Antalet sekunder att vnta p ett svar frn fjrrservern innan du avbryter begran.',
'The numeric site ID for this site.' => 'Det numeriska webbplats-ID fr denna webbplats.',
'The parent directory where station playlist and configuration files are stored. Leave blank to use default directory.' => 'verordnad katalog dr station spellista och konfigurationsfiler lagras. Lmna tomt fr att anvnda standardkatalog.',
'The relative path of the file in the station\'s media directory.' => 'Den relativa skvgen fr filen i stationens mediakatalog.',
'The station ID will be a numeric string that starts with the letter S.' => 'Stations-ID kommer att vara en numerisk strng som brjar med bokstaven S.',
'The streamer will use this password to connect to the radio server.' => 'Streamern kommer att anvnda detta lsenord fr att ansluta till radioservern.',
'The streamer will use this username to connect to the radio server.' => 'Streamern kommer att anvnda detta anvndarnamn fr att ansluta till radioservern.',
'The time period that the song should fade in. Leave blank to use the system default.' => 'Den tidsperiod som lten ska tona in. Lmna tomt fr att anvnda systemets standard.',
'The time period that the song should fade out. Leave blank to use the system default.' => 'Den tidsperiod som lten ska tona ut. Lmna tomt fr att anvnda systemets standard.',
'The URL that will receive the POST messages any time an event is triggered.' => 'URL som kommer att ta emot POST-meddelanden nr som helst en hndelse utlses.',
'The volume in decibels to amplify the track with. Leave blank to use the system default.' => 'Volymen i decibel fr att frstrka spret med. Lmna tomt fr att anvnda systemets standard.',
'The WebDJ lets you broadcast live to your station using just your web browser.' => 'WebDJ kan du snda live till din station med bara din webblsare.',
'Theme' => 'Tema',
'There is no existing custom fallback file associated with this station.' => 'Det finns ingen befintlig anpassad reservfil associerad med denna station.',
'There is no existing intro file associated with this mount point.' => 'Det finns ingen befintlig intro-fil som r associerad med denna monteringspunkt.',
'There is no existing media associated with this episode.' => 'Det finns inga befintliga medier associerade med denna episod.',
'There is no Stereo Tool configuration file present.' => 'Det finns ingen Stereo Tool konfigurationsfil nrvarande.',
'This account will have full access to the system, and you\'ll automatically be logged in to it for the rest of setup.' => 'Detta konto kommer att ha full tillgng till systemet, och du kommer automatiskt att vara inloggad fr resten av konfigurationen.',
'This can be generated in the "Events" section for a measurement.' => 'Detta kan genereras i avsnittet "Hndelser" fr en mtning.',
'This can make it look like your memory is low while it actually is not. Some monitoring solutions/panels include cached memory in their used memory statistics without indicating this.' => 'Detta kan gra att det ser ut som ditt minne r lgt medan det faktiskt inte. Vissa vervakningslsningar/paneler inkluderar cachat minne i sin minnesstatistik utan att ange detta.',
'This code will be included in the frontend configuration. Allowed formats are:' => 'Denna kod kommer att inkluderas i frontend-konfigurationen. Tilltna format r:',
'This configuration file should be a valid .sts file exported from Stereo Tool.' => 'Denna konfigurationsfil ska vara en giltig .st-fil som exporteras frn Stereo Tool.',
'This CSS will be applied to the main management pages, like this one.' => 'Denna CSS kommer att tillmpas p huvudsidorna fr hantering, som denna.',
'This CSS will be applied to the station public pages and login page.' => 'Denna CSS kommer att tillmpas p stationen offentliga sidor och inloggningssidan.',
'This CSS will be applied to the station public pages.' => 'Denna CSS kommer att tillmpas p stationens publika sidor.',
'This determines how many songs in advance the AutoDJ will automatically fill the queue.' => 'Detta avgr hur mnga ltar i frvg AutoDJ automatiskt fyller kn.',
'This feature requires the AutoDJ feature to be enabled.' => 'Denna funktion krver att AutoDJ-funktionen aktiveras.',
'This file will be played on your radio station any time no media is scheduled to play or a critical error occurs that interrupts regular broadcasting.' => 'Denna fil kommer att spelas upp p din radiostation nr som helst inget media r schemalagt fr att spela upp eller ett kritiskt fel intrffar som avbryter regelbunden sndning.',
'This image will be used as the default album art when this streamer is live.' => 'Denna bild kommer att anvndas som standardskivomslag nr denna streamer r live.',
'This introduction file should exactly match the bitrate and format of the mount point itself.' => 'Denna introduktionsfil br exakt matcha bithastigheten och formatet fr sjlva monteringspunkten.',
'This is an advanced feature and custom code is not officially supported by AzuraCast. You may break your station by adding custom code, but removing it should fix any issues.' => 'Detta r en avancerad funktion och anpassad kod stds inte officiellt av AzuraCast. Du kan bryta din station genom att lgga till anpassad kod, men ta bort den br tgrda eventuella problem.',
'This is the informal display name that will be shown in API responses if the streamer/DJ is live.' => 'Detta r det informella visningsnamnet som kommer att visas i API-svar om streamer/DJ r live.',
'This is the number of seconds until a streamer who has been manually disconnected can reconnect to the stream. Set to 0 to allow the streamer to immediately reconnect.' => 'Detta r antalet sekunder tills en streamer som har kopplats bort manuellt kan teransluta till strmmen. Stt till 0 fr att tillta streamern att omedelbart teransluta.',
'This javascript code will be applied to the station public pages and login page.' => 'Denna javascript kod kommer att tillmpas p stationen offentliga sidor och inloggningssidan.',
'This javascript code will be applied to the station public pages.' => 'Denna javascript kod kommer att tillmpas p stationen offentliga sidor.',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => 'Detta namn br alltid brja med ett snedstreck (/), och mste vara en giltig URL, ssom /autodj.mp3',
'This name will appear as a sub-header next to the AzuraCast logo, to help identify this server.' => 'Detta namn kommer att visas som en underrubrik bredvid AzuraCast-logotypen, fr att hjlpa till att identifiera denna server.',
'This playlist currently has no scheduled times. It will play at all times. To add a new scheduled time, click the button below.' => 'Denna spellista har fr nrvarande inga schemalagda tider. Den kommer att spelas hela tiden. Fr att lgga till en ny schemalagd tid, klicka p knappen nedan.',
'This playlist will play every $x minutes, where $x is specified here.' => 'Den hr spellistan kommer att spelas varje $x minut, dr $x anges hr.',
'This playlist will play every $x songs, where $x is specified here.' => 'Den hr spellistan kommer att spela varje $x ltar, dr $x anges hr.',
'This port is not used by any external process. Only modify this port if the assigned port is in use. Leave blank to automatically assign a port.' => 'Denna port anvnds inte av ngon extern process. ndra endast denna port om den tilldelade porten anvnds. Lmna tomt fr att automatiskt tilldela en port.',
'This queue contains the remaining tracks in the order they will be queued by the AzuraCast AutoDJ (if the tracks are eligible to be played).' => 'Denna k innehller de terstende spren i den ordning de kommer att kas av AzuraCast AutoDJ (om spren r berttigade att spelas).',
'This service can provide album art for tracks where none is available locally.' => 'Denna tjnst kan ge skivomslag fr spr dr ingen r tillgnglig lokalt.',
'This software shuffles from playlists of music constantly and plays when no other radio source is available.' => 'Denna programvara blandar frn spellistor av musik konstant och spelar nr ingen annan radioklla r tillgnglig.',
'This specifies the minimum time (in minutes) between a song playing on the radio and being available to request again. Set to 0 for no threshold.' => 'Detta anger den minsta tiden (i minuter) mellan en lt som spelas p radio och r tillgnglig att begra igen. Stt till 0 fr ingen trskel.',
'This specifies the time range (in minutes) of the song history that the duplicate song prevention algorithm should take into account.' => 'Detta specificerar tidsintervallet (i minuter) av lthistoriken som den duplicerade ltfrebyggande algoritmen br ta hnsyn till.',
'This station\'s time zone is currently %{tz}.' => 'Tidszonen fr denna station r fr nrvarande %{tz}.',
'This streamer is not scheduled to play at any times.' => 'Denna streamer r inte planerad att spela nr som helst.',
'This URL is provided within the Discord application.' => 'Denna URL tillhandahlls inom Discord-programmet.',
'This web hook will only run when the selected event(s) occur on this specific station.' => 'Denna webhook kommer endast att kras nr de valda evenemangen intrffar p denna specifika station.',
'This will be used as the label when editing individual songs, and will show in API results.' => 'Detta kommer att anvndas som etikett nr du redigerar enskilda ltar, och kommer att visa i API-resultat.',
'This will clear any pending unprocessed messages in all message queues.' => 'Detta kommer att rensa alla vntande obehandlade meddelanden i alla meddelandeker.',
'This will produce a significantly smaller backup, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => 'Detta kommer att producera en betydligt mindre skerhetskopia, men du br se till att skerhetskopiera dina medier ngon annanstans. Observera att endast lokalt lagrade medier kommer att skerhetskopieras.',
'Thumbnail Image URL' => 'Miniatyrbild URL',
'Thursday' => 'Torsdag',
'Time' => 'Tid',
'Time Display' => 'Visning av tid',
'Time spent waiting for disk I/O to be completed.' => 'Tidstgng i vntan p att disk I/O ska slutfras.',
'Time stolen by other virtual machines on the same physical server.' => 'Tid stulen av andra virtuella maskiner p samma fysiska server.',
'Time Zone' => 'Tidszon',
'Title' => 'Titel',
'To alleviate this potential problem with shared CPU resources, hosts assign "credits" to a VPS which are used up according to an algorithm based on the CPU load as well as the time over which the CPU load is generated. If your VM\'s assigned credit is used up, they will take CPU time from your VM and assign it to other VMs on the machine. This is seen as the "Steal" or "St" value.' => 'Fr att lindra detta potentiella problem med delade CPU-resurser, vrdar tilldela "krediter" till en VPS som anvnds upp enligt en algoritm baserad p CPU-belastning samt den tid ver vilken CPU-belastningen genereras. Om din VM:s tilldelade kredit anvnds kommer de att ta CPU-tid frn din VM och tilldela den till andra virtuella maskiner p maskinen. Detta ses som "Steal" eller "St" vrde.',
'To customize installation settings, or if automatic updates are disabled, you can follow our standard update instructions to update via your SSH console.' => 'Fr att anpassa installationsinstllningarna, eller om automatiska uppdateringar r inaktiverade, kan du flja vra standard uppdateringsinstruktioner fr att uppdatera via din SSH-konsol.',
'To download the GeoLite database:' => 'Ladda ner GeoLite-databasen:',
'To play once per day, set the start and end times to the same value.' => 'Om du vill spela en gng per dag, ange start- och sluttider till samma vrde.',
'To restore a backup from your host computer, run:' => 'Fr att terstlla en skerhetskopia frn din vrddator, kr:',
'To retrieve detailed unique listeners and client details, an administrator password is often required.' => 'Fr att hmta detaljerade unika lyssnare och klientdetaljer krvs ofta ett administratrslsenord.',
'To set this schedule to run only within a certain date range, specify a start and end date.' => 'Fr att stlla in detta schema till att endast kras inom ett visst datumintervall, ange ett start- och slutdatum.',
'To use this feature, a secure (HTTPS) connection is required. Firefox is recommended to avoid static when broadcasting.' => 'Fr att anvnda den hr funktionen krvs en sker (HTTPS). Firefox rekommenderas att undvika statisk anslutning vid sndning.',
'To verify that the code was set up correctly, enter the 6-digit code the app shows you.' => 'Fr att verifiera att koden r korrekt instlld, ange den 6-siffriga koden som appen visar dig.',
'Toggle Menu' => 'Vxla meny',
'Toggle Sidebar' => 'Vxla sidoflt',
'Top Browsers by Connected Time' => 'Topp Webblsare efter ansluten tid',
'Top Browsers by Listeners' => 'Flest webblsare av lyssnare',
'Top Countries by Connected Time' => 'Topp lnder av ansluten tid',
'Top Countries by Listeners' => 'Topplnder av lyssnare',
'Top Streams by Connected Time' => 'Top Streams av ansluten tid',
'Top Streams by Listeners' => 'Toppstrmmar av lyssnare',
'Total Disk Space' => 'Total disk-yta',
'Total Listener Hours' => 'Totalt antal lyssnartimmar',
'Total RAM' => 'Totalt RAM',
'Transmitted' => 'verfrd',
'Tuesday' => 'Tisdag',
'TuneIn Partner ID' => 'TuneIn partner-ID',
'TuneIn Partner Key' => 'Tunein-partnernyckel',
'Two-Factor Authentication' => 'Tvfaktorsautentisering',
'Two-factor authentication improves the security of your account by requiring a second one-time access code in addition to your password when you log in.' => 'Tvfaktorsautentisering frbttrar skerheten fr ditt konto genom att krva en andra engngskod utver ditt lsenord nr du loggar in.',
'Typically a website with content about the episode.' => 'Vanligtvis en webbplats med innehll om avsnittet.',
'Typically the home page of a podcast.' => 'Vanligtvis startsidan fr en podcast.',
'Unable to update.' => 'Det gick inte att uppdatera.',
'Unassigned Files' => 'Otilldelade filer',
'Unique' => 'Unika',
'Unique identifier for the target chat or username of the target channel (in the format @channelusername).' => 'Unik identifierare fr mlchatten eller anvndarnamnet fr mlkanalen (i formatet @channelusername).',
'Unique Listeners' => 'Unika lyssnare',
'Unknown' => 'Oknd',
'Unknown Artist' => 'Oknd artist',
'Unknown Title' => 'Oknd titel',
'Unprocessable Files' => 'Obearbetningsbara filer',
'Upcoming Song Queue' => 'Kommande lt k',
'Update' => 'Uppdatera',
'Update AzuraCast' => 'Uppdatera AzuraCast',
'Update AzuraCast via Web' => 'Uppdatera AzuraCast via webben',
'Update Details' => 'Uppdatera detaljer',
'Update Instructions' => 'Uppdatera instruktioner',
'Update Metadata' => 'Uppdatera metadata',
'Update via Web' => 'Uppdatera via webben',
'Updated' => 'Uppdaterad',
'Updated successfully.' => 'Uppdaterad framgngsrikt.',
'Upload a Stereo Tool configuration file from the "Broadcasting" submenu in the station profile.' => 'Ladda upp en Stereo Tool konfigurationsfil frn "Broadcasting" undermenyn i stationen profilen.',
'Upload Custom Assets' => 'Ladda upp anpassade tillgngar',
'Upload Stereo Tool Configuration' => 'Ladda upp Stereo Tool konfigurationsfil',
'Upload the file on this page to automatically extract it into the proper directory.' => 'Ladda upp filen p denna sida fr att automatiskt extrahera den till rtt katalog.',
'Use' => 'Anvnd',
'Use (Us)' => 'Anvnd (U)',
'Use API keys to authenticate with the AzuraCast API using the same permissions as your user account.' => 'Anvnd API-nycklar fr att autentisera med AzuraCast API med samma behrigheter som ditt anvndarkonto.',
'Use High-Performance Now Playing Updates' => 'Anvnd hgpresterande nu uppspelningar',
'Use Secure (TLS) SMTP Connection' => 'Anvnd Secure (TLS) SMTP-anslutning',
'Use Web Proxy for Radio' => 'Anvnd Web Proxy fr Radio',
'Used' => 'Anvnt',
'Used for "Forgot Password" functionality, web hooks and other functions.' => 'Anvnds fr "Glmt lsenord" funktionalitet, webbinhakar och andra funktioner.',
'User Accounts' => 'Anvndarkonton',
'User Agent' => 'Anvndarens agent',
'Username' => 'Anvndarnamn',
'Username:' => 'Anvndarnamn:',
'Users' => 'Anvndare',
'Users with this role will have these permissions across the entire installation.' => 'Anvndare med denna roll kommer att ha dessa behrigheter ver hela installationen.',
'Users with this role will have these permissions for this single station.' => 'Anvndare med denna roll kommer att ha dessa behrigheter fr denna enda station.',
'Uses either Websockets, Server-Sent Events (SSE) or static JSON files to serve Now Playing data on public pages. This improves performance, especially with large listener volume. Disable this if you are encountering problems with the service or use multiple URLs to serve your public pages.' => 'Anvnder antingen Websockets, Server-Sent Events (SSE) eller statiska JSON-filer fr att tjna Nu Spelar data p offentliga sidor. Detta frbttrar prestandan, srskilt med stor lyssnarvolym. Inaktivera detta om du stter p problem med tjnsten eller anvnda flera webbadresser fr att tjna dina offentliga sidor.',
'Using this page, you can customize several sections of the Liquidsoap configuration. This allows you to add advanced functionality to your station\'s AutoDJ.' => 'Med hjlp av denna sida kan du anpassa flera delar av Liquidsoap-konfigurationen. Detta gr att du kan lgga till avancerad funktionalitet till din stations AutoDJ.',
'Usually enabled for port 465, disabled for ports 587 or 25.' => 'Vanligtvis aktiverad fr port 465, inaktiverad fr portar 587 eller 25.',
'Variables are in the form of: ' => 'Variabler r i form av: ',
'View' => 'Visa',
'View Profile' => 'Visa profil',
'View tracks in playlist' => 'Visa spr i spellistan',
'Visit your Mastodon instance.' => 'Besk din Mastodon-instans.',
'Visual Cue Editor' => 'Visuell Cue Editor',
'Volume' => 'Volym',
'Wait' => 'Vnta',
'Wait (Wa)' => 'Vnta (Wa)',
'Waveform Zoom' => 'Vgform Zoom',
'Web DJ' => 'Web DJ',
'Web Hook Details' => 'Information om webbkrok',
'Web Hook Name' => 'Webb krok namn',
'Web Hook Triggers' => 'Triggers fr webbkrok',
'Web Hook URL' => 'Webb krok URL',
'Web Hooks' => 'Web Hookar',
'Web hooks automatically send a HTTP POST request to the URL you specify to notify it any time one of the triggers you specify occurs on your station.' => 'Webhooks skickar automatiskt en HTTP POST-begran till den URL du anger fr att meddela den nr som helst en av de utlsare du anger intrffar p din station.',
'Web hooks let you connect to external web services and broadcast changes to your station to them.' => 'Med webbinhakar kan du ansluta till externa webbtjnster och snda ndringar till din station till dem.',
'Web Site URL' => 'Hemsida URL',
'Web updates are not available for your installation. To update your installation, perform the manual update process instead.' => 'Webbuppdateringar r inte tillgngliga fr din installation. Fr att uppdatera din installation, utfr den manuella uppdateringsprocessen istllet.',
'Website' => 'Webbplats',
'Wednesday' => 'Onsdag',
'Welcome to AzuraCast!' => 'Vlkommen till AzuraCast!',
'Welcome!' => 'Vlkommen!',
'When making API calls, you can pass this value in the "X-API-Key" header to authenticate as yourself.' => 'Nr du gr API-rop kan du skicka detta vrde i huvudet "X-API-Key" fr att autentisera som dig sjlv.',
'Whether the AutoDJ should attempt to avoid duplicate artists and track titles when playing media from this playlist.' => 'Om AutoDJ ska frska undvika dubbla artister och spra titlar nr du spelar media frn den hr spellistan.',
'Widget Type' => 'Widget typ',
'Worst Performing Songs' => 'Ltar med smst utfrande',
'Yes' => 'Ja',
'You' => 'Du',
'You can also upload files in bulk via SFTP.' => 'Du kan ocks ladda upp filer i bulk via SFTP.',
'You can find answers for many common questions in our support documents.' => 'Du kan hitta svar p mnga vanliga frgor i vra supportdokument.',
'You can include any special mount point settings here, in either JSON { key: \'value\' } format or XML <key>value</key>' => 'Du kan inkludera ngra speciella monteringspunktsinstllningar hr, antingen i JSON { key: \'value\' } format eller XML <key>vrde</key>',
'You can only perform the actions your user account is allowed to perform.' => 'Du kan endast utfra de tgrder som ditt anvndarkonto fr utfra.',
'You may need to connect directly to your IP address:' => 'Du kan behva ansluta direkt till din IP-adress:',
'You may need to connect directly via your IP address:' => 'Du kan behva ansluta direkt via din IP-adress:',
'You will not be able to retrieve it again.' => 'Du kommer inte att kunna hmta det igen.',
'Your full API key is below:' => 'Din fullstndiga API-nyckel r nedan:',
'Your installation is currently on this release channel:' => 'Din installation r fr nrvarande p denna releasekanal:',
'Your installation is up to date! No update is required.' => 'Din installation r uppdaterad! Ingen uppdatering krvs.',
'Your installation needs to be updated. Updating is recommended for performance and security improvements.' => 'Din installation mste uppdateras. Uppdatering rekommenderas fr prestanda- och skerhetsfrbttringar.',
'Select...' => 'Vlj...',
'Too many forgot password attempts' => 'Fr mnga glmde lsenordsfrsk',
'You have attempted to reset your password too many times. Please wait 30 seconds and try again.' => 'Du har frskt att terstlla ditt lsenord fr mnga gnger. Vnligen vnta 30 sekunder och frsk igen.',
'Account Recovery' => 'terstllning av konto',
'Account recovery e-mail sent.' => 'E-post med terstllning av konto skickat.',
'If the e-mail address you provided is in the system, check your inbox for a password reset message.' => 'Om den e-postadress du angav r i systemet, kontrollera din inkorg fr ett meddelande om terstllning av lsenord.',
'Too many login attempts' => 'Fr mnga inloggningsfrsk',
'You have attempted to log in too many times. Please wait 30 seconds and try again.' => 'Du har frskt att logga in fr mnga gnger. Vnligen vnta 30 sekunder och frsk igen.',
'Logged in successfully.' => 'Inloggad framgngsrikt.',
'Complete the setup process to get started.' => 'Slutfr installationsprocessen fr att komma igng.',
'Login unsuccessful' => 'Inloggningen misslyckades',
'Your credentials could not be verified.' => 'Dina uppgifter kunde inte verifieras.',
'User not found.' => 'Anvndaren hittades inte.',
'Invalid token specified.' => 'Ogiltig token angiven.',
'Logged in using account recovery token' => 'Inloggad med kontoterstllningstoken',
'Your password has been updated.' => 'Lsenordet ndrades framgngsrikt.',
'Set Up AzuraCast' => 'Stll in AzuraCast',
'Setup has already been completed!' => 'Installationen har redan slutfrts!',
'All Stations' => 'Alla stationer',
'AzuraCast Application Log' => 'AzuraCast-applikationslogg',
'AzuraCast Now Playing Log' => 'AzuraCast spelar nu logg',
'AzuraCast Synchronized Task Log' => 'Synkroniserad aktivitetslogg fr AzuraCast',
'Service Log: %s (%s)' => 'Servicelogg: %s (%s)',
'Nginx Access Log' => 'Nginx tkomstlogg',
'Nginx Error Log' => 'Nginx fellogg',
'PHP Application Log' => 'PHP-applikationslogg',
'Supervisord Log' => 'Handledningslogg',
'Create a new storage location based on the base directory.' => 'Skapa en ny lagringsplats baserat p baskatalogen.',
'You cannot modify yourself.' => 'Du kan inte ndra dig sjlv.',
'You cannot remove yourself.' => 'Du kan inte ta bort dig sjlv.',
'Test Message' => 'Testa meddelande',
'This is a test message from AzuraCast. If you are receiving this message, it means your e-mail settings are configured correctly.' => 'Detta r ett testmeddelande frn AzuraCast. Om du fr detta meddelande, betyder det att dina e-postinstllningar r konfigurerade korrekt.',
'Test message sent successfully.' => 'Testmeddelandet har skickats.',
'Less than Thirty Seconds' => 'Mindre n 30 sekunder',
'Thirty Seconds to One Minute' => 'Trettio sekunder till en minut',
'One Minute to Five Minutes' => 'En minut till fem minuter',
'Five Minutes to Ten Minutes' => 'Fem minuter till tio minuter',
'Ten Minutes to Thirty Minutes' => 'Tio minuter till trettio minuter',
'Thirty Minutes to One Hour' => 'Trettio minuter till en timme',
'One Hour to Two Hours' => 'En timme till tv timmar',
'More than Two Hours' => 'Mer n tv timmar',
'Mobile Device' => 'Mobil enhet',
'Desktop Browser' => 'Webblsare fr skrivbord',
'Non-Browser' => 'Icke-webblsare',
'Connected Seconds' => 'Anslutna sekunder',
'File Not Processed: %s' => 'Filen r inte behandlad: %s',
'Cover Art' => 'Omslagsbild',
'File Processing' => 'Filbehandling',
'No directory specified' => 'Ingen katalog angiven',
'File not specified.' => 'Fil ej angiven.',
'New path not specified.' => 'Ingen ny skvg angiven.',
'This station is out of available storage space.' => 'Denna station har slut p tillgngligt lagringsutrymme.',
'Web hook enabled.' => 'Web Hook aktiverad.',
'Web hook disabled.' => 'Webbkrok inaktiverad.',
'Station reloaded.' => 'Station laddades om.',
'Station restarted.' => 'Stationen startades om.',
'Service stopped.' => 'Tjnsten har stoppats.',
'Service started.' => 'Tjnsten startade.',
'Service reloaded.' => 'Tjnsten laddades om.',
'Service restarted.' => 'Tjnsten startades om.',
'Song skipped.' => 'Lten hoppades ver.',
'Streamer disconnected.' => 'Streamer/DJ frnkopplad.',
'Station Nginx Configuration' => 'Station Nginx konfiguration',
'Liquidsoap Log' => 'Liquidsoap Logg',
'Liquidsoap Configuration' => 'Liquidsoap konfiguration',
'Icecast Access Log' => 'Icecast Access Logg',
'Icecast Error Log' => 'Icecast fellogg',
'Icecast Configuration' => 'Icecast konfiguration',
'Shoutcast Log' => 'Shoutcast logg',
'Shoutcast Configuration' => 'Shoutcast konfiguration',
'Search engine crawlers are not permitted to use this feature.' => 'Skmotorskare r inte tilltna att anvnda denna funktion.',
'You are not permitted to submit requests.' => 'Du har inte tilltelse att skicka in frfrgningar.',
'This song or artist has been played too recently. Wait a while before requesting it again.' => 'Denna lt eller artist har spelats fr nyligen. Vnta ett tag innan du begr det igen.',
'You have submitted a request too recently! Please wait before submitting another one.' => 'Du har skickat in en begran fr nyligen! Vnligen vnta innan du skickar in en annan.',
'Your request has been submitted and will be played soon.' => 'Din begran har skickats och kommer att spelas inom kort.',
'This playlist is not song-based.' => 'Den hr spellistan r inte ltbaserad.',
'Playlist emptied.' => 'Spellistan tmd.',
'This playlist is not a sequential playlist.' => 'Denna spellista r inte en sekventiell spellista.',
'Playlist reshuffled.' => 'Spellista omfrdelad.',
'Playlist enabled.' => 'Spellista aktiverad.',
'Playlist disabled.' => 'Spellista inaktiverad.',
'Playlist successfully imported; %d of %d files were successfully matched.' => 'Spellistan importerades; %d av %d filer matchades framgngsrikt.',
'%d files processed.' => '%d filer bearbetade.',
'No recording available.' => 'Ingen inspelning tillgnglig.',
'Record not found' => 'Posten hittades inte',
'The uploaded file exceeds the upload_max_filesize directive in php.ini.' => 'Den uppladdade filen verskrider upload_max_filesize direktivet i php.ini.',
'The uploaded file exceeds the MAX_FILE_SIZE directive from the HTML form.' => 'Den uppladdade filen verskrider MAX_FILE_SIZE direktivet frn HTML-formulret.',
'The uploaded file was only partially uploaded.' => 'Den uppladdade filen laddades bara delvis upp.',
'No file was uploaded.' => 'Ingen fil laddades upp.',
'No temporary directory is available.' => 'Det finns ingen temporr katalog.',
'Could not write to filesystem.' => 'Kunde inte skriva till filsystem.',
'Upload halted by a PHP extension.' => 'Uppladdning stoppad av ett PHP-tillgg.',
'Unspecified error.' => 'Ospecificerat fel.',
'Changes saved successfully.' => 'ndringar har sparats.',
'Record created successfully.' => 'Posten skapades framgngsrikt.',
'Record updated successfully.' => 'Posten uppdaterades framgngsrikt.',
'Record deleted successfully.' => 'Posten har tagits bort.',
'Playlist: %s' => 'Spellista: %s',
'Streamer: %s' => 'Streamer: %s',
'The account associated with e-mail address "%s" has been set as an administrator' => 'Kontot som r kopplat till e-postadressen "%s" har angetts som administratr',
'Account not found.' => 'Kontot hittades inte.',
'Roll Back Database' => 'terstll databas',
'Running database migrations...' => 'Kr databasmigreringar...',
'Database migration failed: %s' => 'Databasmigrering misslyckades: %s',
'Database rolled back to stable release version "%s".' => 'Databasen har terstllts till den stabila versionen "%s".',
'AzuraCast Settings' => 'AzuraCast Milj',
'Setting Key' => 'Instllning nyckel',
'Setting Value' => 'Stlla in vrde',
'Fixtures loaded.' => 'Fixturer laddade.',
'Backing up initial database state...' => 'Skerhetskopierar ursprungligt databastillstnd...',
'We detected a database restore file from a previous (possibly failed) migration.' => 'Vi upptckte en databasterstllningsfil frn en tidigare (mjligen misslyckad) migrering.',
'Attempting to restore that now...' => 'Frsker att terstlla det nu...',
'Attempting to roll back to previous database state...' => 'Frsker rulla tillbaka till tidigare databastillstnd...',
'Your database was restored due to a failed migration.' => 'Din databas terstlldes p grund av en misslyckad migration.',
'Please report this bug to our developers.' => 'Rapportera detta fel till vra utvecklare.',
'Restore failed: %s' => 'terstllning misslyckades: %s',
'AzuraCast Backup' => 'AzuraCast Kopia',
'Please wait while a backup is generated...' => 'Vnligen vnta medan en skerhetskopia genereras...',
'Creating temporary directories...' => 'Skapar temporra kataloger...',
'Backing up MariaDB...' => 'Skerhetskopierar MariaDB...',
'Creating backup archive...' => 'Skapar skerhetskopieringsarkiv...',
'Cleaning up temporary files...' => 'Rensar upp temporra filer...',
'Backup complete in %.2f seconds.' => 'Skerhetskopiering slutfrd om %.2f sekunder.',
'Backup path %s not found!' => 'Skvg %s fr skerhetskopian hittades inte!',
'Imported locale: %s' => 'Importerad lokal: %s',
'Database Migrations' => 'Databas migreringar',
'Database is already up to date!' => 'Databasen r redan uppdaterad!',
'Database migration completed!' => 'Databasmigrering slutfrd!',
'AzuraCast Initializing...' => 'AzuraCast initierar...',
'AzuraCast Setup' => 'AzuraCast Konfiguration',
'Welcome to AzuraCast. Please wait while some key dependencies of AzuraCast are set up...' => 'Vlkommen till AzuraCast. Vnta medan ngra nyckelberoenden fr AzuraCast r instllda...',
'Running Database Migrations' => 'Kr databasmigreringar',
'Generating Database Proxy Classes' => 'Genererar databasproxyklasser',
'Reload System Data' => 'Ladda om systemdata',
'Installing Data Fixtures' => 'Installerar datainmatningar',
'Refreshing All Stations' => 'Uppdaterar alla stationer',
'AzuraCast is now updated to the latest version!' => 'AzuraCast r nu uppdaterad till den senaste versionen!',
'AzuraCast installation complete!' => 'AzuraCast-installationen r klar!',
'Visit %s to complete setup.' => 'Besk %s fr att slutfra installationen.',
'%s is not recognized as a service.' => '%s knns inte igen som en tjnst.',
'It may not be registered with Supervisor yet. Restarting broadcasting may help.' => 'Det kan inte registreras hos tillsynsmannen nnu. Starta om sndning kan hjlpa.',
'%s cannot start' => '%s kan inte starta',
'It is already running.' => 'Den r redan igng.',
'%s cannot stop' => '%s kan inte stoppas',
'It is not running.' => 'Den krs inte.',
'%s encountered an error: %s' => '%s sttte p ett fel: %s',
'Check the log for details.' => 'Kontrollera loggen fr detaljer.',
'You do not have permission to access this portion of the site.' => 'Du har inte behrighet att komma t denna del av webbplatsen.',
'You must be logged in to access this page.' => 'Du mste vara inloggad fr att komma t denna sida.',
'This station does not currently accept requests.' => 'Denna station accepterar fr nrvarande inte ltnskningar.',
'This value is already used.' => 'Detta vrde anvnds redan.',
'Storage location %s could not be validated: %s' => 'Lagringsplatsen %s kunde inte valideras: %s',
'Storage location %s already exists.' => 'Lagringsplatsen %s finns redan.',
'All Permissions' => 'Alla behrigheter',
'View Station Page' => 'Visa Stationssida',
'View Station Reports' => 'Visa Station Rapporter',
'View Station Logs' => 'Visa stationsloggar',
'Manage Station Profile' => 'Hantera Station Profil',
'Manage Station Broadcasting' => 'Hantera Stationssndning',
'Manage Station Streamers' => 'Hantera Station Streamers',
'Manage Station Mount Points' => 'Hantera monteringspunkter fr Station',
'Manage Station Remote Relays' => 'Hantera fjrrreler frn Station',
'Manage Station Media' => 'Hantera Station Media',
'Manage Station Automation' => 'Hantera Station Automation',
'Manage Station Web Hooks' => 'Hantera Station webbinstllningar',
'Manage Station Podcasts' => 'Hantera stationens podcasts',
'View Administration Page' => 'Visa administrationssida',
'View System Logs' => 'Visa systemloggar',
'Administer Settings' => 'Instllningar fr administratr',
'Administer API Keys' => 'Administrera API-Nycklar',
'Administer Stations' => 'Administrera stationer',
'Administer Custom Fields' => 'Administrera anpassade flt',
'Administer Backups' => 'Administrera skerhetskopior',
'Administer Storage Locations' => 'Administrera lagringsplatser',
'Runs routine synchronized tasks' => 'Kr rutinsynkroniserade uppgifter',
'Database' => 'Databas',
'Web server' => 'Webbserver',
'PHP FastCGI Process Manager' => 'PHP FastCGI Process Manager',
'PHP queue processing worker' => 'PHP kbearbetning arbetare',
'Cache' => 'Cache',
'SFTP service' => 'SFTP service',
'Frontend Assets' => 'Grnssnittstillgngar',
'This product includes GeoLite2 data created by MaxMind, available from %s.' => 'Denna produkt innehller GeoLite2 data skapad av MaxMind, tillgnglig frn %s.',
'IP Geolocation by DB-IP' => 'IP Geolocation av DB-IP',
'GeoLite database not configured for this installation. See System Administration for instructions.' => 'GeoLite-databasen r inte konfigurerad fr den hr installationen. Se Systemadministration fr instruktioner.',
'Installation Not Recently Backed Up' => 'Installationen r inte nyligen skerhetskopierad',
'This installation has not been backed up in the last two weeks.' => 'Denna installation har inte skerhetskopierats under de senaste tv veckorna.',
'Service Not Running: %s' => 'Tjnsten krs inte: %s',
'One of the essential services on this installation is not currently running. Visit the system administration and check the system logs to find the cause of this issue.' => 'En av de viktigaste tjnsterna fr denna installation r fr nrvarande inte igng. Besk systemadministrationen och kontrollera systemloggarna fr att hitta orsaken till detta problem.',
'New AzuraCast Stable Release Available' => 'Ny stabil AzuraCast utgva tillgnglig',
'Version %s is now available. You are currently running version %s. Updating is recommended.' => 'Version %s r nu tillgnglig. Du kr fr nrvarande version %s. Uppdatering rekommenderas.',
'Your installation is currently %d update(s) behind the latest version. Updating is recommended.' => 'Din installation ligger fr nrvarande %d uppdatering(ar) efter den senaste versionen. Uppdatering rekommenderas.',
'Switch to Stable Channel Available' => 'Byte till stabil kanal tillgnglig',
'Synchronization Disabled' => 'Synkronisering inaktiverad',
'Routine synchronization is currently disabled. Make sure to re-enable it to resume routine maintenance tasks.' => 'Rutinsynkronisering r fr nrvarande inaktiverad. Se till att teraktivera den fr att teruppta rutinmssiga underhllsuppgifter.',
'Synchronization Not Recently Run' => 'Synkronisering ej nyligen krd',
'The routine synchronization task has not run recently. This may indicate an error with your installation.' => 'Den rutinmssiga synkroniseringsuppgiften har inte krts nyligen. Detta kan indikera ett fel med din installation.',
'The performance profiling extension is currently enabled on this installation.' => 'Tillgget fr prestandaprofilering r fr nrvarande aktiverat p den hr installationen.',
'You can track the execution time and memory usage of any AzuraCast page or application from the profiler page.' => 'Du kan spra exekveringstiden och minnesanvndningen av ngon AzuraCast-sida eller program frn profilersidan.',
'Profiler Control Panel' => 'Profiler Kontrollpanel',
'Performance profiling is currently enabled for all requests.' => 'Prestandaprofilering r fr nrvarande aktiverad fr alla frfrgningar.',
'This can have an adverse impact on system performance. You should disable this when possible.' => 'Detta kan ha en negativ inverkan p systemets prestanda. Du br inaktivera detta nr det r mjligt.',
'You may want to update your base URL to ensure it is correct.' => 'Du kanske vill uppdatera din bas-URL fr att skerstlla att den r korrekt.',
'If you regularly use different URLs to access AzuraCast, you should enable the "Prefer Browser URL" setting.' => 'Om du regelbundet anvnder olika webbadresser fr att komma t AzuraCast, br du aktivera instllningen "Fredrar Webblsarens URL".',
'Your "Base URL" setting (%s) does not match the URL you are currently using (%s).' => 'Din "Bas-URL" instllning (%s) matchar inte den URL du anvnder just nu (%s).',
'AzuraCast is free and open-source software.' => 'AzuraCast r fri programvara med ppen kllkod.',
'If you are enjoying AzuraCast, please consider donating to support our work. We depend on donations to build new features, fix bugs, and keep AzuraCast modern, accessible and free.' => 'Om du gillar AzuraCast, vnligen vervg att donera fr att stdja vrt arbete. Vi r beroende av donationer fr att bygga nya funktioner, fixa buggar och hlla AzuraCast modernt, tillgngligt och gratis.',
'Donate to AzuraCast' => 'Donera till AzuraCast',
'AzuraCast Installer' => 'AzuraCast Installerare',
'Welcome to AzuraCast! Complete the initial server setup by answering a few questions.' => 'Vlkommen till AzuraCast! Slutfr den ursprungliga serverkonfigurationen genom att svara p ngra frgor.',
'AzuraCast Updater' => 'AzuraCast-uppdaterare',
'Change installation settings?' => 'ndra installationsinstllningar?',
'AzuraCast is currently configured to listen on the following ports:' => 'AzuraCast r fr nrvarande konfigurerad att lyssna p fljande portar:',
'HTTP Port: %d' => 'HTTP-port: %d',
'HTTPS Port: %d' => 'HTTPS-port: %d',
'SFTP Port: %d' => 'SFTP-port: %d',
'Radio Ports: %s' => 'Radions portar: %s',
'Customize ports used for AzuraCast?' => 'Anpassa portar som anvnds fr AzuraCast?',
'Writing configuration files...' => 'Skriver konfigurationsfiler...',
'Server configuration complete!' => 'Serverkonfigurationen slutfrd!',
'This file was automatically generated by AzuraCast.' => 'Denna fil genererades automatiskt av AzuraCast.',
'You can modify it as necessary. To apply changes, restart the Docker containers.' => 'Du kan ndra det vid behov. Fr att tillmpa ndringar, starta om Docker behllare.',
'Remove the leading "#" symbol from lines to uncomment them.' => 'Ta bort den ledande "#" symbolen frn rader fr att avkommentera den.',
'Valid options: %s' => 'Giltiga alternativ: %s',
'Default: %s' => 'Standard: %s',
'Additional Environment Variables' => 'Ytterligare miljvariabler',
'(Docker Compose) All Docker containers are prefixed by this name. Do not change this after installation.' => '(Docker Compose) Alla Docker-behllare r prefixade av detta namn. ndra inte detta efter installationen.',
'(Docker Compose) The amount of time to wait before a Docker Compose operation fails. Increase this on lower performance computers.' => '(Docker Compose) Mngden tid att vnta innan en Docker Compose operation misslyckas. ka detta p datorer med lgre prestanda.',
'HTTP Port' => 'HTTP-port',
'The main port AzuraCast listens to for insecure HTTP connections.' => 'Den huvudsakliga porten AzuraCast lyssnar p fr oskra HTTP-anslutningar.',
'HTTPS Port' => 'HTTPS-port',
'The main port AzuraCast listens to for secure HTTPS connections.' => 'Den huvudsakliga hamnen AzuraCast lyssnar p fr skra HTTPS-anslutningar.',
'The port AzuraCast listens to for SFTP file management connections.' => 'Porten AzuraCast lyssnar p fr SFTP-filhanteringsanslutningar.',
'Station Ports' => 'Station Portar',
'The ports AzuraCast should listen to for station broadcasts and incoming DJ connections.' => 'Portarna AzuraCast br lyssna p fr stationssndningar och inkommande DJ-anslutningar.',
'Docker User UID' => 'Docker Anvndar-ID',
'Set the UID of the user running inside the Docker containers. Matching this with your host UID can fix permission issues.' => 'Stll in UID p anvndaren som kr i Docker containers. Matcha detta med ditt vrd-UID kan tgrda behrighetsproblem.',
'Docker User GID' => 'Docker Anvndar-GID',
'Set the GID of the user running inside the Docker containers. Matching this with your host GID can fix permission issues.' => 'Stll in GID p anvndaren i Docker containers. Matcha detta med ditt vrd-GID kan tgrda behrighetsproblem.',
'Use Podman instead of Docker.' => 'Anvnd Podman istllet fr Docker.',
'Advanced: Use Privileged Docker Settings' => 'Avancerat: Anvnd Privileged Docker-instllningar',
'The locale to use for CLI commands.' => 'Sprk att anvnda fr kommandon CLI.',
'The application environment.' => 'Programmilj.',
'Manually modify the logging level.' => 'ndra loggningsnivn manuellt.',
'This allows you to log debug-level errors temporarily (for problem-solving) or reduce the volume of logs that are produced by your installation, without needing to modify whether your installation is a production or development instance.' => 'Detta gr att du kan logga felskningsniv tillflligt (fr problemlsning) eller minska volymen av loggar som produceras av din installation, utan att behva ndra om din installation r en produktions- eller utvecklingsinstans.',
'Enable Custom Code Plugins' => 'Aktivera tillggsmoduler fr anpassad kod',
'Enable the composer "merge" functionality to combine the main application\'s composer.json file with any plugin composer files. This can have performance implications, so you should only use it if you use one or more plugins with their own Composer dependencies.' => 'Aktivera kompositren "merge" funktionalitet fr att kombinera huvudprogrammets composer.json fil med alla plugin kompositrsfiler. Detta kan ha prestandaeffekter, s du br bara anvnda det om du anvnder en eller flera plugins med sina egna Composer beroenden.',
'Minimum Port for Station Port Assignment' => 'Minsta Port fr Station Port tilldelning',
'Modify this if your stations are listening on nonstandard ports.' => 'ndra detta om dina stationer lyssnar p icke-standard portar.',
'Maximum Port for Station Port Assignment' => 'Maximal Port fr Station Port tilldelning',
'Show Detailed Slim Application Errors' => 'Visa detaljerade Slim programfel',
'This allows you to debug Slim Application Errors you may encounter. Please report any Slim Application Error logs to the development team on GitHub.' => 'Detta gr att du kan felska Slim programfel du kan stta p. Vnligen rapportera alla Slim programfelsloggar till utvecklingsteamet p GitHub.',
'MariaDB Host' => 'MariaDB vrd',
'Do not modify this after installation.' => 'ndra inte detta efter installationen.',
'MariaDB Port' => 'MariaDB port',
'MariaDB Username' => 'MariaDB Anvndarnamn',
'MariaDB Password' => 'MariaDB Lsenord',
'MariaDB Database Name' => 'MariaDB databasnamn',
'Auto-generate Random MariaDB Root Password' => 'Auto-generera slumpmssigt MariaDB rotlsenord',
'MariaDB Root Password' => 'MariaDB rotlsenord',
'Enable MariaDB Slow Query Log' => 'Aktivera MariaDB Slow Query Log',
'Log slower queries to diagnose possible database issues. Only turn this on if needed.' => 'Logga lngsammare frgor fr att diagnostisera eventuella databasproblem. Aktivera bara detta om det behvs.',
'MariaDB Maximum Connections' => 'Maximal anslutning till MariaDB',
'Set the amount of allowed connections to the database. This value should be increased if you are seeing the "Too many connections" error in the logs.' => 'Ange mngden tilltna anslutningar till databasen. Detta vrde br kas om du ser felet "Fr mnga anslutningar" i loggarna.',
'Enable Redis' => 'Aktivera Redis',
'Disable to use a flatfile cache instead of Redis.' => 'Inaktivera fr att anvnda en flatfile-cache istllet fr Redis.',
'Redis Host' => 'Redis vrd',
'Redis Port' => 'Redis port',
'PHP Maximum POST File Size' => 'PHP Maximal POST-filstorlek',
'PHP Memory Limit' => 'PHP-minnesgrns',
'PHP Script Maximum Execution Time (Seconds)' => 'Maximal PHP skripttid (sekunder)',
'Short Sync Task Execution Time (Seconds)' => 'Kort synkroniseringstid fr utfrande av uppgift (sekunder)',
'The maximum execution time (and lock timeout) for the 15-second, 1-minute and 5-minute synchronization tasks.' => 'Maximal exekveringstid (och ls timeout) fr synkroniseringsuppgifter p 15 sekunder, 1 minut och 5 minuter.',
'Long Sync Task Execution Time (Seconds)' => 'Long Sync Task utfrandetid (sekunder)',
'The maximum execution time (and lock timeout) for the 1-hour synchronization task.' => 'Maximal exekveringstid (och ls timeout) fr synkroniseringsuppgiften p 1 timme.',
'Now Playing Delay Time (Seconds)' => 'Spelar nu frdrjningstid (sekunder)',
'The delay between Now Playing checks for every station. Decrease for more frequent checks at the expense of performance; increase for less frequent checks but better performance (for large installations).' => 'Frdrjningen mellan Nu Spelar kontroller fr varje station. Minskning fr mer frekventa kontroller p bekostnad av prestanda; ka fr mindre frekventa kontroller men bttre prestanda (fr stora installationer).',
'Maximum PHP-FPM Worker Processes' => 'Maximal PHP-FPM Worker Processes',
'Enable Performance Profiling Extension' => 'Aktivera tillgg fr prestandaprofiler',
'Profiling data can be viewed by visiting %s.' => 'Profildata kan ses genom att beska %s.',
'Profile Performance on All Requests' => 'Profilens prestanda vid alla frfrgningar',
'This will have a significant performance impact on your installation.' => 'Detta kommer att ha en betydande effekt p din installation.',
'Profiling Extension HTTP Key' => 'HTTP-nyckel fr profiltillgg',
'The value for the "SPX_KEY" parameter for viewing profiling pages.' => 'Vrdet fr "SPX_KEY" parametern fr visning av profilsidor.',
'Profiling Extension IP Allow List' => 'Profilering Tillgg IP Tillt lista',
'Enable web-based Docker image updates' => 'Aktivera webbaserade Docker-bilduppdateringar',
'Album Artist' => 'Album artist',
'Album Artist Sort Order' => 'Sortera efter album artist',
'Album Sort Order' => 'Sorteringsordning fr album',
'Band' => 'Band',
'BPM' => 'BPM',
'Comment' => 'Kommentar',
'Commercial Information' => 'Kommersiell information',
'Composer' => 'Kompositr',
'Composer Sort Order' => 'Sorteringsordning fr kompositrer',
'Conductor' => 'Dirigent',
'Content Group Description' => 'Innehllsgruppens beskrivning',
'Encoded By' => 'Kodad av',
'Encoder Settings' => 'Kodarinstllningar',
'Encoding Time' => 'Kodningstid',
'File Owner' => 'Fil gare',
'File Type' => 'Filtyp',
'Initial Key' => 'Inledande nyckel',
'Internet Radio Station Name' => 'Internet Radio Station Namn',
'Internet Radio Station Owner' => 'Internet Radio Station gare',
'Involved People List' => 'Medverkande personlista',
'Linked Information' => 'Lnkad information',
'Lyricist' => 'Lttext',
'Media Type' => 'Typ av media',
'Mood' => 'Stmning',
'Music CD Identifier' => 'Musik CD-ID',
'Musician Credits List' => 'Musiker Kreditlista',
'Original Album' => 'Ursprungligt album',
'Original Artist' => 'Ursprunglig artist',
'Original Filename' => 'Ursprungligt filnamn',
'Original Lyricist' => 'Ursprunglig text',
'Original Release Time' => 'Ursprunglig releasetid',
'Original Year' => 'Ursprungligt r',
'Part of a Compilation' => 'Ingr i en sammanstllning',
'Part of a Set' => 'Ingr i en uppsttning',
'Performer Sort Order' => 'Ordning p Performer',
'Playlist Delay' => 'Frdrjning av spellista',
'Produced Notice' => 'Producerat meddelande',
'Publisher' => 'Utgivare',
'Recording Time' => 'Inspelningstid',
'Release Time' => 'Slpp tid',
'Remixer' => 'Remixer',
'Set Subtitle' => 'Ange undertext',
'Subtitle' => 'Undertext',
'Tagging Time' => 'Taggning tid',
'Terms of Use' => 'Anvndarvillkor',
'Title Sort Order' => 'Sortera efter titel',
'Track Number' => 'Sprnummer',
'Unsynchronised Lyrics' => 'Osynkroniserad lttext',
'URL Artist' => 'URL Artist',
'URL File' => 'URL fil',
'URL Payment' => 'URL Betalning',
'URL Publisher' => 'URL Publicerare',
'URL Source' => 'URL klla',
'URL Station' => 'URL Station',
'URL User' => 'URL anvndare',
'Year' => 'r',
'An account recovery link has been requested for your account on "%s".' => 'En terstllningslnk fr kontot har begrts fr ditt konto p "%s".',
'Click the link below to log in to your account.' => 'Klicka p lnken nedan fr att logga in p ditt konto.',
'Footer' => 'Sidfot',
'Powered by %s' => 'Drivs av %s',
'Forgot Password' => 'Glmt lsenord',
'Sign in' => 'Logga in',
'Send Recovery E-mail' => 'Skicka terstllningsmejl',
'Enter Two-Factor Code' => 'Ange tvfaktorskod',
'Your account uses a two-factor security code. Enter the code your device is currently showing below.' => 'Ditt konto anvnder en skerhetskod med tv faktorer. Ange koden som din enhet visar nedan.',
'Security Code' => 'Skerhetskod',
'This installation\'s administrator has not configured this functionality.' => 'Den hr installationens administratr har inte konfigurerat den hr funktionen.',
'Contact an administrator to reset your password following the instructions in our documentation:' => 'Kontakta en administratr fr att terstlla ditt lsenord enligt instruktionerna i vr dokumentation:',
'Password Reset Instructions' => 'Instruktioner fr terstllning av lsenord',
),
),
);
``` | /content/code_sandbox/translations/sv_SE.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 33,034 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=2; plural=(n != 1);',
'messages' =>
array (
'' =>
array (
'# Episodes' => '# Episdios',
'# Songs' => '# Msicas',
'%{ dj } is now live on %{ station }! Tune in now: %{ url }' => '%{ dj } est agora em direto em %{ station }! Sintonize agora: %{ url }',
'%{ hours } hours' => '%{ hours } horas',
'%{ minutes } minutes' => '%{ minutes } minutos',
'%{ seconds } seconds' => '%{ seconds } segundos',
'%{ station } is back online! Tune in now: %{ url }' => '%{ station } est de novo online! Sintoniza agora: %{ url }',
'%{ station } is going offline for now.' => '%{ station } est indisponvel no momento.',
'%{filesCount} File' =>
array (
0 => '%{filesCount} Ficheiros',
1 => '%{filesCount} Ficheiros',
),
'%{listeners} Listener' =>
array (
0 => '%{listeners} Ouvinte',
1 => '%{listeners} Ouvintes',
),
'%{messages} queued messages' => '%{messages} mensagens em espera',
'%{name} - Copy' => '%{name} - Copiar',
'%{numPlaylists} playlist' =>
array (
0 => '%{numPlaylists} playlist',
1 => '%{numPlaylists} playlist',
),
'%{numSongs} uploaded song' =>
array (
0 => '%{numSongs} msica carregada',
1 => '%{numSongs} msicas carregadas',
),
'%{spaceUsed} of %{spaceTotal} Used' => '%{spaceUsed} de %{spaceTotal} Utilizado',
'%{spaceUsed} Used' => '%{spaceUsed} Utilizado',
'%{station} - Copy' => '%{station} - Copiar',
'12 Hour' => '12 Horas',
'24 Hour' => '24 Horas',
'A completely random track is picked for playback every time the queue is populated.' => 'Seleco aleatria da faixa a ser reproduzida.',
'A name for this stream that will be used internally in code. Should only contain letters, numbers, and underscores (i.e. "stream_lofi").' => 'Um nome para este fluxo que ser usado internamente no cdigo. Deve conter apenas letras, nmeros e sublinhados (ou seja, "stream_lofi").',
'A unique identifier (i.e. "G-A1B2C3D4") for this measurement stream.' => 'Um identificador exclusivo (ou seja, "G-A1B2C3D4") para este fluxo de medio.',
'About Release Channels' => 'Sobre os canais de lanamento',
'Access Key ID' => 'Chave de acesso',
'Access Token' => 'Token de Acesso',
'Account is Active' => 'A Conta est Ativa',
'Account List' => 'Lista de Contas',
'Actions' => 'Aes',
'Add API Key' => 'Adicionar Chave de API',
'Add Custom Field' => 'Adicionar Campo Personalizado',
'Add Episode' => 'Adicionar Episdio',
'Add Files to Playlist' => 'Adicionar Ficheiros Lista de Reproduo',
'Add HLS Stream' => 'Adicionar fluxo HLS',
'Add Mount Point' => 'Adicionar Ponto de Montagem',
'Add New GitHub Issue' => 'Adicionar nova issue no GitHub',
'Add Playlist' => 'Adicionar Lista de Reproduo',
'Add Podcast' => 'Adicionar Podcast',
'Add Remote Relay' => 'Adicionar Rel Remoto',
'Add Role' => 'Adicionar Funo',
'Add Schedule Item' => 'Adicionar Item Agendado',
'Add SFTP User' => 'Adicionar Utilizador SFTP',
'Add Station' => 'Adicionar Estao',
'Add Storage Location' => 'Adicionar Local de Armazenamento',
'Add Streamer' => 'Adicionar Streamer',
'Add User' => 'Adicionar Utilizador',
'Add Web Hook' => 'Adicionar Web Hook',
'Administration' => 'Administrao',
'Advanced' => 'Avanado',
'Advanced Configuration' => 'Configurao avanada',
'Advanced Manual AutoDJ Scheduling Options' => 'Opes Avanadas de Agendamento Manual do AutoDJ',
'Aggregate listener statistics are used to show station reports across the system. IP-based listener statistics are used to view live listener tracking and may be required for royalty reports.' => 'As estatsticas agregadas do ouvinte so utilizadas para mostrar relatrios de estaes em todo o sistema. As estatsticas do ouvinte baseadas em IP so utilizadas para exibir rastreamento do ouvinte ao vivo e podem ser necessrias para relatrios de direitos de Autor.',
'Album' => 'lbum',
'Album Art' => 'Capa do lbum',
'All listed domain names should point to this AzuraCast installation. Separate multiple domain names with commas.' => 'Os nomes de domnios devem apontar para esta instalao do AzuraCast. Mltiplos nomes de domnio drvem ser separados com vrgula.',
'All Playlists' => 'Todas as Listas de Reproduo',
'All Podcasts' => 'Todos os Podcasts',
'All values in the NowPlaying API response are available for use. Any empty fields are ignored.' => 'Todos os valores na resposta da API NowPlaying esto disponveis para utilizao. Quaisquer campos vazios sero ignorados.',
'Allow Requests from This Playlist' => 'Permitir Pedidos a partir desta Lista de Reproduo',
'Allow Song Requests' => 'Permitir Pedidos de Msicas',
'Allow Streamers / DJs' => 'Permitir streamers / DJs',
'Allowed IP Addresses' => 'Endereos IP Permitidos',
'Always Use HTTPS' => 'Utilizar sempre HTTPS',
'Amplify: Amplification (dB)' => 'Amplificar: Amplificao (dB)',
'An error occurred while loading the station profile:' => 'Ocorreu um erro ao carregar o perfil de estao:',
'Analyze and reprocess the selected media' => 'Analisar e reprocessar o contedo selecionado',
'API "Access-Control-Allow-Origin" Header' => 'Cabealho "Acess-Control-Allow-Origin" API',
'API Documentation' => 'Documentao API',
'API Key Description/Comments' => 'Descrio da Chave API/Comentrios',
'API Keys' => 'Chaves API',
'API Version' => 'Verso da API',
'Apply for an API key at Last.fm' => 'Solicitar uma chave de API no Last.fm',
'Artist' => 'Artista',
'Artwork' => 'Capa',
'Artwork must be a minimum size of 1400 x 1400 pixels and a maximum size of 3000 x 3000 pixels for Apple Podcasts.' => 'A capa deve ter um tamanho mnimo de 1400 x 1400 pixels e um tamanho mximo de 3000 x 3000 pixels para o Apple Podcasts.',
'Attempt to Automatically Retrieve ISRC When Missing' => 'Tentar recuperar automaticamente o ISRC quando este no existir',
'Audio Bitrate (kbps)' => 'udio Bitrate (kbps)',
'Audio Format' => 'Formato de udio',
'Audio transcoding applications like Liquidsoap use a consistent amount of CPU over time, which gradually drains this available credit. If you regularly see stolen CPU time, you should consider migrating to a VM that has CPU resources dedicated to your instance.' => 'Aplicaes de transcodificao de udio como Liquidsoap utilizo uma quantidade consideravel de CPU ao longo do tempo, gradualmente vai consumindo o espao disponvel. Se verificar que regularmente o tempo do CPU roubado, considere migrar para uma VM que tenha recursos de CPU dedicados sua instncia.',
'Audit Log' => 'Registo de Auditoria',
'Author' => 'Autor',
'AutoDJ Bitrate (kbps)' => 'Taxa de bits do AutoDJ (kbps)',
'AutoDJ Disabled' => 'AutoDJ Desligado',
'AutoDJ Format' => 'Formato do AutoDJ',
'AutoDJ has been disabled for this station. No music will automatically be played when a source is not live.' => 'AutoDj foi desligado para esta estao. Nenhuma musica ir tocar automticamente, quando no existir uma fonte ligada.',
'AutoDJ Queue Length' => 'Tamanho da lista de reproduo em espera do AutoDJ',
'AutoDJ Service' => 'Servio AutoDJ',
'Automatic Backups' => 'Cpias de segurana automtica',
'Automatically Scroll to Bottom' => 'Ir para o ltimo evento automticamente',
'Automatically Set from ID3v2 Value' => 'Definir automaticamente do valor ID3v2',
'Available Logs' => 'Relatrios disponveis',
'Avatar Service' => 'Servio de Avatar',
'Average Listeners' => 'Mdia de ouvintes',
'Avoid Duplicate Artists/Titles' => 'Evitar a duplicao de Artistas/Ttulos',
'AzuraCast First-Time Setup' => 'Configurao do AzuraCast pela primeira vez',
'AzuraCast Instance Name' => 'Nome da instncia AzuraCast',
'AzuraCast ships with a built-in free IP geolocation database. You may prefer to use the MaxMind GeoLite service instead to achieve more accurate results. Using MaxMind GeoLite requires a license key, but once the key is provided, we will automatically keep the database updated.' => 'O AzuraCast vem com uma base de dados de geolocalizao IP gratuita. Pode preferir a utilizao do servio MaxMind GeoLite ao invs de alcanar resultados mais precisos. Utilizar o MaxMind GeoLite requer uma licena chave, uma vez que a chave fornecida, manteremos automaticamente a base de dados atualizada.',
'AzuraCast Update Checks' => 'Verificao de atualizaes do AzuraCast',
'AzuraCast User' => 'Utilizador AzuraCast',
'AzuraCast uses a role-based access control system. Roles are given permissions to certain sections of the site, then users are assigned into those roles.' => 'O AzuraCast utiliza um sistema de controlo de acesso baseado em funes. As funes recebem permisses para certas sees do site, depois, os utilizadores so atribudos a essas funes.',
'AzuraCast will scan the uploaded file for matches in this station\'s music library. Media should already be uploaded before running this step. You can re-run this tool as many times as needed.' => 'O AzuraCast ir verificar os ficheiros no biblioteca de msicas para correspondncias. Os ficheiros multimdia devem ser carregados antes deste passo. Pode executar esta ferramenta quantas vezes precisar.',
'Back' => 'Voltar',
'Backing up your installation is strongly recommended before any update.' => 'Fazer uma cpia de segurana da sua instalao atual altamente recomendado antes de qualquer atualizao.',
'Backup' => 'Cpia de Segurana',
'Backup Format' => 'Formato da cpia de segurana',
'Backups' => 'Cpias de Segurana',
'Banned Countries' => 'Pases banidos',
'Banned IP Addresses' => 'Endereos IP banidos',
'Banned User Agents' => 'Agente de Utilizador banidos',
'Base Station Directory' => 'Diretrio da Estao Base',
'Base Theme for Public Pages' => 'Tema Base para Pginas Pblicas',
'Basic Info' => 'Informao Bsica',
'Basic Information' => 'Informao Bsica',
'Best & Worst' => 'Melhor & Pior',
'Best Performing Songs' => 'Msicas com a melhor performance',
'Bit Rate' => 'Taxa do fluxo de transferncia',
'Bitrate' => 'Bitrate',
'Branding' => 'Branding',
'Branding Settings' => 'Configuraes de marca',
'Broadcast AutoDJ to Remote Station' => 'Transmitir AutoDJ para uma Estao Remota',
'Broadcasting' => 'Transmisso',
'Broadcasting Service' => 'Servio de Transmisso',
'Broadcasts' => 'Transmisses',
'Broadcasts removed:' => 'Transmisses removidas:',
'Browser' => 'Navegador',
'Browser Icon' => 'cone do Navegador',
'Browsers' => 'Navegadores',
'Bucket Name' => 'Nome do espao de armazenamento',
'By default, radio stations broadcast on their own ports (i.e. 8000). If you\'re using a service like CloudFlare or accessing your radio station by SSL, you should enable this feature, which routes all radio through the web ports (80 and 443).' => 'Por defeito, as estaes de rdio transmitem nas suas prprias portas (ex. 8000). Se est utilizando um servio como CloudFlare ou acedendo sua estao de rdio por SSL, deve habilitar esse recurso, que direciona todas as rdios atravs das portas web (80 e 443).',
'Cached' => 'Em cache',
'Categories' => 'Categorias',
'Change' => 'Alterar',
'Change Password' => 'Alterar palavra-passe',
'Changes' => 'Alteraes',
'Character Set Encoding' => 'Codificao de Caracteres',
'Chat ID' => 'ID do Chat',
'Check for Updates' => 'Verificar atualizaes',
'Check Web Services for Album Art for "Now Playing" Tracks' => 'Verifique os servios da Web para as capas do lbum para as msicas "Now Playing"',
'Check Web Services for Album Art When Uploading Media' => 'Verifique os servios da web para as capas do lbum enquanto faz o upload dos ficheiros',
'Choose a method to use when transitioning from one song to another. Smart Mode considers the volume of the two tracks when fading for a smoother effect, but requires more CPU resources.' => 'Escolha um mtodo de transio para ser utilizado na passagem de uma msica para outra. O Modo Inteligente considera o volume das duas faixas para um efeito mais suave, mas requer mais recursos do processador.',
'Choose a name for this webhook that will help you distinguish it from others. This will only be shown on the administration page.' => 'Escolha um nome para este "webhook" que o ajuda a distinguir dos outros. Isto ser mostrado apenas na pgina de administrao.',
'Choose a new password for your account.' => 'Escolha uma nova palavra passe para a sua conta.',
'Clear' => 'Limpar',
'Clear Artwork' => 'Limpeza das capas',
'Clear File' => 'Apagar ficheiro',
'Clear Image' => 'Apagar imagem',
'Clear List' => 'Apagar lista',
'Clear Media' => 'Apagar biblioteca',
'Clear Pending Requests' => 'Apagar pedidos pendentes',
'Clear Queue' => 'Apagar lista de espera',
'Clear Upcoming Song Queue' => 'Apagar lista de msicas em espera',
'Click "Generate new license key".' => 'Clique para "gerar uma nova licena".',
'Click "New Application"' => 'Clique para adicionar um "Novo Aplicativo"',
'Click the "Preferences" link, then "Development" on the left side menu.' => 'Clique na hiperligao "Preferncias" e, em seguida, "Desenvolvimento" no menu do lado esquerdo.',
'Click the button below to generate a CSV file with all of this station\'s media. You can make any necessary changes, and then import the file using the file picker on the right.' => 'Clique no boto abaixo para gerar um arquivo CSV com todas as mdias desta estao. Pode fazer as alteraes necessrias e, em seguida, importar o arquivo utilizando o selecionador de arquivos direita.',
'Click the button below to retry loading the page.' => 'Clique no boto abaixo para tentar carregar a pgina novamente.',
'Client' => 'Cliente',
'Clients' => 'Clientes',
'Clients by Connected Time' => 'Clientes por Tempo de Ligao',
'Clients by Listeners' => 'Clientes por Ouvintes',
'Clone' => 'Clonar',
'Clone Station' => 'Clonar Estao',
'Close' => 'Fechar',
'Code from Authenticator App' => 'Cdigo da Aplicao de Autenticao',
'Comments' => 'Comentrios',
'Complete the setup process by providing some information about your broadcast environment. These settings can be changed later from the administration panel.' => 'Complete o processo de instalao fornecendo algumas informaes sobre seu ambiente de transmisso. Estas configuraes podem ser alteradas posteriormente no painel de administrao.',
'Configure' => 'Configurar',
'Configure Backups' => 'Configurar Cpias de Segurana',
'Confirm New Password' => 'Confirmar Nova Palavra-Passe',
'Connected AzuraRelays' => 'AzuraRelays Conectados',
'Connection Information' => 'Informao da Ligao',
'Contains explicit content' => 'Contm contedo explcito',
'Continue the setup process by creating your first radio station below. You can edit any of these details later.' => 'Continue o processo de configurao criando a sua primeira estao de rdio abaixo. Pode editar estes detalhes mais tarde.',
'Continuous Play' => 'Reproduo Contnua',
'Control how this playlist is handled by the AutoDJ software.' => 'Controlar como esta lista de reproduo tratada pelo AutoDJ.',
'Copies older than the specified number of days will automatically be deleted. Set to zero to disable automatic deletion.' => 'As cpias de segurana mais antigas que o nmero especificado vo ser automaticamente apagadas. Defina como zero para no eliminar cpias de segurana.',
'Copy to Clipboard' => 'Copiar para a rea de transferncia de memria voltil',
'Copy to New Station' => 'Copiar para uma Nova Estao',
'Countries' => 'Pases',
'Country' => 'Pas',
'CPU Load' => 'Carga do CPU',
'CPU Stats Help' => 'Ajuda de estatsticas da CPU',
'Create a New Radio Station' => 'Criar nova Estao de Rdio',
'Create Account' => 'Criar Conta',
'Create an account on the MaxMind developer site.' => 'Criar uma conta de desenvolvimento no MaxMind.',
'Create Directory' => 'Criar Directrio',
'Create New Key' => 'Criar Nova Chave',
'Create podcast episodes independent of your station\'s media collection.' => 'Criar episdios de podcast independentes da coleo de mdia da sua estao.',
'Create Station' => 'Criar Estao',
'Critical' => 'Crtico',
'Crossfade Duration (Seconds)' => 'Durao da Transio (Segundos)',
'Crossfade Method' => 'Mtodo de Transio',
'Cue' => 'Cue',
'Current Installed Version' => 'Verso Atualmente Instalada',
'Current Password' => 'Palavra-Passe Atual',
'Custom Branding' => 'Marca Personalizada',
'Custom Configuration' => 'Configurao Personalizada',
'Custom CSS for Internal Pages' => 'CSS Personalizado para as Pginas Internas',
'Custom CSS for Public Pages' => 'CSS Personalizado para as Pginas Pblicas',
'Custom Cues: Cue-In Point (seconds)' => 'Cues Personalizados: Ponto de Entrada (segundos)',
'Custom Cues: Cue-Out Point (seconds)' => 'Cues Personalizados: Ponto de Sada (segundos)',
'Custom Fading: Fade-In Time (seconds)' => 'Desvanecimento Personalizado: Tempo de Fade-In (segundos)',
'Custom Fading: Fade-Out Time (seconds)' => 'Desvanecimento Personalizado: Tempo de Fade-Out (segundos)',
'Custom Fields' => 'Campos personalizados',
'Custom Frontend Configuration' => 'Configurao Personalizada do Frontend',
'Custom JS for Public Pages' => 'JavaScript Personalizado para as Pginas Pblicas',
'Customize Administrator Password' => 'Personalizar a Palavra-Passe de Administrador',
'Customize Broadcasting Port' => 'Personalizar a Porta de Transmisso',
'Customize Source Password' => 'Personalizar Palavra-Passe da Fonte',
'Customize the number of songs that will appear in the "Song History" section for this station and in all public APIs.' => 'Personalize o nmero de msicas que aparecero na seco "Histrico de Msicas" para esta estao e em todas as API\'s pblicas.',
'Default Album Art URL' => 'Endereo de Arte do lbum Padro',
'Delete Album Art' => 'Remover Arte de lbum',
'Description' => 'Descrio',
'Directory' => 'Diretrio',
'Directory Name' => 'Nome do Diretrio',
'Disabled' => 'Desativado',
'Display Name' => 'Nome de Exibio',
'Duplicate Songs' => 'Msicas Duplicadas',
'E-mail Address' => 'Endereo de Email',
'E-mail addresses can be separated by commas.' => 'Vrios endereos de email podem ser separados por vrgulas.',
'E-mail Delivery Service' => 'Servio de Entrega do Correio Eletrnico',
'Edit' => 'Editar',
'Edit Branding' => 'Editar Marca',
'Edit Liquidsoap Configuration' => 'Alterar Configurao do Liquidsoap',
'Edit Media' => 'Alterar Mdia',
'Edit Profile' => 'Alterar Perfil',
'Edit Station Profile' => 'Editar Perfil da Estao',
'Embed Code' => 'Embeber Cdigo',
'Embed Widgets' => 'Embeber Widgets',
'Enable' => 'Ativar',
'Enable Advanced Features' => 'Ativar Funcionalidades Avanadas',
'Enable AutoDJ' => 'Ativar AutoDJ',
'Enable Broadcasting' => 'Ativar Transmisso',
'Enable certain advanced features in the web interface, including advanced playlist configuration, station port assignment, changing base media directories and other functionality that should only be used by users who are comfortable with advanced functionality.' => 'Ativar certos recursos avanados na interface web, incluindo configurao avanada de playlists, atribuio de porto de estao, alterao dos diretrios da biblioteca base e outras funcionalidades, s devem ser disponibilizadas a utilizadores que esto confortveis com a funcionalidade avanada.',
'Enable Downloads on On-Demand Page' => 'Habilitar Downloads na Pgina On-Demand',
'Enable HTTP Live Streaming (HLS)' => 'Ativar HTTP Live Streaming (HLS)',
'Enable listeners to request a song for play on your station. Only songs that are already in your playlists are requestable.' => 'Permitir que os ouvintes solicitem uma msica para ser reproduzida na sua estao. Apenas msicas que j esto nas listas de reproduo podem ser solicitadas.',
'Enable Mail Delivery' => 'Ativar Entrega de E-mail',
'Enable On-Demand Streaming' => 'Ativar Transmisso On-Demand',
'Enable Public Pages' => 'Habilitar Pginas Pblicas',
'Enable this setting to prevent metadata from being sent to the AutoDJ for files in this playlist. This is useful if the playlist contains jingles or bumpers.' => 'Ative esta opo para prevenir que os metadados dos ficheiros desta lista de reproduo sejam enviados para o AutoDJ. Isto til para jingles ou bumpers.',
'Enable to advertise this mount point on "Yellow Pages" public radio directories.' => 'Ative para publicar este ponto de montagem nos diretrios de "Pginas Amarelas" de rdios pblicas.',
'Enable to advertise this relay on "Yellow Pages" public radio directories.' => 'Habilitar para anunciar este rel nos diretrios de rdio "Pginas Amarelas".',
'Enable to allow listeners to select this relay on this station\'s public pages.' => 'Habilitar para permitir que os ouvintes selecionem este rel nas pginas pblicas desta estao.',
'Enable to allow this account to log in and stream.' => 'Ative para permitir que esta conta faa login e transmita.',
'Enable to have AzuraCast automatically run nightly backups at the time specified.' => 'Ativar para que o AzuraCast execute automaticamente cpias de segurana noturnas automaticamente no tempo especificado.',
'Enable Two-Factor' => 'Ativar Autenticao segura de Dois Fatores',
'Enable Two-Factor Authentication' => 'Ativar a autenticao de Dois Fatores',
'Enabled' => 'Ativo',
'End Date' => 'Data de Fim',
'End Time' => 'Tempo de Fim',
'Enforce Schedule Times' => 'Forar Horrios Programados',
'Enter "AzuraCast" as the application name. You can leave the URL fields unchanged. For "Scopes", only "write:media" and "write:statuses" are required.' => 'Digite "AzuraCast" como o nome da aplicao. Pode deixar os campos URL intactos. Para "Scopes", apenas "write:media" e "write:status" so necessrios.',
'Enter the current code provided by your authenticator app to verify that it\'s working correctly.' => 'Introduza o cdigo atual fornecido pela aplicao de autenticao para verificar que est a funcionar corretamente.',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => 'Introduza o URL completo de outra transmisso para transmitir atravs de este ponto de montagem.',
'Enter your e-mail address to receive updates about your certificate.' => 'Digite seu endereo de correio eletrnico para receber atualizaes sobre o seu certificado.',
'Exclude Media from Backup' => 'Excluir Ficheiros Multimdia da Cpia de Segurana',
'Export %{format}' => 'Exportar %{format}',
'Fallback Mount' => 'Ponto de montagem de reserva',
'Field Name' => 'Nome do Campo',
'File Name' => 'Nome do Ficheiro',
'Friday' => 'Sexta-Feira',
'Full Volume' => 'Volume Mximo',
'General Rotation' => 'Rotao Geral',
'Genre' => 'Gnero',
'Hide Album Art on Public Pages' => 'Esconder Arte do lbum nas Pginas Pblicas',
'Hide AzuraCast Branding on Public Pages' => 'Esconder a Marca do AzuraCast nas Pginas Pblicas',
'Hide Metadata from Listeners ("Jingle Mode")' => 'Esconder Metadados dos Ouvintes (Modo de Jingle)',
'Higher weight playlists are played more frequently compared to other lower-weight playlists.' => 'Listas de reproduo com maior peso so reproduzidas com mais frequncia em relao s listas de reproduo com peso inferior.',
'Home' => 'Pgina Inicial',
'Homepage Redirect URL' => 'Endereo da Pgina Inicial para Redirecionamento',
'If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.' => 'Se uma msica no tiver arte do lbum, este endereo ser mostrado. Deixe em branco para usar a arte padro.',
'If a visitor is not signed in and visits the AzuraCast homepage, you can automatically redirect them to the URL specified here. Leave blank to redirect them to the login screen by default.' => 'Se um visitante no estiver autenticado e visitar a pgina inicial do AzuraCast, voc pode redirecionar automaticamente para o endereo especificado aqui. Deixe em branco para redirecionar para a pgina de login por padro.',
'If disabled, the playlist will not be included in radio playback, but can still be managed.' => 'Se definido como "No", a lista de reproduo no vai ser includa na programao da rdio, mas ainda pode ser gerida.',
'If enabled, the AutoDJ will automatically play music to this mount point.' => 'Se ativado, o AutoDJ ir reproduzir automaticamente msica para este ponto de montagem.',
'If enabled, this streamer will only be able to connect during their scheduled broadcast times.' => 'Se ativado, este streamer s ser capaz de se ligar ao servidor durante os seus tempos de transmisso programados.',
'If requests are enabled for your station, users will be able to request media that is on this playlist.' => 'Se os pedidos estiverem ativos para a estao, os utilizadores vo poder pedir ficheiros multimdia que estiverem disponveis nesta lista de reproduo.',
'If selected, album art will not display on public-facing radio pages.' => 'Se selecionado, a arte do lbum no ir ser mostrada nas pginas pblicas da rdio.',
'If selected, this will remove the AzuraCast branding from public-facing pages.' => 'Se selecionado, isto ir remover a marca do AzuraCast nas pginas pblicas.',
'If the end time is before the start time, the playlist will play overnight.' => 'Se a hora de fim for antes da hora de incio, a lista de reproduo ir tocar de um dia para o outro.',
'If the end time is before the start time, the schedule entry will continue overnight.' => 'Se a hora de fim for antes da hora de incio, a lista de reproduo ir tocar de um dia para o outro.',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => 'Se este ponto de montagem o padro, ele ser reproduzido no pr-visualizao da emisso e na pgina pblica do sistema.',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => 'Se este ponto de montagem no estiver a reproduzir udio, os ouvintes sero automaticamente redirecionados para este ponto de montagem. O padro /error.mp3, uma mensagem de erro.',
'If this station has on-demand streaming and downloading enabled, only songs that are in playlists with this setting enabled will be visible.' => 'Se esta estao tem streaming sob demanda e download ativado, apenas msicas que esto em playlists com essa configurao ativada sero visveis.',
'Import from PLS/M3U' => 'Importar de PLS/M3U',
'Include in On-Demand Player' => 'Incluir no Player On-Demand',
'Install GeoLite IP Database' => 'Instalar a Base de Dados do GeoLite',
'Internal notes or comments about the user, visible only on this control panel.' => 'Notas internas ou comentrios sobre o utilizador, visvel apenas neste painel de controlo.',
'International Standard Recording Code, used for licensing reports.' => 'International Standard Recording Code, usado para relatrios de licenciamento.',
'ISRC' => 'Cdigo de Gravao Padro Internacional',
'Jingle Mode' => 'Modo de Jingle',
'Language' => 'Idioma',
'Learn about Advanced Playlists' => 'Saber mais sobre Listas de Reproduo Avanadas',
'Leave blank to automatically generate a new password.' => 'Deixe em branco para criar uma automaticamente.',
'Leave blank to play on every day of the week.' => 'Deixe em branco para tocar todos os dias da semana.',
'Length' => 'Durao',
'Listeners' => 'Ouvintes',
'Listeners by Day' => 'Ouvintes por Dia',
'Listeners by Day of Week' => 'Ouvintes por Dia da Semana',
'Listeners by Hour' => 'Ouvintes por Hora',
'Log Viewer' => 'Visualizador de Logs',
'Maximum Listeners' => 'Ouvintes Mximos',
'Media' => 'Multimdia',
'Microphone' => 'Microfone',
'Minute of Hour to Play' => 'Minuto da Hora para Tocar',
'Mixer' => 'Misturador',
'Monday' => 'Segunda-Feira',
'More' => 'Mais',
'Mount Point URL' => 'Endereo do Ponto de Montagem',
'Mount Points' => 'Pontos de Montagem',
'Move' => 'Mover',
'Move to Directory' => 'Mover para Directrio',
'Music Files' => 'Ficheiros Multimdia',
'Mute' => 'Mudo',
'Name' => 'Nome',
'New Directory' => 'Novo Directrio',
'New File Name' => 'Novo Nome do Ficheiro',
'New Folder' => 'Nova Pasta',
'New Password' => 'Nova Palavra-Passe',
'New Playlist' => 'Nova Playlist',
'No' => 'No',
'No other program can be using this port. Leave blank to automatically assign a port.' => 'Mais nenhum programa pode usar esta porta. Deixe em branco para automaticamente atribuir uma porta.',
'No records to display.' => 'Nenhum registo para mostrar.',
'Not Scheduled' => 'No Agendado',
'Note: This should be the public-facing homepage of the radio station, not the AzuraCast URL. It will be included in broadcast details.' => 'Nota: Esta deve ser a pgina pblica da estao, e no a URL do AzuraCast. Este URL ser includo nos detalhes da transmisso.',
'Number of Backup Copies to Keep' => 'Nmero de Cpias de Segurana para Manter',
'Number of Minutes Between Plays' => 'Nmero de Minutos entre Reprodues',
'Number of seconds to overlap songs.' => 'Nmero de segundos para sobrepor msicas.',
'Number of Songs Between Plays' => 'Nmero de Msicas entre Reprodues',
'Once per Hour' => 'Uma Vez por Hora',
'Once per x Minutes' => 'A Cada x Minutos',
'Once per x Songs' => 'A Cada x Msicas',
'Only loop through playlist once.' => 'Apenas reproduzir toda a lista de reproduo uma vez.',
'Password' => 'Palavra-Passe',
'Playlist' => 'Lista de reproduo',
'Playlist 1' => 'Lista de Reproduo 1',
'Playlist 2' => 'Lista de Reproduo 2',
'Playlist Name' => 'Nome da Lista de Reproduo',
'Playlist Type' => 'Tipo de Lista de Reproduo',
'Playlist Weight' => 'Peso da Lista de Reproduo',
'Playlists' => 'Listas de Reproduo',
'Profile' => 'Perfil',
'Programmatic Name' => 'Nome Programtico',
'Public Page' => 'Pgina Pblica',
'Publish to "Yellow Pages" Directories' => 'Publicar para diretrios "Pginas Amarelas"',
'Queue' => 'Fila',
'Queue the selected media to play next' => 'Colocar o ficheiro selecionado na fila para reproduzir de seguida',
'Ready to start broadcasting? Click to start your station.' => 'Pronto para comear a transmitir? Clique para ligar a estao.',
'Refresh rows' => 'Atualizar linhas',
'Relay Stream URL' => 'Endereo do Rel de Transmisso',
'Remote Playback Buffer (Seconds)' => 'Buffer da Reproduo Remota (Segundos)',
'Remote Relays' => 'Rels Remotos',
'Remote URL' => 'URL Remoto',
'Remote URL Playlist' => 'Lista de Reproduo de URL Remoto',
'Remote URL Type' => 'Tipo do URL Remoto',
'Remove' => 'Remover',
'Rename' => 'Renomear',
'Rename File/Directory' => 'Renomear Ficheiro/Diretrio',
'Reorder' => 'Reordenar',
'Replace Album Cover Art' => 'Substituir Arte da Capa do lbum',
'Reports' => 'Relatrios',
'Request Minimum Delay (Minutes)' => 'Atraso Mnimo do Pedido (Minutos)',
'Reshuffle' => 'Baralhar',
'Restart Broadcasting' => 'Reiniciar Transmisso',
'Run Automatic Nightly Backups' => 'Executar Cpias de Segurana Noturnas Automticas',
'Run Manual Backup' => 'Executar Cpia de Segurana Manual',
'Saturday' => 'Sbado',
'Save' => 'Guardar',
'Save Changes' => 'Guardar Alteraes',
'Schedule' => 'Agendar',
'Schedule View' => 'Vista de Agendamento',
'Scheduled' => 'Agendado',
'Scheduled Backup Time' => 'Tempo Agendado para Cpias de Segurana',
'Scheduled Play Days of Week' => 'Dias da Semana Agendados',
'Scheduled playlists and other timed items will be controlled by this time zone.' => 'Listas de reproduo agendadas e outros items cronometrados sero controlados por este fuso horrio.',
'Scheduled Time #%{num}' => 'Tempo Agendado #%{num}',
'Search' => 'Pesquisa',
'Seconds from the start of the song that the AutoDJ should start playing.' => 'Segundos em que o AutoDJ deve comear a tocar, desde o incio da msica.',
'Seconds from the start of the song that the AutoDJ should stop playing.' => 'Segundos em que o AutoDJ deve parar de tocar, desde o incio da msica.',
'Seek' => 'Procurar',
'Select a theme to use as a base for station public pages and the login page.' => 'Selecione um tema para usar como base para pginas pblicas de estaes e a pgina de login.',
'Select File' => 'Selecionar Ficheiro',
'Select PLS/M3U File to Import' => 'Selecione um Ficheiro PLS/M3U para Importar',
'Sequential' => 'Sequencial',
'Set as Default Mount Point' => 'Definir como Ponto de Montagem Padro',
'Set cue and fade points using the visual editor. The timestamps will be saved to the corresponding fields in the advanced playback settings.' => 'Definir os pontos de cue e desvanecimento usando o editor visual. Os pontos marcados sero guardados nos campos correspondentes nas definies de reproduo avanadas.',
'Set Cue In' => 'Definir Cue In',
'Set Cue Out' => 'Definir Cue Out',
'Set Fade In' => 'Definir Fade In',
'Set Fade Out' => 'Definir Fade Out',
'Settings' => 'Definies',
'Show on Public Pages' => 'Mostrar em Pginas Pblicas',
'Show the station in public pages and general API results.' => 'Mostrar a estao em pginas pblicas e nos resultados da API geral.',
'Song Album' => 'lbum da Msica',
'Song Artist' => 'Artista da msica',
'Song Length' => 'Durao da Msica',
'Song Lyrics' => 'Letra da Msica',
'Song Playback Order' => 'Ordem de Reproduo das Msicas',
'Song Playback Timeline' => 'Linha do Tempo de Reproduo de Msicas',
'Song Requests' => 'Pedidos de Msicas',
'Song Title' => 'Ttulo da msica',
'Song-based' => 'Baseado em msicas',
'Song-Based Playlist' => 'Lista de Reproduo baseada em Msicas',
'SoundExchange Report' => 'Relatrio SoundExchange',
'SoundExchange Royalties' => 'Direitos do SoundExchange',
'Source' => 'Fonte',
'Specify the minute of every hour that this playlist should play.' => 'Especifique o minuto de cada hora em que esta lista de reproduo deve tocar.',
'Start Date' => 'Data de Incio',
'Start Station' => 'Ligar Estao',
'Start Time' => 'Hora de Incio',
'Station Time Zone' => 'Fuso Horrio da Estao',
'Stations' => 'Estaes',
'Streamer Broadcasts' => 'Transmisses do Streamer',
'Streamer Display Name' => 'Nome de Exibio do Streamer',
'Streamer password' => 'Palavra-Passe do Streamer',
'Streamer Username' => 'Nome do Utilizador do Streamer',
'Streamer/DJ Accounts' => 'Contas de Streamer/DJ',
'Sunday' => 'Domingo',
'System Logs' => 'Logs do Sistema',
'System Maintenance' => 'Manuteno do Sistema',
'System Settings' => 'Definies do Sistema',
'The display name assigned to this mount point when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Um nome de exibio atribudo a este ponto de montagem para mostrar em pginas de gesto ou pginas pblicas. Deixe em branco para automaticamente criar um.',
'The length of playback time that Liquidsoap should buffer when playing this remote playlist. Shorter times may lead to intermittent playback on unstable connections.' => 'O tempo de reproduo que o Liquidsoap deve colocar em buffer ao reproduzir esta lista de reproduo. Tempos mais curtos podem levar a uma reproduo intermitente ou em ligaes instveis.',
'The relative path of the file in the station\'s media directory.' => 'O caminho relativo do ficheiro no diretrio de multimdia da estao.',
'The streamer will use this password to connect to the radio server.' => 'O streamer usar esta palavra-passe para se ligar ao servidor da rdio.',
'The streamer will use this username to connect to the radio server.' => 'O streamer usar este nome de utilizador para se ligar ao servidor da rdio.',
'The time period that the song should fade in. Leave blank to use the system default.' => 'O perodo de tempo em que a msica deve fazer Fade-In. Deixe em branco para usar o padro do sistema.',
'The time period that the song should fade out. Leave blank to use the system default.' => 'O perodo de tempo em que a msica deve fazer Fade-Out. Deixe em branco para usar o padro do sistema.',
'The volume in decibels to amplify the track with. Leave blank to use the system default.' => 'O volume em decibis para amplificar a faixa. Deixe em branco para usar o padro do sistema.',
'This CSS will be applied to the main management pages, like this one.' => 'Este CSS ser aplicado s pginas principais de gesto, como esta.',
'This CSS will be applied to the station public pages and login page.' => 'Este CSS ser aplicado s pginas pblicas da estao e a pgina de login.',
'This is the informal display name that will be shown in API responses if the streamer/DJ is live.' => 'Este o nome de exibio informal que ser exibido nas respostas da API se o streamer/DJ estiver ao vivo.',
'This javascript code will be applied to the station public pages and login page.' => 'Este cdigo JavaScript ser aplicado s pginas pblicas da estao e a pgina de login.',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => 'Este nome deve comear sempre com uma barra (/), e deve ser um endereo vlido, como /autodj.mp3',
'This playlist currently has no scheduled times. It will play at all times. To add a new scheduled time, click the button below.' => 'Esta lista de reproduo atualmente no tem horrios agendados. Ela ser reproduzida em todos os momentos. Para adicionar um novo horrio agendado, clique no boto abaixo.',
'This station\'s time zone is currently %{tz}.' => 'O fuso horrio da estao atualmente %{tz}.',
'This streamer is not scheduled to play at any times.' => 'Esse streamer no est agendado para reproduzir em qualquer momento.',
'This will be used as the label when editing individual songs, and will show in API results.' => 'Isto ser usado como rtulo ao editar msicas individuais, e ser exibido nos resultados da API.',
'Thursday' => 'Quinta-Feira',
'Time' => 'Tempo',
'Time Zone' => 'Fuso Horrio',
'To play once per day, set the start and end times to the same value.' => 'Para tocar uma vez por dia, defina a hora de incio e de fim para o mesmo valor.',
'To set this schedule to run only within a certain date range, specify a start and end date.' => 'Para definir esse agendamento para executar apenas dentro de um determinado intervalo de datas, especifique uma data de incio e fim.',
'Tuesday' => 'Tera-Feira',
'Unknown Artist' => 'Artista Desconhecido',
'Unknown Title' => 'Ttulo Desconhecido',
'Upcoming Song Queue' => 'Fila das Prximas Msicas',
'Update Metadata' => 'Atualizar Metadados',
'URL Stub' => 'Sufixo da URL',
'User Accounts' => 'Contas de Utilizador',
'Users' => 'Utilizadores',
'View tracks in playlist' => 'Ver faixas na lista de reproduo',
'Visual Cue Editor' => 'Editor de Cue Visual',
'Waveform Zoom' => 'Zoom na Forma de Onda',
'Web DJ' => 'DJ Online',
'Web Site URL' => 'URL do Website',
'Wednesday' => 'Quarta-Feira',
'Yes' => 'Sim',
'YP Directory Authorization Hash' => 'Chave de Autorizao do Diretrio YP',
'Select...' => 'Selecionar...',
'Too many login attempts' => 'Demasiadas tentativas de login',
'You have attempted to log in too many times. Please wait 30 seconds and try again.' => 'Tentou fazer login demasiadas vezes. Por favor, espere 30 segundos e tente novamente.',
'Logged in successfully.' => 'Sesso iniciada com sucesso.',
'Login unsuccessful' => 'Login malsucedido',
'Your credentials could not be verified.' => 'No foi possvel verificar as suas informaes.',
'User not found.' => 'Utilizador no encontrado.',
'Setup has already been completed!' => 'A instalao j foi concluda!',
'All Stations' => 'Todas as Estaes',
'AzuraCast Application Log' => 'Log do AzuraCast',
'Nginx Access Log' => 'Log de Acesso do Nginx',
'Nginx Error Log' => 'Log de Erros do Nginx',
'PHP Application Log' => 'Log do PHP',
'Supervisord Log' => 'Log do Supervisord',
'You cannot remove yourself.' => 'No se pode eliminar a si prprio.',
'File not specified.' => 'Ficheiro no especificado.',
'New path not specified.' => 'Novo caminho no especificado.',
'This station is out of available storage space.' => 'Esta estao est sem espao disponvel.',
'Web hook enabled.' => 'Web Hook ativado.',
'Station restarted.' => 'Estao reiniciada.',
'Song skipped.' => 'Msica ignorada.',
'Streamer disconnected.' => 'Streamer desconectado.',
'Liquidsoap Log' => 'Log do Liquidsoap',
'Liquidsoap Configuration' => 'Configurao do Liquidsoap',
'Icecast Access Log' => 'Log de acesso do Icecast',
'Icecast Error Log' => 'Log de erros do Icecast',
'Icecast Configuration' => 'Configurao do Icecast',
'You have submitted a request too recently! Please wait before submitting another one.' => 'Voc enviou um pedido recentemente. Por favor espere antes de enviar outro.',
'This playlist is not a sequential playlist.' => 'Esta playlist no sequencial.',
'Playlist reshuffled.' => 'Lista de reproduo misturada.',
'Playlist enabled.' => 'Lista de reproduo ativada.',
'Playlist disabled.' => 'Lista de reproduo desativada.',
'Playlist successfully imported; %d of %d files were successfully matched.' => 'Lista de reproduo importada com sucesso; %d de %d ficheiros foram encontrados com sucesso.',
'No recording available.' => 'Nenhuma gravao disponvel.',
'Changes saved successfully.' => 'Configuraes guardadas com sucesso.',
'Record deleted successfully.' => 'Registo apagado com sucesso.',
'The account associated with e-mail address "%s" has been set as an administrator' => 'A conta com o email "%s" associado foi definida como administrador',
'Account not found.' => 'Conta no encontrada.',
'AzuraCast Settings' => 'Definies do AzuraCast',
'Setting Key' => 'Chave de Definio',
'Setting Value' => 'Valor da Definio',
'Fixtures loaded.' => 'Instalaes carregadas.',
'AzuraCast Backup' => 'Cpia de Segurana do AzuraCast',
'Please wait while a backup is generated...' => 'Por favor aguarde enquanto a cpia de segurana criada...',
'Creating temporary directories...' => 'Criando diretrios temporrios...',
'Backing up MariaDB...' => 'Fazendo cpia de segurana do MariaDB...',
'Creating backup archive...' => 'Criando ficheiro da cpia de segurana...',
'Cleaning up temporary files...' => 'Limpando os ficheiros temporrios...',
'Backup complete in %.2f seconds.' => 'Cpia de segurana concluda em %.2f segundos.',
'Backup path %s not found!' => 'Diretrio de cpia de segurana %s no encontrado!',
'Imported locale: %s' => 'Traduo %s importada.',
'AzuraCast Setup' => 'Instalao do AzuraCast',
'Welcome to AzuraCast. Please wait while some key dependencies of AzuraCast are set up...' => 'Bem-vindo ao AzuraCast. Por favor aguarde enquanto algumas dependncias chave do AzuraCast so instaladas...',
'Running Database Migrations' => 'A executar as Migraes da Base de Dados',
'Generating Database Proxy Classes' => 'A Criar Classes de Proxy da Base de Dados',
'Reload System Data' => 'Recarregar dados do sistema',
'Installing Data Fixtures' => 'A Instalar Conjunto de Dados de Teste',
'Refreshing All Stations' => 'Atualizando todas as estaes',
'AzuraCast is now updated to the latest version!' => 'AzuraCast est agora atualizado para a ltima verso!',
'AzuraCast installation complete!' => 'Instalao do AzuraCast concluda!',
'Visit %s to complete setup.' => 'Visite %s para concluir a instalao.',
'%s is not recognized as a service.' => '%s no reconhecido como um servio.',
'It may not be registered with Supervisor yet. Restarting broadcasting may help.' => 'Pode ainda no estar registado com o Supervisor. Reiniciar a transmisso poder ajudar.',
'%s cannot start' => '%s no consegue iniciar',
'It is already running.' => 'J est em execuo.',
'%s cannot stop' => '%s no consegue parar',
'It is not running.' => 'No est em execuo.',
'Check the log for details.' => 'Verifique os logs para detalhes.',
'You do not have permission to access this portion of the site.' => 'No tem permisso para aceder a esta parte do site.',
'You must be logged in to access this page.' => 'Deve fazer login para aceder a esta pgina.',
'All Permissions' => 'Todas as permisses',
'View Station Page' => 'Ver a pgina da estao',
'View Station Reports' => 'Ver relatrios da estao',
'View Station Logs' => 'Ver logs da estao',
'Manage Station Profile' => 'Gerir Perfil da Estao',
'Manage Station Broadcasting' => 'Gerir Transmisso da Estao',
'Manage Station Streamers' => 'Gerir DJ\'s da Estao',
'Manage Station Mount Points' => 'Gerir Pontos de Montagem da Estao',
'Manage Station Remote Relays' => 'Gerir Rels Remotos da Estao',
'Manage Station Media' => 'Gerir Ficheiros Multimdia da Estao',
'Manage Station Automation' => 'Gerir Automao da Estao',
'Manage Station Web Hooks' => 'Gerir Web Hooks da Estao',
'View Administration Page' => 'Ver a pgina de Administrao',
'View System Logs' => 'Ver os logs do sistema',
'Administer Settings' => 'Administrar Definies',
'Administer API Keys' => 'Administrar Chaves de API',
'Administer Stations' => 'Administrar Estaes',
'Administer Custom Fields' => 'Administrar Campos Personalizados',
'Administer Backups' => 'Administrar Cpias de Segurana',
'Administer Storage Locations' => 'Administrar Localizaes de Armazenamento',
'IP Geolocation by DB-IP' => 'Geolocalizao de IP por DB-IP',
),
),
);
``` | /content/code_sandbox/translations/pt_PT.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 12,432 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=2; plural=(n != 1);',
'messages' =>
array (
'' =>
array (
'# Episodes' => 'Blmler',
'# Songs' => '# arklar',
'%{ hours } hours' => '%{ hours } saat',
'%{ minutes } minutes' => '%{ minutes } dakika',
'%{ seconds } seconds' => '%{ seconds } saniye',
'%{filesCount} File' =>
array (
0 => '%{filesCount} Dosya',
1 => '%{filesCount} Dosya',
),
'%{listeners} Listener' =>
array (
0 => '%{listeners} Dinleyici',
1 => '%{listeners} Dinleyici',
),
'%{name} - Copy' => '%{name} - Kopyala',
'%{numPlaylists} playlist' =>
array (
0 => '%{numPlaylists} alma Listesi',
1 => '%{numPlaylists} alma Listesi',
),
'%{numSongs} uploaded song' =>
array (
0 => '%{numSongs} adet yklenmi ark',
1 => '%{numSongs} adet yklenmi ark',
),
'%{spaceUsed} of %{spaceTotal} Used' => 'Kullanlan Alan: %{spaceUsed} / %{spaceTotal}',
'%{spaceUsed} Used' => '%{spaceUsed} Kullanlan',
'%{station} - Copy' => '%{station} - Kopyala',
'12 Hour' => '12 Saat',
'24 Hour' => '24 Saat',
'A completely random track is picked for playback every time the queue is populated.' => 'Kuyruk her doldurulduunda oynatma iin tamamen rastgele bir para seilir.',
'A name for this stream that will be used internally in code. Should only contain letters, numbers, and underscores (i.e. "stream_lofi").' => 'Bu yaynn kodda dahili olarak kullanlacak ad. Yalnzca harf, rakam ve alt izgi iermelidir (rnek: "stream_lofi").',
'A passkey has been selected. Submit this form to add it to your account.' => 'Bir gei anahtar seildi. Hesabnza eklemek iin bu formu gnderin.',
'A playlist containing media files hosted on this server.' => 'Bu sunucuda barndrlan mzik dosyalarn ieren bir alma listesidir.',
'A playlist that instructs the station to play from a remote URL.' => 'Uzak sunucudaki mzik dosyalarn ieren bir alma listesidir.',
'A unique identifier (i.e. "G-A1B2C3D4") for this measurement stream.' => 'Bu lm ak iin benzersiz bir tanmlayc (rnek: "G-A1B2C3D4").',
'About AzuraRelay' => 'AzuraRelay Hakknda',
'About Master_me' => 'Master_me Hakknda',
'About Release Channels' => 'Gncelleme Kanallar Hakknda',
'Access Key ID' => 'Eriim Anahtar Kimlii',
'Access Token' => 'Eriim Kodu',
'Account is Active' => 'Hesab Etkinletir',
'Account List' => 'Hesap Listesi',
'Actions' => 'lemler',
'Adapter' => 'Adaptr',
'Add API Key' => 'API Anahtar Ekle',
'Add Custom Field' => 'zel Alan Ekle',
'Add Episode' => 'Blm Ekle',
'Add Files to Playlist' => 'alma Listesine Ekle',
'Add Mount Point' => 'Balant Noktas Ekle',
'Add New GitHub Issue' => 'Yeni GitHub Sorunu',
'Add Playlist' => 'alma Listesi Ekle',
'Add Podcast' => 'Podcast Ekle',
'Add Remote Relay' => 'Ynlendirme Ekle',
'Add Role' => 'Yetki Ekle',
'Add Schedule Item' => 'Zamanlanm e Ekle',
'Add SFTP User' => 'SFTP Kullancs Ekle',
'Add Station' => 'Radyo Ekle',
'Add Storage Location' => 'Depolama Konumu Ekle',
'Add Streamer' => 'DJ Ekle',
'Add User' => 'Kullanc Ekle',
'Add Web Hook' => 'Web Kancas Ekle',
'Administration' => 'Ynetim',
'Advanced' => 'Gelimi',
'Advanced Configuration' => 'Gelimi Yaplandrma',
'Advanced Manual AutoDJ Scheduling Options' => 'Gelimi Manuel AutoDJ Zamanlama Seenekleri',
'Aggregate listener statistics are used to show station reports across the system. IP-based listener statistics are used to view live listener tracking and may be required for royalty reports.' => 'Dinleyici istatistik koleksiyonu sistemdeki radyo raporlarn gstermek iin kullanlr. IP tabanl dinleyici istatistikleri canl dinleyici izlemesini grntlemek iin kullanlr ve telif hakk raporlar iin gerekli olabilir.',
'Album' => 'Albm',
'Album Art' => 'Albm Sanats',
'Alert' => 'Uyar',
'All Days' => 'Tm Gnler',
'All listed domain names should point to this AzuraCast installation. Separate multiple domain names with commas.' => 'Listelenen tm etki alan adlar bu AzuraCast kurulumuna iaret etmelidir. Birden fazla alan adn virglle ayrn.',
'All Playlists' => 'Tm alma Listeleri',
'All Podcasts' => 'Tm Podcastler',
'All Types' => 'Tm Trler',
'All values in the NowPlaying API response are available for use. Any empty fields are ignored.' => 'NowPlaying API yantndaki tm deerler kullanma hazrdr. Bo alanlar yoksaylr.',
'Allow Requests from This Playlist' => 'alma Listesinde stekleri Etkinletir',
'Allow Song Requests' => 'ark steklerine zin Ver',
'Allow Streamers / DJs' => 'DJlere zin Ver',
'Allowed IP Addresses' => 'zin Verilen IP Adresleri',
'Always Use HTTPS' => 'Her Zaman HTTPS Kullan',
'Amplify: Amplification (dB)' => 'Amplify: Amplification (dB)',
'An error occurred and your request could not be completed.' => 'Bir hata olutu ve ileminiz tamamlanamad.',
'An error occurred while loading the station profile:' => 'Radyo profili yklenirken bir hata olutu:',
'An error occurred with the WebDJ socket.' => 'WebDJ balantsnda bir hata olutu.',
'Analyze and reprocess the selected media' => 'Mzik dosyalarn analiz et ve yeniden ile',
'Any of the following file types are accepted:' => 'Aadaki dosya trlerinden herhangi biri kabul edilir:',
'Any time a live streamer/DJ connects to the stream' => 'DJ Yayna Balandnda',
'Any time a live streamer/DJ disconnects from the stream' => 'DJ Yayndan Ayrldnda',
'Any time the currently playing song changes' => 'alan ark Her Deitiinde',
'Any time the listener count decreases' => 'Dinleyici Says Azaldnda',
'Any time the listener count increases' => 'Dinleyici Says Arttnda',
'API "Access-Control-Allow-Origin" Header' => '"Access-Control-Allow-Origin" API Bal',
'API Documentation' => 'API Belgeleri',
'API Key Description/Comments' => 'API Anahtar Aklamas/Yorumlar',
'API Keys' => 'API Anahtarlar',
'API Version' => 'API Srm',
'Apply for an API key at Last.fm' => 'Last.fm\'de bir API anahtar iin bavurun',
'Apply Post-processing to Live Streams' => 'Canl Yaynlara Ses leme Uygula',
'Are you sure?' => 'Emin misiniz?',
'Art' => 'Sanat',
'Artist' => 'Sanat',
'Artwork' => 'Kapak Resmi',
'Artwork must be a minimum size of 1400 x 1400 pixels and a maximum size of 3000 x 3000 pixels for Apple Podcasts.' => 'Kapak resmi Apple Podcastler iin minimum 1400x1400 piksel boyutunda ve maksimum 3000x3000 piksel boyutunda olmaldr.',
'Attempt to Automatically Retrieve ISRC When Missing' => 'Eksik Olduunda ISRC\'yi Otomatik Olarak Almay Dene',
'Audio Bitrate (kbps)' => 'Ses Bit Hz (kbps)',
'Audio Format' => 'Ses Format',
'Audio Post-processing Method' => 'Ses leme Yntemi',
'Audio transcoding applications like Liquidsoap use a consistent amount of CPU over time, which gradually drains this available credit. If you regularly see stolen CPU time, you should consider migrating to a VM that has CPU resources dedicated to your instance.' => 'Liquidsoap gibi ses kod dntrme uygulamalar zaman iinde tutarl miktarda CPU kullanr ve bu mevcut ilemleri kademeli olarak boaltr. Dzenli olarak CPU zamannn fazla kullanmn gryorsanz size ayrlm CPU kaynaklarna sahip bir sanal makineye gei yapmay dnmelisiniz.',
'Audit Log' => 'Denetim Gnl',
'Author' => 'Yazar',
'Auto-Assign Value' => 'Otomatik Atanm Deer',
'AutoDJ' => 'AutoDJ',
'AutoDJ Bitrate (kbps)' => 'AutoDJ Bitrate (kbps)',
'AutoDJ Disabled' => 'AutoDJ Devred',
'AutoDJ Format' => 'AutoDJ Biimi',
'AutoDJ has been disabled for this station. No music will automatically be played when a source is not live.' => 'AutoDJ bu radyoda iin devred brakld. Canl yayn olmadnda hibir mzik otomatik olarak alnmaz.',
'AutoDJ Queue' => 'AutoDJ Kuyruu',
'AutoDJ Queue Length' => 'AutoDJ Kuyruk Uzunluu',
'AutoDJ Service' => 'AutoDJ Servisi',
'Automatic Backups' => 'Otomatik Yedeklemeler',
'Automatically create new podcast episodes when media is added to a specified playlist.' => 'Belirli bir alma listesine mzik dosyas eklendiinde otomatik olarak yeni podcast blmleri oluturun.',
'Automatically send a customized message to your Discord server.' => 'Discord sunucunuza otomatik olarak zelletirilmi bir mesaj gnderin.',
'Automatically send a message to any URL when your station data changes.' => 'Radyo verileriniz deitiinde otomatik olarak herhangi bir URLye mesaj gnderin.',
'Automatically Set from ID3v2 Value' => 'ID3v2 Deerinden Otomatik Olarak Ayarla',
'Available Logs' => 'Mevcut Gnlkler',
'Avatar Service' => 'Avatar Servisi',
'Avatars are retrieved based on your e-mail address from the %{ service } service. Click to manage your %{ service } settings.' => 'Avatarlar e-posta adresinize gre %{ service } hizmetinden alnr. %{ service } ayarlarnz ynetmek iin tklayn.',
'Average Listeners' => 'Ortalama Dinleyiciler',
'Avoid Duplicate Artists/Titles' => 'Yinelenen Sanatlardan/ark Adlarndan Kann',
'AzuraCast First-Time Setup' => 'AzuraCast lk Kurulumu',
'AzuraCast Instance Name' => 'AzuraCast Slogan smi',
'AzuraCast ships with a built-in free IP geolocation database. You may prefer to use the MaxMind GeoLite service instead to achieve more accurate results. Using MaxMind GeoLite requires a license key, but once the key is provided, we will automatically keep the database updated.' => 'AzuraCast yerleik bir cretsiz IP konum belirleme veritabanyla birlikte gelir. Daha doru sonular elde etmek iin MaxMind GeoLite hizmetini kullanmay tercih edebilirsiniz. MaxMind GeoLite kullanmak bir lisans anahtar gerektirir ancak anahtar salandktan sonra veritabann otomatik olarak gncel tutacaz.',
'AzuraCast Update Checks' => 'AzuraCast Gncelleme Kontrolleri',
'AzuraCast User' => 'AzuraCast Kullancs',
'AzuraCast uses a role-based access control system. Roles are given permissions to certain sections of the site, then users are assigned into those roles.' => 'AzuraCast yetki tabanl bir eriim kontrol sistemi kullanr. Yetkilerle sitenin belirli blmlerine izin verilir ve ardndan kullanclar bu yetkilere atanr.',
'AzuraCast Wiki' => 'AzuraCast Wiki',
'AzuraCast will scan the uploaded file for matches in this station\'s music library. Media should already be uploaded before running this step. You can re-run this tool as many times as needed.' => 'AzuraCast yklenen dosyay bu istasyonun mzik kitaplndaki elemelere kar tarar. Bu adm altrmadan nce medya zaten yklenmi olmaldr. Bu arac gerektii kadar tekrar altrabilirsiniz.',
'AzuraRelay is a standalone service that connects to your AzuraCast instance, automatically relays your stations via its own server, then reports the listener details back to your main instance. This page shows all currently connected instances.' => 'AzuraRelay, AzuraCast rneinize balanan, istasyonlarnz kendi sunucusu araclyla otomatik olarak aktaran ve ardndan dinleyici ayrntlarn ana rneinize raporlayan bamsz bir hizmettir. Bu sayfa u anda bal olan tm rnekleri gsterir.',
'Back' => 'Geri',
'Backing up your installation is strongly recommended before any update.' => 'Herhangi bir gncellemeden nce kurulumunuzu yedeklemeniz nemle tavsiye edilir.',
'Backup' => 'Yedek',
'Backup Format' => 'Yedekleme Format',
'Backups' => 'Yedekleme',
'Balanced' => 'Dengeli',
'Banned Countries' => 'Yasaklanan lkeler',
'Banned IP Addresses' => 'Yasaklanm IP Adresleri',
'Banned User Agents' => 'Yasaklanm Tarayclar',
'Base Station Directory' => 'Radyo Temel Dizini',
'Base Theme for Public Pages' => 'Site Temas',
'Basic Info' => 'Temel Bilgiler',
'Basic Information' => 'Temel Bilgiler',
'Best Performing Songs' => 'En yi Performansl arklar',
'Bit Rate' => 'Bitrate',
'Bitrate' => 'Bitrate',
'Bot Token' => 'Bot Bilgisi',
'Branding' => 'Marka',
'Branding Settings' => 'Marka Ayarlar',
'Broadcast AutoDJ to Remote Station' => 'Uzak Radyoya AutoDJ Yayn',
'Broadcasting' => 'Yayn Ynetimi',
'Broadcasting Service' => 'Yayn Sunucusu',
'Broadcasts' => 'DJ Ynetimi',
'Browser' => 'Tarayc',
'Browser Icon' => 'Tarayc Simgesi',
'Browsers' => 'Tarayclar',
'Bucket Name' => 'Kova Ad',
'Bulk Media Import/Export' => 'Toplu Mzik Dosyas e/Da Aktarma',
'By default, radio stations broadcast on their own ports (i.e. 8000). If you\'re using a service like CloudFlare or accessing your radio station by SSL, you should enable this feature, which routes all radio through the web ports (80 and 443).' => 'Varsaylan olarak radyo istasyonlar kendi balant noktalarnda (rnek: 8000) yayn yapar. CloudFlare gibi bir servis kullanyorsanz veya radyo istasyonunuza SSL ile eriiyorsanz, tm radyolar web balant noktalarndan (80 ve 443) ynlendiren bu zellii etkinletirmelisiniz.',
'Cached' => 'nbellee Alnm',
'Categories' => 'Kategoriler',
'Change' => 'Deitir',
'Change Password' => 'ifreyi Deitir',
'Changes' => 'Deiiklikler',
'Changes saved.' => 'Deiiklikler Kaydedildi.',
'Character Set Encoding' => 'Kodlama Karakter Seti',
'Chat ID' => 'Sohbet ID',
'Check for Updates' => 'Gncellemeleri Kontrol Et',
'Check this box to apply post-processing to all audio, including live streams. Uncheck this box to only apply post-processing to the AutoDJ.' => 'Canl yaynlar dahil tm seslere ilem uygulamak iin bu kutuyu iaretleyin. Yalnzca AutoDJ\'e ilem uygulamak iin bu kutunun iaretini kaldrn.',
'Check Web Services for Album Art for "Now Playing" Tracks' => '"imdi alan" Paralar iin Albm Resmi iin Web Hizmetlerini Kontrol Edin',
'Check Web Services for Album Art When Uploading Media' => 'Mzik Dosyas Yklerken Albm Resmi iin Web Hizmetlerini Kontrol Edin',
'Choose a method to use when transitioning from one song to another. Smart Mode considers the volume of the two tracks when fading for a smoother effect, but requires more CPU resources.' => 'Bir arkdan dierine gei yaparken kullanlacak bir yntemi belirleyin. Akll Mod daha yumuak bir efekt ile geii yaparken iki parann sesini dikkate alr ancak daha fazla CPU kayna gerektirir.',
'Choose a name for this webhook that will help you distinguish it from others. This will only be shown on the administration page.' => 'Bu entegrasyonu dierlerinden ayrmanza yardmc olacak bir isim sein. Bu sadece ynetim sayfasnda gsterilecektir.',
'Choose a new password for your account.' => 'Hesabnz iin yeni bir ifre giriniz.',
'City' => 'ehir',
'Clear' => 'Temizle',
'Clear All Message Queues' => 'Mesaj Kuyruunu Temizle',
'Clear All Pending Requests?' => 'Bekleyen tm istekler silinsin mi?',
'Clear Artwork' => 'Kapak Resmini Temizle',
'Clear Cache' => 'nbellei Temizle',
'Clear File' => 'Dosyay Temizle',
'Clear Filters' => 'Filtreleri Temizle',
'Clear Image' => 'Resmi Temizle',
'Clear List' => 'Listeyi temizle',
'Clear Media' => 'Mzik Dosyasn Temizle',
'Clear Pending Requests' => 'Bekleyen stekleri Temizle',
'Clear Queue' => 'Kuyruu Temizle',
'Clear Upcoming Song Queue' => 'Yaklaan ark Srasn Temizle',
'Clear Upcoming Song Queue?' => 'Yaklaan ark kuyruu temizlensin mi?',
'Clearing the application cache may log you out of your session.' => 'Uygulama nbelleini temizlemek oturumunuzdan kmanza neden olabilir.',
'Click "Generate new license key".' => '"Yeni lisans anahtar olutur"u tklayn.',
'Click the button below to generate a CSV file with all of this station\'s media. You can make any necessary changes, and then import the file using the file picker on the right.' => 'Bu radyonun tm mzik dosyalaryla bir CSV dosyas oluturmak iin aadaki dmeyi tklayn. Gerekli deiiklikleri yapabilir ve ardndan sadaki dosya seiciyi kullanarak dosyay ie aktarabilirsiniz.',
'Client' => 'stemci',
'Clients' => 'stemciler',
'Clone' => 'Kopyalama',
'Clone Station' => 'Radyo Kopyalama',
'Close' => 'Kapat',
'Code from Authenticator App' => 'Authenticator Uygulamas Kodu',
'Collect aggregate listener statistics and IP-based listener statistics' => 'Toplu dinleyici istatistiklerini ve IP tabanl dinleyici istatistiklerini toplayn',
'Comments' => 'Aklamalar',
'Complete the setup process by providing some information about your broadcast environment. These settings can be changed later from the administration panel.' => 'Yayn ortamnz hakknda biraz bilgi vererek kurulum ilemini tamamlayn. Bu ayarlar daha sonra ynetim panelinden deitirilebilir.',
'Configure' => 'Yaplandrma',
'Configure Backups' => 'Yedeklemeyi Yaplandr',
'Confirm New Password' => 'Yeni ifreyi Dorula',
'Connected AzuraRelays' => 'AzuraRelays Balants',
'Connection Information' => 'Balant Bilgileri',
'Contains explicit content' => 'Yetikinlere ynelik ierik vardr',
'Continue the setup process by creating your first radio station below. You can edit any of these details later.' => 'lk radyonuzu aadan oluturarak kurulum ilemine devam edin. Bu ayrntlardan herhangi birini daha sonra dzenleyebilirsiniz.',
'Continuous Play' => 'almaya Devam Et',
'Control how this playlist is handled by the AutoDJ software.' => 'Bu alma listesinin AutoDJ yazlm tarafndan nasl ilendiini ayarlayabilirsiniz.',
'Copies older than the specified number of days will automatically be deleted. Set to zero to disable automatic deletion.' => 'Belirtilen gn saysndan daha eski kopyalar otomatik olarak silinir. Otomatik silmeyi devre d brakmak iin sfra ayarlayn.',
'Copy associated media and folders.' => 'likili medya ve klasrleri kopyalayn.',
'Copy scheduled playback times.' => 'Planlanm oynatma zamanlarn kopyalayn.',
'Copy to Clipboard' => 'Panoya Kopyala',
'Copy to New Station' => 'Yeni Radyoya Kopyala',
'Could not upload file.' => 'Dosya yklenemedi.',
'Countries' => 'lkeler',
'Country' => 'lke',
'CPU Load' => 'CPU Yk',
'CPU Stats Help' => 'CPU statistikleri Yardm',
'Create a New Radio Station' => 'Yeni Bir Radyo Olutur',
'Create Account' => 'Hesap Olutur',
'Create an account on the MaxMind developer site.' => 'MaxMind gelitirici sitesinde bir hesap oluturun.',
'Create and Continue' => 'Olutur ve Devam Et',
'Create custom fields to store extra metadata about each media file uploaded to your station libraries.' => 'Radyo mzik dosyalarna yklenen her mzik dosyas hakknda fazladan meta verisi depolamak iin zel alanlar oluturun.',
'Create Directory' => 'Dizin Olutur',
'Create New Key' => 'Yeni Anahtar Olutur',
'Create podcast episodes independent of your station\'s media collection.' => 'Radyonuzun mzik dosyalarndan bamsz olarak podcast blmleri oluturun.',
'Create Station' => 'Radyo Olutur',
'Crossfade Duration (Seconds)' => 'Crossfade Sresi (saniye)',
'Crossfade Method' => 'Crossfade Seenekleri',
'Cue' => 'Bala',
'Current Configuration File' => 'Geerli Yaplandrma Dosyas',
'Current Custom Fallback File' => 'Mevcut zel Geri Dn Dosyas',
'Current Installed Version' => 'Kurulmu Mevcut Srm',
'Current Intro File' => 'Mevcut Karlama Mzii',
'Current Password' => 'imdiki ifre',
'Current Podcast Media' => 'Mevcut Podcast Medyas',
'Custom' => 'zel',
'Custom API Base URL' => 'zel API Temel URLsi',
'Custom Branding' => 'Marka Ynetimi',
'Custom Configuration' => 'zel Yaplandrma',
'Custom CSS for Internal Pages' => 'Dahili Sayfalar in zelletirilmi CSS',
'Custom CSS for Public Pages' => 'Genel Sayfalar in zelletirilmi CSS',
'Custom Cues: Cue-In Point (seconds)' => 'Custom Cue: Giri Noktas (saniye)',
'Custom Cues: Cue-Out Point (seconds)' => 'Custom Cues: k Noktas (saniye)',
'Custom Fading: Fade-In Time (seconds)' => 'Custom Fading: Solma Zaman (saniye)',
'Custom Fading: Fade-Out Time (seconds)' => 'Custom Fading: Solma Zaman (saniye)',
'Custom Fallback File' => 'zel Geri Dn Dosyas',
'Custom Fields' => 'zelletirme',
'Custom Frontend Configuration' => 'zelletirilmi Sunucu Ayarlar',
'Custom HTML for Public Pages' => 'Genel Sayfalar in zelletirilmi HTML',
'Custom JS for Public Pages' => 'Genel Sayfalar in zelletirilmi JS',
'Customize' => 'zelletir',
'Customize Administrator Password' => 'Yayn Ynetici ifresi',
'Customize AzuraCast Settings' => 'AzuraCast Ayarlarn zelletir',
'Customize Broadcasting Port' => 'Yayn Portu',
'Customize Copy' => 'Kopyay zelletir',
'Customize DJ/Streamer Mount Point' => 'DJ Balant Noktas',
'Customize DJ/Streamer Port' => 'DJ Portu',
'Customize Internal Request Processing Port' => 'stek Portu',
'Customize Source Password' => 'Yayn ifresi',
'Customize the number of songs that will appear in the "Song History" section for this station and in all public APIs.' => 'Bu istasyon iin "ark Gemii" blmnde ve tm ortak API\'lerde grnecek ark saysn belirtin.',
'Customize this setting to ensure you get the correct IP address for remote users. Only change this setting if you use a reverse proxy, either within Docker or a third-party service like CloudFlare.' => 'Ziyaretilerin doru IP adresini aldnzdan emin olmak iin bu ayar zelletirin. Bu ayar yalnzca Docker\'da veya CloudFlare gibi bir nc taraf hizmetinde ters proxy kullanyorsanz deitirin.',
'Dark' => 'Koyu Tema',
'Dashboard' => 'Anasayfa',
'Date Played' => 'Oynatlan Tarih',
'Date Requested' => 'Talep Edilen Tarih',
'Date/Time' => 'Tarih/Saat',
'Date/Time (Browser)' => 'Tarih/Saat (Tarayc)',
'Date/Time (Station)' => 'Tarih/Saat (Radyo)',
'Days of Playback History to Keep' => 'alma Gemiini Saklama',
'Deactivate Streamer on Disconnect (Seconds)' => 'DJ Balants Kesmede Devred Brakma Sresi (saniye)',
'Default Album Art' => 'Varsaylan Albm Kapa',
'Default Album Art URL' => 'Varsaylan Albm Kapa URLsi',
'Default Avatar URL' => 'Varsaylan Avatar URLsi',
'Default Mount' => 'Varsaylan Balant Noktas',
'Delete' => 'Sil',
'Delete %{ num } media files?' => '%{ num } adet mzik dosyas silinsin mi?',
'Delete Album Art' => 'Albm Kapan Sil',
'Delete API Key?' => 'API Anahtar Silinsin Mi?',
'Delete Backup?' => 'Yedek Silinsin Mi?',
'Delete Broadcast?' => 'Canl yayn silinsin mi?',
'Delete Custom Field?' => 'zel alan silinsin mi?',
'Delete Episode?' => 'Blm silinsin mi?',
'Delete Mount Point?' => 'Balant Noktas Silinsin mi?',
'Delete Playlist?' => 'alma listesi silinsin mi?',
'Delete Podcast?' => 'Podcast silinsin mi?',
'Delete Queue Item?' => 'Sradaki e silinsin mi?',
'Delete Record?' => 'Kayt Silinsin Mi?',
'Delete Remote Relay?' => 'Ynlendirme silinsin mi?',
'Delete Request?' => 'stek silinsin mi?',
'Delete Role?' => 'Yetki silinsin mi?',
'Delete SFTP User?' => 'SFTP kullancs silinsin mi?',
'Delete Station?' => 'Radyo Silinsin Mi?',
'Delete Storage Location?' => 'Depolama yeri silinsin mi?',
'Delete Streamer?' => 'DJ silinsin mi?',
'Delete User?' => 'Kullanc Silinsin Mi?',
'Delete Web Hook?' => 'Web kancas silinsin mi?',
'Description' => 'Aklama',
'Desktop' => 'Masast',
'Details' => 'Ayrntlar',
'Directory' => 'Klasr',
'Directory Name' => 'Dizin smi',
'Disable' => 'Devred',
'Disable Crossfading' => 'Kapat',
'Disable Optimizations' => 'Optimizasyonlar Devre D Brak',
'Disable Two-Factor' => 'ki Faktrl Dorulamay Devred Brak',
'Disable two-factor authentication?' => 'ki faktrl kimlik dorulama devre d braklsn m?',
'Disabled' => 'Kapal',
'Disconnect Streamer' => 'DJ Balantsn Kes',
'Discord Web Hook URL' => 'Discord Web Kanca URLsi',
'Discord Webhook' => 'Discord Web Kancas',
'Disk caching makes a system much faster and more responsive in general. It does not take memory away from applications in any way since it will automatically be released by the operating system when needed.' => 'Disk nbellee alma bir sistemi genel olarak ok daha hzl ve daha duyarl hale getirir. Gerektiinde iletim sistemi tarafndan otomatik olarak serbest braklaca iin hibir ekilde uygulamalardan hafzay almaz.',
'Disk Space' => 'Disk Alan',
'Display Name' => 'Ekran Ad',
'DJ/Streamer Buffer Time (Seconds)' => 'DJ Arabellek Zaman (saniye)',
'Do not collect any listener analytics' => 'Herhangi bir dinleyici istatistii toplamayn',
'Do not use an AutoDJ service.' => 'AutoDJ hizmeti kullanmayn.',
'Documentation' => 'Belgeler',
'Donate to support AzuraCast!' => 'Bizi desteklemek iin ba yapn!',
'Download' => 'ndir',
'Download CSV' => 'CSV ndir',
'Download M3U' => 'M3U ndir',
'Download PLS' => 'PLS ndir',
'Download the appropriate binary from the Stereo Tool downloads page:' => 'Uygun ikili dosyay Stereo Arac indirme sayfasndan indirin:',
'Download the Linux x64 binary from the Shoutcast Radio Manager:' => 'Shoutcast Radio Manager sitesinden Linux x64 dosyasn indirin:',
'Drag file(s) here to upload or' => 'Dosya yklemek iin buraya srkleyin veya',
'Duplicate' => 'Kopyala',
'Duplicate Playlist' => 'alma Listesini Kopyala',
'Duplicate Prevention Time Range (Minutes)' => 'Yinelenen nleme Sresi Aral (Dakika)',
'Duplicate Songs' => 'Yinelenen arklar',
'E-Mail' => 'E-Posta',
'E-mail Address' => 'E-Posta Adresi',
'E-mail addresses can be separated by commas.' => 'E-posta adresleri virglle ayrlabilir.',
'E-mail Delivery Service' => 'E-posta letim Raporu Hizmeti',
'Edit' => 'Dzenle',
'Edit Liquidsoap Configuration' => 'Liquidsoap Yaplandrmasn Dzenle',
'Edit Media' => 'Mzik Dosyas Dzenle',
'Edit Profile' => 'Profili Dzenle',
'Edit Station Profile' => 'Radyo Profili Dzenleme',
'Embed Code' => 'Ekleme Kodu',
'Embed Widgets' => 'Widget Ekleme',
'Enable' => 'Etkin',
'Enable Advanced Features' => 'Gelimi zellikleri Etkinletir',
'Enable AutoDJ' => 'AutoDJ kullan',
'Enable Broadcasting' => 'Yayn Etkinletir',
'Enable certain advanced features in the web interface, including advanced playlist configuration, station port assignment, changing base media directories and other functionality that should only be used by users who are comfortable with advanced functionality.' => 'Gelimi alma listesi yaplandrmas, istasyon balant noktas atamas, temel ortam dizinlerini deitirme ve yalnzca gelimi ilevlerden memnun olan kullanclar tarafndan kullanlmas gereken dier ilevler dahil olmak zere web arayzndeki baz gelimi zellikleri etkinletirin.',
'Enable Downloads on On-Demand Page' => 'stee Bal ndirmeleri Etkinletir',
'Enable listeners to request a song for play on your station. Only songs that are already in your playlists are requestable.' => 'Dinleyicilerin yalnzca alma listelerinde bulunan arklar indirmeleri iin bu seecei etkinletirebilirsiniz.',
'Enable Mail Delivery' => 'E-Posta letim Raporunu Etkinletir',
'Enable On-Demand Streaming' => 'stee Bal Canl Yayn Etkinletir',
'Enable Public Pages' => 'Genel Sayfalar Etkinletir',
'Enable this setting to prevent metadata from being sent to the AutoDJ for files in this playlist. This is useful if the playlist contains jingles or bumpers.' => 'Bu alma listesinde bulunan mziklerin meta verilerini dinleyicilerden gizlemek iin etkinletirebilirsiniz. alma listesinde Jingle veya Bumpers varsa iinize yarayacak bir zelliktir.',
'Enable to advertise this mount point on "Yellow Pages" public radio directories.' => 'Radyoyu "Yellow Pages" dizininde yaynlamak istiyorsanz etkinletirmelisiniz.',
'Enable to advertise this relay on "Yellow Pages" public radio directories.' => 'Radyoyu "Yellow Pages" dizininde yaynlamak istiyorsanz etkinletirmelisiniz.',
'Enable to allow listeners to select this relay on this station\'s public pages.' => 'Dinleyicilerin bu radyonun genel sayfalarnda bu ynlendirmeyi semelerine izin vermek iin etkinletirin.',
'Enable to allow this account to log in and stream.' => 'Bu hesabn oturum amasna ve yayn yapmasna izin vermek iin etkinletirin.',
'Enable to have AzuraCast automatically run nightly backups at the time specified.' => 'AzuraCast her gece belirtilen saatte otomatik olarak yedekleme yapmasn etkinletirin.',
'Enable Two-Factor' => 'ki Faktrl Dorulamay Etkinletir',
'Enable Two-Factor Authentication' => 'ki Faktrl Kimlik Dorulamay Etkinletir',
'Enabled' => 'Ak',
'End Date' => 'Biti Tarihi',
'End Time' => 'Biti Zaman',
'Endpoint' => 'U Noktas',
'Enforce Schedule Times' => 'Program Zamanlarn Zorla',
'Enter the current code provided by your authenticator app to verify that it\'s working correctly.' => 'Doru altn dorulamak iin dorulayc uygulamanz tarafndan salanan geerli kodu girin.',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => 'Ynlendirilmek zere uzak sunucu URLsini belirtin.',
'Enter your e-mail address to receive updates about your certificate.' => 'Sertifikanzla ilgili gncelletirmeleri almak iin e-posta adresinizi girin.',
'Enter your password' => 'ifrenizi Girin',
'Episode' => 'Blm',
'Episodes' => 'Blmler',
'Example: if the remote radio URL is path_to_url enter "path_to_url".' => 'rnek: Uzak radyo URLsi path_to_url ise "path_to_url" girin.',
'Exclude Media from Backup' => 'Yedeklemeye Mzik Dosyalarn Dahil Etme',
'Excluding media from automated backups will save space, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => 'Medyay otomatik yedeklemelerin dnda brakmak yerden tasarruf salar. Ancak medyanz baka bir yerde yedeklediinizden emin olmalsnz. Yalnzca yerel olarak depolanan medyann yedekleneceini unutmayn.',
'Expected to Play at' => 'Oynanmas Bekleniyor',
'Explicit' => 'Ak',
'Export %{format}' => 'Da Aktar %{format}',
'Export Media to CSV' => 'Mzik Dosyasn CSV\'ye Aktar',
'Fallback Mount' => 'Fallback Mount',
'Field Name' => 'Alan Ad',
'File Name' => 'Dosya Ad',
'Files marked for reprocessing:' => 'Tekrar ilenecek dosyalar:',
'Files moved:' => 'Dosyalar tand:',
'Files played immediately:' => 'Hemen oynatlan dosyalar:',
'Files queued for playback:' => 'alnmak zere sraya alnm mzik dosyalar:',
'Files removed:' => 'Silinen Dosyalar:',
'First Connected' => 'Birinci Balant',
'Footer Text' => 'Alt Bilgi Metni',
'For local filesystems, this is the base path of the directory. For remote filesystems, this is the folder prefix.' => 'Bu yerel dosya sistemleri iin dizinin temel yoludur. Bu uzak dosya sistemleri iin klasr nekidir.',
'For most cases, use the default UTF-8 encoding. The older ISO-8859-1 encoding can be used if accepting connections from Shoutcast 1 DJs or using other legacy software.' => 'ou durumda varsaylan UTF-8 kodlamasn kullann. Eski yazlm kullanlyorsa ISO-8859-1 kodlamas kullanlabilir.',
'for selected period' => 'seilen dnem iin',
'For some clients, use port:' => 'DJ Balant Portu: ',
'Forgot your password?' => 'ifrenizi mi unuttunuz?',
'Format' => 'Biim',
'Friday' => 'Cuma',
'From your smartphone, scan the code to the right using an authentication app of your choice (FreeOTP, Authy, etc).' => 'Akll telefonunuzdan setiiniz bir dorulayc uygulamay (FreeOTP, Authy, vb.) kullanarak sadaki kodu tarayn.',
'Full Volume' => 'Full Ses',
'General Rotation' => 'Genel Oynatma',
'Generate Report' => 'Rapor Olutur',
'Generic Web Hook' => 'Genel Web Kancas',
'Generic Web Hooks' => 'Genel Web Kancalar',
'Genre' => 'Tr',
'GeoLite is not currently installed on this installation.' => 'GeoLite henz kurulmamtr.',
'GeoLite version "%{ version }" is currently installed.' => 'GeoLite "%{ version }" versiyonu kuruludur.',
'Get Next Song' => 'Sonraki arky Al',
'Get Now Playing' => 'imdi Oynat',
'Global' => 'Global',
'Global Permissions' => 'Global zinler',
'Google Analytics V4 Integration' => 'Google Analytics V4 Entegrasyonu',
'Help' => 'Yardm',
'Hide Album Art on Public Pages' => 'Genel Sayfalarda Albm Kapan Gizle',
'Hide AzuraCast Branding on Public Pages' => 'AzuraCast Markasn Gizle',
'Hide Charts' => 'Grafikleri Gizle',
'Hide Metadata from Listeners ("Jingle Mode")' => 'Meta Verilerini Gizle ("Jingle Mode")',
'High I/O Wait can indicate a bottleneck with the server\'s hard disk, a potentially failing hard disk, or heavy load on the hard disk.' => 'Yksek G/ Bekleme sunucunun sabit diskinde bir darboaz olduunu potansiyel olarak arzal bir sabit diski veya sabit diskte ar yk olduunu gsterebilir.',
'Higher weight playlists are played more frequently compared to other lower-weight playlists.' => 'Yksek ncelie sahip alma listeleri daha sk alnr.',
'History' => 'Gemi',
'HLS' => 'HLS',
'Home' => 'Anasayfa',
'Homepage Redirect URL' => 'Anasayfa Ynlendirme URLsi',
'Hour' => 'Saat',
'HTML' => 'HTML',
'Icecast Clients' => 'IceCast Bilgileri',
'Identifier' => 'Tanmlayc',
'If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.' => 'Bir arknn albm kapa yoksa burada URLsi yazlan resim grnecektir. Varsaylan albm kapa iin bo brakn.',
'If a visitor is not signed in and visits the AzuraCast homepage, you can automatically redirect them to the URL specified here. Leave blank to redirect them to the login screen by default.' => 'Bir ziyareti oturum amamsa ve AzuraCast anasayfasn ziyaret ediyorsa onlar otomatik olarak burada belirtilen URLye ynlendirebilirsiniz. Varsaylan olarak giri ekranna ynlendirmek iin bo brakn.',
'If disabled, the playlist will not be included in radio playback, but can still be managed.' => '"HAYIR" olarak ayarlanrsa AutoDJ mzik alamaz.',
'If disabled, the station will not broadcast or shuffle its AutoDJ.' => 'Devre d braklrsa radyonuz almaz ve AutoDJ veya DJler yayn yapamazlar.',
'If enabled, a download button will also be present on the public "On-Demand" page.' => 'Etkinletirilirse, genel "stee Bal Canl Yayn" sayfasnda bir indirme dmesi de bulunacaktr.',
'If enabled, AzuraCast will automatically record any live broadcasts made to this station to per-broadcast recordings.' => 'Etkinletirilirse, AzuraCast bu istasyona yaplan tm canl yaynlar yayn bana kaytlara otomatik olarak kaydeder.',
'If enabled, AzuraCast will connect to the MusicBrainz database to attempt to find an ISRC for any files where one is missing. Disabling this may improve performance.' => 'Etkinletirilirse, AzuraCast eksik olan tm dosyalar iin bir ISRC bulmaya almak zere MusicBrainz veritabanna balanacaktr. Bunu devre d brakmak performans artrabilir.',
'If enabled, music from playlists with on-demand streaming enabled will be available to stream via a specialized public page.' => 'Etkinletirilirse, istee bal akn etkinletirildii alma listelerinden mzik zel bir genel sayfa araclyla ak iin kullanlabilir olacaktr.',
'If enabled, streamers (or DJs) will be able to connect directly to your stream and broadcast live music that interrupts the AutoDJ stream.' => 'Etkinletirildiinde DJler dorudan yayna balanabilir ve AutoDJ yayn kesilerek canl mzik yaynlanr.',
'If enabled, the AutoDJ on this installation will automatically play music to this mount point.' => 'Etkinletirilse bu kurulumdaki AutoDJ otomatik olarak uzak radyo balama noktasna mzik alacaktr.',
'If enabled, the AutoDJ will automatically play music to this mount point.' => 'AutoDJ kullanmak iin buray etkinletirmelisiniz.',
'If enabled, this streamer will only be able to connect during their scheduled broadcast times.' => 'Etkinletirilirse bu DJ yalnzca planlanan yayn srelerinde balant kurabilir.',
'If requests are enabled for your station, users will be able to request media that is on this playlist.' => 'Radyodaki alan mzikleri kullanclarn eriimine amak iin buray etkinletirebilirsiniz.',
'If requests are enabled, this specifies the minimum delay (in minutes) between a request being submitted and being played. If set to zero, a minor delay of 15 seconds is applied to prevent request floods.' => 'stekler etkinletirilirse, bir istein gnderilmesi ve oynatlmas arasndaki minimum gecikmeyi (dakika olarak) belirtir. Sfra ayarlanrsa istek tamalarn nlemek iin 15 saniyelik kk bir gecikme uygulanr.',
'If selected, album art will not display on public-facing radio pages.' => 'Genel sayfalarda albm kapak resmini gizlemek iin etkinletirin.',
'If selected, this will remove the AzuraCast branding from public-facing pages.' => 'AzuraCast markasn genel sayfa ve giri ekranndan gizlemek iin etkinletirin.',
'If the end time is before the start time, the playlist will play overnight.' => 'Biti saati balang saatinden nce ise alma listesi gecede oynatlr.',
'If the end time is before the start time, the schedule entry will continue overnight.' => 'Biti zaman balang zamanndan nce ise program girii gece de devam edecektir.',
'If the mountpoint (i.e. /radio.mp3) or Shoutcast SID (i.e. 2) you broadcast to is different from the stream URL, specify the source mount point here.' => 'Radyo balant noktas (rnek: /radio.mp3) veya Shoutcast SID (rnek: 2) yayn URLsinden farklysa kaynak balant noktasn burada belirtin.',
'If the port you broadcast to is different from the stream URL, specify the source port here.' => 'Yayn yaptnz balant noktas yayn URLsinden farklysa kaynak balant noktasn burada belirtin.',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => 'Bu balant noktas varsaylan ise radyo nizlemesinde ve bu sistemdeki genel radyo sayfasnda oynatlacaktr.',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => 'Bu balant noktas ses almadnda dinleyiciler otomatik olarak buraya ynlendirilecektir. Varsaylan hata sesi /error.mp3 tekrarlanarak alnacaktr.',
'If this setting is set to "Yes", the browser URL will be used instead of the base URL when it\'s available. Set to "No" to always use the base URL.' => 'Bu ayar "Evet" olarak ayarlanmsa kullanlabilir olduunda temel URL yerine tarayc URLsi kullanlacaktr. Her zaman temel URLyi kullanmak iin "Hayr" olarak ayarlayn.',
'If this station has on-demand streaming and downloading enabled, only songs that are in playlists with this setting enabled will be visible.' => 'Bu istasyonda istee bal ak ve indirme etkinletirilmise yalnzca bu ayarn etkin olduu alma listelerindeki arklar grnr.',
'If you are broadcasting using AutoDJ, enter the source password here.' => 'AutoDJ kullanarak yayn yapyorsanz ifreyi buraya girin.',
'If you are broadcasting using AutoDJ, enter the source username here. This may be blank.' => 'AutoDJ kullanarak yayn yapyorsanz kullanc adn buraya girin veya bo brakn.',
'If you\'re experiencing a bug or error, you can submit a GitHub issue using the link below.' => 'Bir bug veya hata yayorsanz aadaki balanty kullanarak GitHub sorunu gnderebilirsiniz.',
'If your installation is constrained by CPU or memory, you can change this setting to tune the resources used by Liquidsoap.' => 'Kurulumunuz CPU veya bellek tarafndan kstlysa Liquidsoap tarafndan kullanlan kaynaklar ayarlamak iin bu ayar deitirebilirsiniz.',
'If your Mastodon username is "@test@example.com", enter "example.com".' => 'Mastodon kullanc adnz "@test@example.com" ise "example.com" yazn.',
'If your stream is set to advertise to YP directories above, you must specify an authorization hash. You can manage these on the Shoutcast web site.' => 'Yaynnz yukardaki YP dizinlerine reklam verecek ekilde ayarlanmsa bir yetkilendirme anahtar belirtmeniz gerekir. Bunlar Shoutcast web sitesinden ynetebilirsiniz.',
'If your streaming software requires a specific mount point path, specify it here. Otherwise, use the default.' => 'Canl yayn yazlmnz belirli bir balant noktas yolu gerektiriyorsa burada belirtin. Aksi takdirde varsaylan kullann.',
'If your web hook requires HTTP basic authentication, provide the password here.' => 'Web Kancas HTTP temel kimlik dorulamas gerektiriyorsa ifre belirtin.',
'If your web hook requires HTTP basic authentication, provide the username here.' => 'Web Kancas HTTP temel kimlik dorulamas gerektiriyorsa kullanc adn belirtin.',
'Import Changes from CSV' => 'Deiiklikleri CSV\'den e Aktar',
'Import from PLS/M3U' => 'PLS/M3U\'dan eri Aktar',
'Import Results' => 'Sonular e Aktar',
'Important: copy the key below before continuing!' => 'nemli: Devam etmeden nce aadaki anahtar kopyalayn!',
'In order to install Shoutcast:' => 'Shoutcast\'i yklemek iin:',
'In order to install Stereo Tool:' => 'Stereo Aracn kurmak iin:',
'In order to process quickly, web hooks have a short timeout, so the responding service should be optimized to handle the request in under 2 seconds.' => 'Hzl bir ekilde ilemek iin web kancalarnn ksa bir zaman am vardr. Bu nedenle yant veren hizmet istei 2 saniyeden daha ksa srede ele alacak ekilde optimize edilmelidir.',
'Include in On-Demand Player' => 'stee Bal Oynatcya Dahil Et',
'Indefinitely' => 'Sresiz',
'Indicates the presence of explicit content (explicit language or adult content). Apple Podcasts displays an Explicit parental advisory graphic for your episode if turned on. Episodes containing explicit material aren\'t available in some Apple Podcasts territories.' => 'Yetikinlere ait ieriin varln gsterir (ak dil veya yetikinlere uygun ierik). Apple Podcasts aktif ise yetikinlere ait blmnz iin bir ebeveyn danma grafii grntler. Yetikinlere ait materyal ieren blmler baz Apple Podcasts blgelerinde mevcut deildir.',
'Info' => 'Bilgi',
'Information about the current playing track will appear here once your station has started.' => 'Radyonuz balatldnda geerli alnan ark hakkndaki bilgiler burada grnecektir.',
'Insert' => 'Ekle',
'Install GeoLite IP Database' => 'GeoLite IP Veritaban Kurulumu',
'Install Shoutcast' => 'Shoutcast Kurulumu',
'Install Shoutcast 2 DNAS' => 'Shoutcast Kurulumu',
'Install Stereo Tool' => 'Stereo Aracn Ykle',
'Instructions' => 'Talimatlar',
'Internal notes or comments about the user, visible only on this control panel.' => 'Kullancyla ilgili dahili notlar veya yorumlar yalnzca bu kontrol panelinde grnr.',
'International Standard Recording Code, used for licensing reports.' => 'Uluslararas Standart Kayt Kodu lisans raporlar iin kullanlr.',
'Interrupt other songs to play at scheduled time.' => 'Planlanan saatte almak iin dier arklar yarda kesin.',
'Intro' => 'Karlama',
'IP' => 'IP',
'IP Geolocation is used to guess the approximate location of your listeners based on the IP address they connect with. Use the free built-in IP Geolocation library or enter a license key on this page to use MaxMind GeoLite.' => 'IP Geolocation dinleyicilerinizin balandklar IP adresine gre yaklak konumlarn tahmin etmek iin kullanlr. cretsiz datlan yerleik IP Geolocation kitapln kullann ya da MaxMind GeoLite kullanmak iin bu sayfaya bir lisans anahtar girin.',
'ISRC' => 'ISRC',
'Jingle Mode' => 'Jingle Modu',
'Language' => 'Dil',
'Last 14 Days' => 'Son 14 Gn',
'Last 2 Years' => 'Son 2 Yl',
'Last 24 Hours' => 'Son 24 Saat',
'Last 30 Days' => 'Son 30 Gn',
'Last 60 Days' => 'Son 60 Gn',
'Last 7 Days' => 'Son 7 Gn',
'Last Modified' => 'Deiiklik Tarihi',
'Last Month' => 'Geen Ay',
'Last Run' => 'Son alma',
'Last run:' => 'Son altrma:',
'Last Year' => 'Geen Yl',
'Last.fm API Key' => 'Last.fm API Anahtar',
'Latest Update' => 'Son Gncelleme',
'Learn about Advanced Playlists' => 'Gelimi alma Listeleri Hakknda Bilgi Edinin',
'Learn More about Post-processing CPU Impact' => ' Ses leme Sonras CPU Etkisi Hakknda Daha Fazla Bilgi Edinin',
'Learn more about release channels in the AzuraCast docs.' => 'AzuraCast belgelerinde yayn kanallar hakknda daha fazla bilgi edinin.',
'Learn more about this header.' => 'Bu balk hakknda daha fazla bilgi edinin.',
'Leave blank to automatically generate a new password.' => 'Otomatik olarak bu ifreyi oluturmak iin bo brakn.',
'Leave blank to play on every day of the week.' => 'Haftann hangi gnlerinde oynatlmasn istiyorsanz sein veya haftann her gn oynatmak iin bo brakn.',
'Leave blank to use the current password.' => 'Mevcut ifreyi kullanmak iin bo brakn.',
'Leave blank to use the default Telegram API URL (recommended).' => 'Varsaylan Telegram API URLsini kullanmak iin bo brakn (nerilir).',
'Length' => 'Uzunluk',
'Let\'s get started by creating your Super Administrator account.' => 'Sper ynetici hesabnz oluturarak balayalm.',
'LetsEncrypt' => 'LetsEncrypt',
'LetsEncrypt provides simple, free SSL certificates allowing you to secure traffic through your control panel and radio streams.' => 'LetsEncrypt kontrol paneliniz ve radyo yaynlarnz zerinden trafii gvence altna almanza olanak tanyan basit, cretsiz SSL sertifikalar salar.',
'Light' => 'Ak Tema',
'Like our software?' => 'AzuraCast\'i beendiniz mi?',
'LiquidSoap is currently shuffling from %{songs} and %{playlists}.' => 'LiquidSoap u anda %{songs} adet arky %{playlists} adet alma listesinden kark olarak alyor.',
'Liquidsoap Performance Tuning' => 'Liquidsoap Performans Ayar',
'List one IP address or group (in CIDR format) per line.' => 'Her satra bir IP adresi veya grup (CIDR biiminde) yazn.',
'List one user agent per line. Wildcards (*) are allowed.' => 'Her satra bir tarayc listeleyin. Joker karakterlere (*) izin verilir.',
'Listener Analytics Collection' => 'Dinleyici statistik Koleksiyonu',
'Listener History' => 'Dinleyici Gemii',
'Listener Request' => 'Dinleyici stei',
'Listeners' => 'Dinleyiciler',
'Listeners by Day' => 'Gnlk Dinleyiciler',
'Listeners by Day of Week' => 'Haftann Gnlerine Gre Dinleyiciler',
'Listeners by Hour' => 'Saatlik Dinleyiciler',
'Listeners by Listening Time' => 'Dinleme Sresine Gre Dinleyiciler',
'Listeners By Time Period' => 'Zaman Dilimine Gre Dinleyiciler',
'Listeners Per Station' => 'Radyo Bana Dinleyici',
'Listening Time' => 'Dinleme Sresi',
'Live' => 'Canl',
'Live Broadcast Recording Bitrate (kbps)' => 'Canl Yayn Kayt Bit Hz (kbps)',
'Live Broadcast Recording Format' => 'Canl Yayn Kayt Format',
'Live Listeners' => 'Canl Dinleyiciler',
'Live Recordings Storage Location' => 'Canl Yayn Depolama Yeri',
'Live Streamer:' => 'DJ:',
'Live Streaming' => 'Canl Yayn',
'Load Average' => 'Yk Ortalamas',
'Local' => 'Yerel',
'Local Streams' => 'Yerel Yaynlar',
'Log In' => 'Giri Yap',
'Log Viewer' => 'Gnlk Grntleyici',
'Logs' => 'Kaytlar',
'Logs by Station' => 'Radyo Gnlkleri',
'Loop Once' => 'Bir Kez Oynat',
'Main Message Content' => 'Ana Mesaj erii',
'Make the selected media play immediately, interrupting existing media' => 'Mevcut mzii keserek seilen mzii hemen oynatn',
'Manage' => 'Ynetim',
'Manage SFTP Accounts' => 'SFTP Hesaplarn Ynet',
'Manage Stations' => 'Radyo Ynetimi',
'Manual AutoDJ Mode' => 'Manuel AutoDJ Modu',
'Manually define how this playlist is used in Liquidsoap configuration.' => 'Bu alma listesinin Liquidsoap yaplandrmasnda nasl kullanldn manuel olarak tanmlayn.',
'Markdown' => 'Etiketleme',
'Master_me Post-processing' => 'Master_me Ses leme Yntemi',
'Matomo API Token' => 'Matomo API Anahtar',
'Matomo Installation Base URL' => 'Matomo Kurulum Temel URLsi',
'Max Listener Duration' => 'Maksimum Dinleyici Sresi',
'Maximum Listeners' => 'Maksimum Dinleyici',
'Maximum number of total listeners across all streams. Leave blank to use the default.' => 'Radyonun maksimum toplam dinleyici says belirtin. Varsaylan kullanmak iin bo brakn.',
'MaxMind Developer Site' => 'MaxMind Gelitirici Sitesi',
'Media' => 'Medya',
'Media File' => 'Mzik Dosyas',
'Media Storage Location' => 'Mzik Dosyalar Depolama Konumu',
'Memory' => 'Bellek',
'Memory Stats Help' => 'Bellek statistikleri Yardm',
'Message Body' => 'Mesaj Metni',
'Message Customization Tips' => 'Mesaj zelletirme pular',
'Message parsing mode' => 'Mesaj Ayrtrma Modu',
'Message Queues' => 'Mesaj Sras',
'Message Recipient(s)' => 'Mesaj Alclar',
'Message Subject' => 'Mesaj Konusu',
'Metadata updated.' => 'Meta verileri gncellendi.',
'Microphone' => 'Mikrofon',
'Microphone Source' => 'Mikrofon Kayna',
'Minute of Hour to Play' => 'Saatin Hangi Dakikasnda alnsn?',
'Modified' => 'Deitirme Zaman',
'Monday' => 'Pazartesi',
'More' => 'Daha Fazla',
'Most hosting providers will put more Virtual Machines (VPSes) on a server than the hardware can handle when each VM is running at full CPU load. This is called over-provisioning, which can lead to other VMs on the server "stealing" CPU time from your VM and vice-versa.' => 'ou barndrma salaycs bir sunucuya her bir VM tam CPU yknde alrken donanmn kaldrabileceinden daha fazla Sanal Makine (VPS) yerletirir. Buna ar provizyon denir ve bu sunucudaki dier VM\'lerin VM\'nizden CPU zamann "almasna" neden olabilir ve bunun tersi de geerlidir.',
'Most Played Songs' => 'En ok alnan arklar',
'Most Recent Backup Log' => 'En Yeni Yedekleme Gnl',
'Mount Name:' => 'Balant Noktas:',
'Mount Point URL' => 'Balant Noktas URLsi',
'Mount Points' => 'Balant Noktas',
'Mount points are how listeners connect and listen to your station. Each mount point can be a different audio format or quality. Using mount points, you can set up a high-quality stream for broadband listeners and a mobile stream for phone users.' => 'Balant noktalar dinleyicilerin radyonuza nasl balayp dinlediini gsterir. Her bir balant noktas farkl ses format veya kalitede olabilir. Balant noktalarn kullanarak limitsiz internetli dinleyiciler iin yksek kaliteli bir yayn belirleyebilir veya telefon kullanclar iin dk kaliteli bir yayn ayarlayabilirsiniz.',
'Move' => 'Ta',
'Move %{ num } File(s) to' => '%{ num } adet dosyay ta',
'Move to Directory' => 'Dizine Ta',
'Music Files' => 'Mzik Dosyalar',
'Mute' => 'Sustur',
'My Account' => 'Hesabm',
'N/A' => 'Bilinmeyen',
'Name' => 'sim',
'name@example.com' => 'E-Posta Adresinizi Yazn',
'Name/Type' => 'sim/Tr',
'Need Help?' => 'Yardma M htiyacnz Var?',
'Network Interfaces' => 'A Arayzleri',
'Never run' => 'Asla altrma',
'New Directory' => 'Yeni Dizin',
'New directory created.' => 'Yeni Klasr Oluturuldu!',
'New File Name' => 'Yeni Klasr Ad',
'New Folder' => 'Yeni Klasr',
'New Key Generated' => 'Yeni Anahtar retildi',
'New Password' => 'Yeni ifre',
'New Playlist' => 'Yeni alma Listesi',
'New Playlist Name' => 'Yeni alma Listesi smi',
'New Station Description' => 'Yeni Radyo Aklamas',
'New Station Name' => 'Yeni Radyo smi',
'Next Run' => 'Sonraki alma',
'No' => 'Hayr',
'No files selected.' => 'Hibir dosya seilmedi.',
'No Limit' => 'Limitsiz',
'No Match' => 'Eleme Bulunamad',
'No other program can be using this port. Leave blank to automatically assign a port.' => 'Bu port baka hibir programda kullanamaz. Portu otomatik olarak atamak iin bo brakn.',
'No Post-processing' => 'Ses lemeyi Kapat',
'No records to display.' => 'Grntlenecek kayt bulunamad!',
'None' => 'Hibiri',
'Normal Mode' => 'Normal Mod',
'Not Played' => 'Oynatlmad',
'Not Run' => 'almad',
'Not Running' => 'almyor',
'Not Scheduled' => 'Planlanmad',
'Note that restoring a backup will clear your existing database. Never restore backup files from untrusted users.' => 'Bir yedein geri yklenmesinin mevcut veritabannz temizleyeceini unutmayn. Hibir zaman gvenilmeyen kullanclardan yedekleme dosyalarn geri yklemeyin.',
'Note that Stereo Tool can be resource-intensive for both CPU and Memory. Please ensure you have sufficient resources before proceeding.' => 'Stereo Aracnn hem CPU hem de Bellek asndan youn kaynak kullanabileceini unutmayn. Ltfen devam etmeden nce yeterli kaynaa sahip olduunuzdan emin olun.',
'Note: If your media metadata has UTF-8 characters, you should use a spreadsheet editor that supports UTF-8 encoding, like OpenOffice.' => 'Not: Mzik meta verileriniz UTF-8 karakterleri ieriyorsa OpenOffice gibi UTF-8 kodlamasn destekleyen bir elektronik tablo dzenleyicisi kullanmalsnz.',
'Note: the port after this one will automatically be used for legacy connections.' => 'Not: Bundan sonraki balant noktas eski balantlar iin otomatik olarak kullanlacaktr.',
'Note: This should be the public-facing homepage of the radio station, not the AzuraCast URL. It will be included in broadcast details.' => 'Not: AzuraCast URLsi deil radyonuzun web adresi olmaldr. Yayn detaylarna eklenecektir.',
'Notes' => 'Notlar',
'Now' => 'imdi',
'Now Playing' => 'alan ark',
'Now playing on %{ station }:' => '%{ station } alan ark:',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now: %{ url }' => '%{ station } alan ark: %{ artist } - %{ title }! imdi dinle: %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now.' => '%{ station } alan ark: %{ artist } - %{ title }! imdi dinle.',
'NowPlaying API Response' => 'NowPlaying API Yant',
'Number of Backup Copies to Keep' => 'Saklanacak Yedek Kopya Says',
'Number of Minutes Between Plays' => 'Ka Dakikada Bir alnsn?',
'Number of seconds to overlap songs.' => 'arklarn st ste gelecei zaman belirleyin.',
'Number of Songs Between Plays' => 'Ka arkda Bir alnsn?',
'Number of Visible Recent Songs' => 'Grnr Son arklarn Says',
'On the Air' => 'Yaynda',
'On-Demand' => 'stee Bal',
'On-Demand Media' => 'stee Bal Medya',
'On-Demand Streaming' => 'stee Bal Canl Yayn',
'Once per %{minutes} Minutes' => '%{minutes} Dakikada Bir',
'Once per %{songs} Songs' => '%{songs} arkda Bir',
'Once per Hour' => 'Saatte Bir al',
'Once per Hour (at %{minute})' => 'Saatte Bir Kez ( %{minute} ) ',
'Once per x Minutes' => 'x Dakikada Bir al',
'Once per x Songs' => 'x arkda Bir al',
'Once these steps are completed, enter the "Access Token" from the application\'s page into the field below.' => 'Bu admlar tamamlandktan sonra "Eriim Anahtar" sayfasndaki bilgileri aadaki alanlara girin.',
'One important note on I/O Wait is that it can indicate a bottleneck or problem but also may be completely meaningless, depending on the workload and general available resources. A constantly high I/O Wait should prompt further investigation with more sophisticated tools.' => 'G/ Bekleme ile ilgili nemli bir not bir darboaz veya sorun belirtebilecei ancak i ykne ve genel mevcut kaynaklara bal olarak tamamen anlamsz olabileceidir. Srekli yksek bir G/ Beklemesi daha karmak aralarla daha fazla aratrma yaplmasn salamaldr.',
'Only collect aggregate listener statistics' => 'Yalnzca toplu dinleyici istatistiklerini topla',
'Only loop through playlist once.' => 'alma listesinde yalnzca bir kez dng yapn.',
'Only play one track at scheduled time.' => 'Planlanan zamanda sadece bir para aln.',
'Operation' => 'Operasyon',
'Optional: HTTP Basic Authentication Password' => 'stee Bal: HTTP Temel Kimlik Dorulama ifresi',
'Optional: HTTP Basic Authentication Username' => 'stee Bal: HTTP Temel Kimlik Dorulama Kullanc Ad',
'Optional: Request Timeout (Seconds)' => 'stee bal: stek Zaman Am (Saniye)',
'Optionally select an ID3v2 metadata field that, if present, will be used to set this field\'s value.' => 'stee bal olarak varsa bu alann deerini ayarlamak iin kullanlacak bir ID3v2 metadata alan belirtin.',
'Optionally specify a short URL-friendly name, such as "my_station_name", that will be used in this station\'s URLs. Leave this field blank to automatically create one based on the station name.' => 'stee bal olarak bu radyonun URL\'lerinde kullanlacak "my_station_name" gibi URL\'ye uygun ksa bir ad belirtin. Radyo adna gre otomatik olarak bir tane oluturmak iin bu alan bo brakn.',
'Optionally specify an API-friendly name, such as "field_name". Leave this field blank to automatically create one based on the name.' => 'stee bal olarak "field_name" gibi bir API dostu isim belirtin. sme gre otomatik olarak bir tane oluturmak iin bu alan bo brakn.',
'Optionally supply an API token to allow IP address overriding.' => 'stee bal olarak IP adresinin geersiz klnmasna izin vermek iin bir API anahtar salayn.',
'Optionally supply SSH public keys this user can use to connect instead of a password. Enter one key per line.' => 'stee bal olarak bu kullancnn ifre yerine balanmak iin kullanabilecei SSH ortak anahtarlar salayn. Her satra bir anahtar giriniz.',
'or' => 'veya',
'Original Path' => 'Orjinal Dizin',
'Password' => 'ifre',
'Password:' => 'ifre:',
'Paste the generated license key into the field on this page.' => 'Oluturulan lisans anahtarn bu sayfadaki alana yaptrnz.',
'Path/Suffix' => 'Yol/Son Ek',
'Pending Requests' => 'Bekleyen stekler',
'Permissions' => 'zinler',
'Play' => 'Oynat',
'Play Now' => 'imdi Oynat',
'Play once every $x minutes.' => 'Her $x dakikada bir alnr.',
'Play once every $x songs.' => 'Her $x arkda bir alnr.',
'Play once per hour at the specified minute.' => 'Belirtilen dakikada saatte bir alnr.',
'Playback Queue' => 'Oynatma Sras',
'Playing Next' => 'Sradaki ark',
'Playlist' => 'alma Listesi',
'Playlist (M3U/PLS) URL' => 'alma Listesi URLsi (M3U/PLS)',
'Playlist 1' => 'alma Listesi 1',
'Playlist 2' => 'alma Listesi 2',
'Playlist Name' => 'alma Listesi smi',
'Playlist queue cleared.' => 'alma listesi sras temizlendi.',
'Playlist Type' => 'alma Listesi Tr',
'Playlist Weight' => 'alma Listesi ncelii',
'Playlist:' => 'alma Listesi: ',
'Playlists' => 'alma Listeleri',
'Plays' => 'Oynatlma',
'Please log in to continue.' => 'Devam etmek iin ltfen giri yapn.',
'Podcast' => 'Podcast',
'Podcast media should be in the MP3 or M4A (AAC) format for the greatest compatibility.' => 'Podcast dosyas en yksek uyumluluk iin MP3 veya M4A (AAC) formatnda olmaldr.',
'Podcast Title' => 'Podcast Bal',
'Podcasts' => 'Podcastler',
'Podcasts Storage Location' => 'Podcast Depolama Konumu',
'Port' => 'Port',
'Port:' => 'Port:',
'Powered by AzuraCast' => 'AzuraCast tarafndan desteklenmektedir',
'Prefer Browser URL (If Available)' => 'Tarayc URLsini Tercih Et (Varsa)',
'Prefer System Default' => 'Sistem Varsaylann Kullan',
'Preview' => 'nizleme',
'Previous' => 'nceki',
'Privacy' => 'Gizlilik',
'Profile' => 'Profil',
'Programmatic Name' => 'Program smi',
'Provide a valid license key from Thimeo. Functionality is limited without a license key.' => 'Thimeo\'dan geerli bir lisans anahtar salayn. levsellik bir lisans anahtar olmadan snrldr.',
'Public' => 'Genel',
'Public Page' => 'Genel Sayfa',
'Public Page Background' => 'Genel Sayfa Arkaplan',
'Public Pages' => 'Genel Sayfalar',
'Publish to "Yellow Pages" Directories' => '"Yellow Pages" Dizininde Yaynla',
'Queue' => 'Srala',
'Queue the selected media to play next' => 'Bir sonrakini oynatmak iin seilen mzik dosyasn srala',
'Radio Player' => 'Radyo alar',
'Radio.de' => 'Radio.de',
'Random' => 'Rastgele',
'Ready to start broadcasting? Click to start your station.' => 'Yayna balamak iin hazr msnz? Radyonuzu balatmak iin tklayn.',
'Received' => 'Gelen',
'Record Live Broadcasts' => 'Canl Yayn Kaydet',
'Recover Account' => 'Hesap Kurtarma',
'Refresh' => 'Yenile',
'Refresh rows' => 'Satrlar Yenile',
'Region' => 'Blge',
'Relay' => 'Ynlendirme',
'Relay Stream URL' => 'Ynlendirme URLsi',
'Release Channel' => 'Srm Kanal',
'Reload Configuration' => 'Yaplandrmay Yeniden Ykle',
'Reload to Apply Changes' => 'Deiiklikleri Uygulamak in Yeniden Balat',
'Remember me' => 'Beni Hatrla',
'Remote' => 'Uzak',
'Remote Playback Buffer (Seconds)' => 'Uzaktan Oynatma Arabellii (saniye)',
'Remote Relays' => 'Ynlendirme',
'Remote relays let you work with broadcasting software outside this server. Any relay you include here will be included in your station\'s statistics. You can also broadcast from this server to remote relays.' => 'Ynlendirme bu sunucunun dndaki yayn yazlm ile almanz salar. Buraya dahil ettiiniz herhangi bir ynlendirme radyonuzun istatistiklerine dahil edilecektir. Ayrca bu sunucudan uzak sunuculara da yayn yapabilirsiniz.',
'Remote Station Administrator Password' => 'Uzak Radyo Ynetici Parolas',
'Remote Station Listening Mountpoint/SID' => 'Uzak Radyo Dinleme Balant Noktas/SID',
'Remote Station Listening URL' => 'Uzak Radyo Dinleme URLsi',
'Remote Station Source Mountpoint/SID' => 'Uzak Radyo Balant Noktas/SID',
'Remote Station Source Password' => 'Uzak Radyo ifresi',
'Remote Station Source Port' => 'Uzak Radyo Portu',
'Remote Station Source Username' => 'Uzak Radyo Kullanc Ad',
'Remote Station Type' => 'Uzak Radyo Tr',
'Remote URL' => 'Uzak alma Listesi URLsi',
'Remote URL Playlist' => 'Uzak alma Listesi URLsi',
'Remote URL Type' => 'Uzak alma Listesi Tr',
'Remote: Dropbox' => 'Uzak: Dropbox',
'Remote: S3 Compatible' => 'Uzak: S3 Uyumlu',
'Remote: SFTP' => 'Uzak: SFTP',
'Remove' => 'Kaldr',
'Remove Key' => 'Anahtar Kaldr',
'Rename' => 'Yeniden Adlandr',
'Rename File/Directory' => 'Dosya/Klasr Yeniden Adlandr',
'Reorder' => 'Yeniden Srala',
'Reorder Playlist' => 'alma Listesi Yeniden Sralama',
'Repeat' => 'Tekrar',
'Replace Album Cover Art' => 'Albm Kapan Deitir',
'Reports' => 'Raporlar',
'Reprocess' => 'Yeniden le',
'Request' => 'stek',
'Request a Song' => 'Bir ark steyin',
'Request History' => 'stek Gemii',
'Request Last Played Threshold (Minutes)' => 'En Son Oynatma Aral stei (dakika)',
'Request Minimum Delay (Minutes)' => 'Minumum Gecikme stei (dakika)',
'Request Song' => 'ark ste',
'Requester IP' => 'Talep Eden IP',
'Requests' => 'stekler',
'Reshuffle' => 'Yeniden Kartrma',
'Restart' => 'Yeniden Balat',
'Restart Broadcasting' => 'Yayn Yeniden Balat',
'Restoring Backups' => 'Yedekleri Geri Ykleme',
'Role Name' => 'Yetki smi',
'Roles' => 'Yetkiler',
'Roles & Permissions' => 'Yetkiler ve zinler',
'Rolling Release' => 'Deiiklikler Gnl',
'RSS' => 'RSS',
'RSS Feed' => 'RSS Beslemesi',
'Run Automatic Nightly Backups' => 'Otomatik Gecelik Yedeklemeyi altr',
'Run Manual Backup' => 'Manuel Yedeklemeyi altr',
'Run Task' => 'Grevi altr',
'Running' => 'alyor',
'Sample Rate' => 'Sample Rate',
'Saturday' => 'Cumartesi',
'Save' => 'Kaydet',
'Save and Continue' => 'Kaydet ve Devam Et',
'Save Changes' => 'Kaydet',
'Save Changes first' => 'nce Deiiklikleri Kaydet',
'Schedule' => 'Zamanla',
'Schedule View' => 'Zamanlama Grnm',
'Scheduled' => 'Zamanlanm',
'Scheduled Backup Time' => 'Belirlenmi Yedekleme Zaman',
'Scheduled Play Days of Week' => 'Haftalk Zamanlama',
'Scheduled playlists and other timed items will be controlled by this time zone.' => 'Zamanlanm alma listeleri ve zamanlanm dier eler bu zaman dilimi tarafndan kontrol edilir.',
'Scheduled Time #%{num}' => 'Planlanan Zaman #%{num}',
'Scheduling' => 'Zamanlama',
'Search' => 'Arama',
'Seconds from the start of the song that the AutoDJ should start playing.' => 'AutoDJ\'in arky almaya balamas iin gereken zaman belirtin.',
'Seconds from the start of the song that the AutoDJ should stop playing.' => 'AutoDJ\'in arky almaya sonlandrmas iin gereken zaman belirtin.',
'Secret Key' => 'Gvenlik Anahtar',
'Security' => 'Gvenlik',
'Security & Privacy' => 'Gvenlik & Gizlilik',
'See the Telegram documentation for more details.' => 'Daha fazla ayrnt iin Telegram belgelerine bakn.',
'See the Telegram Documentation for more details.' => 'Daha fazla ayrnt iin Telegram Belgelerine bakn.',
'Seek' => 'Arama',
'Select' => 'Se',
'Select a theme to use as a base for station public pages and the login page.' => 'Radyo genel sayfalar ve giri sayfas iin kullanlacak bir tema sein.',
'Select an option here to apply post-processing using an easy preset or tool. You can also manually apply post-processing by editing your Liquidsoap configuration manually.' => 'Kolay bir n ayar veya ara kullanarak ses ilemeyi uygulamak iin burada bir seenek belirleyin. Liquidsoap konfigrasyonunuzu manuel olarak dzenleyerek ses ileme ilemlerini manuel olarak da uygulayabilirsiniz.',
'Select Configuration File' => 'Yaplandrma Dosyasn Sein',
'Select CSV File' => 'CSV Dosyasn Sein',
'Select Custom Fallback File' => 'zel Geri Dn Dosyasn Sein',
'Select File' => 'Dosya Se',
'Select Intro File' => 'Karlama Mzii Se',
'Select Media File' => 'Medya Dosyasn Se',
'Select PLS/M3U File to Import' => 'e Aktarlacak PLS/M3U Dosyasn Sein',
'Select PNG/JPG artwork file' => 'Kapak Resmini (PNG/JPG) Se',
'Select the category/categories that best reflects the content of your podcast.' => 'Podcast ieriini en iyi yanstan kategoriyi/kategorileri sein.',
'Select the countries that are not allowed to connect to the streams.' => 'Canl yaynlara balanmasna izin verilmeyen lkeleri sein.',
'Send stream listener details to Matomo Analytics.' => 'Ak dinleyici ayrntlarn Matomo Analiz\'e gnderin.',
'Send Test Message' => 'Test Mesaj Gnder',
'Sender E-mail Address' => 'Gnderen E-posta Adresi',
'Sender Name' => 'Gnderen Ad',
'Sequential' => 'Sral',
'Server Status' => 'Sunucu Durumu',
'Server:' => 'Sunucu:',
'Services' => 'Hizmetler',
'Set a maximum disk space that this storage location can use. Specify the size with unit, i.e. "8 GB". Units are measured in 1024 bytes. Leave blank to default to the available space on the disk.' => 'Bu radyonun kullanabilecei maksimum disk alan ayarlayn. Bo brakrsanz sunucu depolama alan dolana kadar kullanlabilir. Depolama alan bykln 1024 bayt cinsinden hesaplayarak yazmalnsz. rnek: "2 GB" veya "2048 MB"',
'Set as Default Mount Point' => 'Varsaylan Balant Noktas',
'Set cue and fade points using the visual editor. The timestamps will be saved to the corresponding fields in the advanced playback settings.' => 'Grsel dzenleyiciyi kullanarak iaret ve solma noktalarn ayarlayn. Zaman damgalar gelimi oynatma ayarlarndaki ilgili alanlara kaydedilecektir.',
'Set Cue In' => 'Giri aretleme Ayar',
'Set Cue Out' => 'k aretleme Ayar',
'Set Fade In' => 'Giri Solma Ayar',
'Set Fade Out' => 'k Solma Ayar',
'Set longer to preserve more playback history and listener metadata for stations. Set shorter to save disk space.' => 'Radyolar iin uzun sre alma gemiini saklamak iin en byk deeri sein veya disk alanndan tasarruf etmek iin kk deeri sein.',
'Set the length of time (seconds) a listener will stay connected to the stream. If set to 0, listeners can stay connected infinitely.' => 'Dinleyicinin aka bal kalaca sreyi saniye olarak ayarlayn. Sfr (0) olarak ayarlanrsa dinleyiciler sonsuza kadar bal kalabilir.',
'Set to * to allow all sources, or specify a list of origins separated by a comma (,).' => 'Tm kaynaklara izin vermek iin * olarak ayarlayn veya virglle (,) ayrlm bir balang listesi belirtin.',
'Settings' => 'Ayarlar',
'Setup instructions for broadcasting software are available on the AzuraCast wiki.' => 'Canl yayn programlarna ait dkmanlar iin AzuraCast Wiki sayfasn ziyaret edebilirsiniz.',
'SFTP Host' => 'SFTP Sunucusu',
'SFTP Password' => 'SFTP ifresi',
'SFTP Port' => 'SFTP Portu',
'SFTP Private Key' => 'SFTP zel Anahtar',
'SFTP Private Key Pass Phrase' => 'SFTP zel Anahtar Gei fadesi',
'SFTP Username' => 'SFTP Kullanc Ad',
'SFTP Users' => 'SFTP Kullanclar',
'Share Media Storage Location' => 'Mzik Dosyalar Depolama Konumunu Payla',
'Share Podcasts Storage Location' => 'Podcast Depolama Konumunu Payla',
'Share Recordings Storage Location' => 'Canl Yayn Kaytlarnn Depolama Konumunu Payla',
'Shoutcast 2 DNAS is not currently installed on this installation.' => 'Shoutcast henz kurulmamtr.',
'Shoutcast 2 DNAS is not free software, and its restrictive license does not allow AzuraCast to distribute the Shoutcast binary.' => 'Shoutcast 2 DNAS zgr yazlm deildir ve kstlayc lisans AzuraCast\'n Shoutcast dosyasn datmasna izin vermez.',
'Shoutcast Clients' => 'ShoutCast v1 Bilgileri',
'Shoutcast Radio Manager' => 'Shoutcast Radio Manager',
'Shoutcast User ID' => 'SHOUTcast Kullanc ID',
'Shoutcast version "%{ version }" is currently installed.' => 'Shoutcast "%{ version }"versiyonu kuruludur.',
'Show Charts' => 'Grafikleri Gster',
'Show new releases within your update channel on the AzuraCast homepage.' => 'AzuraCast anasayfasnda gncelleme kanalnzda yeni srmleri gsterin.',
'Show on Public Pages' => 'Genel Sayfalar Gster',
'Show the station in public pages and general API results.' => 'Radyonuzu genel sayfalarda ve genel API sonularnda gsterin.',
'Show Update Announcements' => 'Gncelleme Duyurularn Gster',
'Shuffled' => 'Kartr',
'Sign In' => 'Oturum A',
'Sign In with Passkey' => 'Passkey ile oturum a',
'Sign Out' => 'k Yap',
'Site Base URL' => 'Sunucu Kontrol Paneli URLsi',
'Size' => 'Boyut',
'Skip Song' => 'arky Atla',
'Skip to main content' => 'Ana erie Atla',
'Smart Mode' => 'Akll Mod',
'SMTP Host' => 'SMTP Sunucusu',
'SMTP Password' => 'SMTP ifresi',
'SMTP Port' => 'SMTP Port',
'SMTP Username' => 'SMTP Kullanc Ad',
'Social Media' => 'Sosyal Medya',
'Some stream licensing providers may have specific rules regarding song requests. Check your local regulations for more information.' => 'Baz yayn lisanslama salayclarnn ark istekleriyle ilgili belirli kurallar olabilir. Daha fazla bilgi iin yerel dzenlemelerinizi kontrol edin.',
'Song' => 'ark',
'Song Album' => 'Albm',
'Song Artist' => 'Sanat',
'Song Genre' => 'ark Tr',
'Song History' => 'ark Gemii',
'Song Length' => 'ark Sresi',
'Song Lyrics' => 'ark Szleri',
'Song Playback Order' => 'ark alma Sras',
'Song Playback Timeline' => 'ark Oynatma Zaman izelgesi',
'Song Requests' => 'ark stekleri',
'Song Title' => 'ark',
'Song-based' => 'alma Listesi Modu',
'Song-Based' => 'ark Tabanl',
'Song-Based Playlist' => 'alma Listesinden al',
'SoundExchange Report' => 'SoundExchange Raporu',
'SoundExchange Royalties' => 'SoundExchange Raporu',
'Source' => 'Kaynak',
'Space Used' => 'Kullanlan Alan',
'Specify a mountpoint (i.e. "/radio.mp3") or a Shoutcast SID (i.e. "2") to specify a specific stream to use for statistics or broadcasting.' => 'statistikler veya yayn iin kullanlacak belirli bir ak belirtmek iin bir balama noktas (rn: "/radio.mp3") veya bir Shoutcast SID (rn: "2") yazn.',
'Specify the minute of every hour that this playlist should play.' => 'Bu alma listesinin saatin hangi dakikasnda oynatlmasn istiyorsanz belirtin.',
'SSH Public Keys' => 'SSH Ortak Anahtarlar',
'Stable' => 'Kararl',
'Standard playlist, shuffles with other standard playlists based on weight.' => 'Gn boyu oynatlr ve ncelie gre dier standart alma listeleriyle kartrlr.',
'Start' => 'Balat',
'Start Date' => 'Balang Tarihi',
'Start Station' => 'Radyoyu Balat',
'Start Streaming' => 'Yayn Balat',
'Start Time' => 'Balama Zaman',
'Station Name' => 'Radyo smi',
'Station Offline' => 'Radyo evrimd',
'Station Overview' => 'Radyo nizlemesi',
'Station Permissions' => 'Radyo zinleri',
'Station Statistics' => 'Radyo statistikleri',
'Station Time' => 'Radyo Saati',
'Station Time Zone' => 'Radyo Saat Dilimi',
'Station-Specific Debugging' => 'Radyo Hata Ayklama',
'Stations' => 'Radyolar',
'Steal' => 'Steal',
'Steal (St)' => 'Steal (St)',
'Step 1: Scan QR Code' => 'Adm 1: QR Kodunu Tara',
'Step 2: Verify Generated Code' => 'Adm 2: Oluturulan Kodu Dorulayn',
'Steps for configuring a Mastodon application:' => 'Bir Mastodon uygulamasn yaplandrma admlar:',
'Stereo Tool' => 'Stereo Arac',
'Stereo Tool documentation.' => 'Stereo Arac belgeleri.',
'Stereo Tool Downloads' => 'Stereo Arac ndirmeleri',
'Stereo Tool is an industry standard for software audio processing. For more information on how to configure it, please refer to the' => 'Stereo Arac yazlm ses ileme iin bir endstri standarddr. Nasl yaplandrlaca hakknda daha fazla bilgi iin ltfen bkz',
'Stereo Tool is not currently installed on this installation.' => 'Stereo Arac u anda kurulu deil.',
'Stereo Tool is not free software, and its restrictive license does not allow AzuraCast to distribute the Stereo Tool binary.' => 'Stereo Arac cretsiz bir yazlm deildir ve kstlayc lisans AzuraCast\'n Stereo Ara ikili dosyasn datmasna izin vermez.',
'Stereo Tool version %{ version } is currently installed.' => 'Stereo Arac %{ version } srm u anda ykl.',
'Stop' => 'Durdur',
'Stop Streaming' => 'Yayn Durdur',
'Storage Adapter' => 'Depolama Konumu',
'Storage Location' => 'Depolama Konumu',
'Storage Locations' => 'Depolama Ynetimi',
'Storage Quota' => 'Depolama Alan',
'Stream' => 'Yaynlar',
'Streamer Broadcasts' => 'DJ Yaynlar',
'Streamer Display Name' => 'DJ smi',
'Streamer password' => 'DJ ifresi',
'Streamer Username' => 'DJ Kullanc Ad',
'Streamer/DJ' => 'DJ',
'Streamer/DJ Accounts' => 'DJ Ynetimi',
'Streamers/DJs' => 'DJ Ynetimi',
'Streams' => 'Yaynlar',
'Submit Code' => 'Kodu Gnder',
'Sunday' => 'Pazar',
'Supported file formats:' => 'Desteklenen dosya biimleri:',
'Switch Theme' => 'Temay Deitir',
'Synchronization Tasks' => 'Senkronizasyon Grevleri',
'System Administration' => 'Sistem Ynetimi',
'System Debugger' => 'Sistem Hata Ayklama',
'System Logs' => 'Sistem Gnlkleri',
'System Maintenance' => 'Sunucu Bakm',
'System Settings' => 'Sistem Ayarlar',
'Target' => 'Hedef',
'Task Name' => 'Grev Ad',
'Telegram Chat Message' => 'Telegram Sohbet Mesaj',
'Test' => 'Deneme',
'Test message sent.' => 'Test mesaj gnderildi.',
'The amount of memory Linux is using for disk caching.' => 'Linux\'un disk nbellee alma iin kulland bellek miktar.',
'The base URL where this service is located. Use either the external IP address or fully-qualified domain name (if one exists) pointing to this server.' => 'Sunucu kontrol paneli URL tam adresi veya IP adresini yazn.',
'The body of the POST message is the exact same as the NowPlaying API response for your station.' => 'POST mesajnn gvdesi radyonuz iin NowPlaying API yantyla tamamen ayndr.',
'The contact person of the podcast. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => 'Podcast\'in ilgili kiisi. Podcast\'i Apple Podcasts, Spotify, Google Podcasts vb. hizmetlerde listelemek iin gerekli olabilir.',
'The current CPU usage including I/O Wait and Steal.' => 'G/ Bekleme ve alma dahil mevcut CPU kullanm.',
'The current Memory usage excluding cached memory.' => 'nbellee alnm bellek hari geerli Bellek kullanm.',
'The description of the episode. The typical maximum amount of text allowed for this is 4000 characters.' => 'Blm aklamas. Bunun iin izin verilen tipik maksimum metin miktar 4000 karakterdir.',
'The description of your podcast. The typical maximum amount of text allowed for this is 4000 characters.' => 'Podcast aklamas. Bunun iin izin verilen tipik maksimum metin miktar 4000 karakterdir.',
'The display name assigned to this mount point when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Ynetici ve genel sayfalarda grntlenecek balama noktasna atanacak ekran adn belirtin. Otomatik oluturmak iin bo brakn.',
'The display name assigned to this relay when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Ynetici veya genel sayfalarda grntlerken bu ynlendirmeye atanan ismi belirleyin. Otomatik olarak oluturmak iin bo brakn.',
'The editable text boxes are areas where you can insert custom configuration code. The non-editable sections are automatically generated by AzuraCast.' => 'Dzenlenebilir metin kutular zel yaplandrma kodu ekleyebileceiniz alanlardr. Dzenlenebilir olmayan blmler AzuraCast tarafndan otomatik olarak oluturulur.',
'The email of the podcast contact. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => 'Podcast kiisinin e-postas. Podcast\'i Apple Podcasts, Spotify, Google Podcasts vb. hizmetlerde listelemek iin gerekli olabilir.',
'The file name should look like:' => 'Dosya ad yle grnmelidir:',
'The format and headers of this CSV should match the format generated by the export function on this page.' => 'CSV\'nin biimi ve balklar bu sayfadaki da aktarma ilevi tarafndan oluturulan biimle elemelidir.',
'The full base URL of your Matomo installation.' => 'Matomo kurulumunuzun tam temel URLsini yazn.',
'The full playlist is shuffled and then played through in the shuffled order.' => 'Tam oynatma listesi kartrlr ve ardndan kark srayla oynatlr.',
'The I/O Wait is the percentage of time that the CPU is waiting for disk access before it can continue the work that depends on the result of this.' => 'G/ Bekleme bunun sonucuna bal olarak CPU\'nun almaya devam edebilmesi iin disk eriimini bekledii srenin yzdesidir.',
'The language spoken on the podcast.' => 'Podcast konuma dili.',
'The length of playback time that Liquidsoap should buffer when playing this remote playlist. Shorter times may lead to intermittent playback on unstable connections.' => 'Uzak alma listesi Liquidsoap tarafndan oynatlrken arabellek iin gereken sreyi belirtin. Balant sorunlar olutuunda daha ksa sreler taklmalara neden olabilir.',
'The number of seconds of signal to store in case of interruption. Set to the lowest value that your DJs can use without stream interruptions.' => 'Kesinti srasnda saklanacak sinyalin saniyesini belirleyin. DJlerin yayn kesintileri olmadan kullanabilecei en dk deere ayarlayn.',
'The number of seconds to wait for a response from the remote server before cancelling the request.' => 'stei iptal etmeden nce uzak sunucudan yant beklenecek saniyeyi yaznz.',
'The numeric site ID for this site.' => 'Bu site iin saysal site kimliini yazn.',
'The order of the playlist is manually specified and followed by the AutoDJ.' => 'alma listesinin sras manuel olarak belirlenir ve ardndan AutoDJ gelir.',
'The parent directory where station playlist and configuration files are stored. Leave blank to use default directory.' => 'Radyo alma listesi ve ayar dosyalarnn saklanaca dizini belirtin. Varsaylan dizini kullanmak iin bo brakn.',
'The relative path of the file in the station\'s media directory.' => 'Radyonun mzik dosyalarnn geici dizinidir.',
'The station ID will be a numeric string that starts with the letter S.' => '"S" harfi ile balayan TuneIn Radyo ID\'sini buraya yazn.',
'The streamer will use this password to connect to the radio server.' => 'Radyo sunucusuna balanmak iin bir ifre belirtin.',
'The streamer will use this username to connect to the radio server.' => 'Radyo sunucusuna balanmak iin bir kullanc ad belirtin.',
'The time period that the song should fade in. Leave blank to use the system default.' => 'Bu arkya gei srasnda nceki arknn solma zamann belirtin. Sistem varsaylan deeri iin bo brakn.',
'The time period that the song should fade out. Leave blank to use the system default.' => 'Bu arkdan dier arkya gei srasnda sonraki arknn solma zamann belirtin. Sistem varsaylan deeri iin bo brakn.',
'The URL that will receive the POST messages any time an event is triggered.' => 'Bir URL olay tetiklendiinde POST mesajlarn alacaktr.',
'The volume in decibels to amplify the track with. Leave blank to use the system default.' => 'Parann sesini ykseltmek iin desibel cinsinden hacim miktar giriniz. Sistem varsaylann kullanmak iin bo brakn.',
'Theme' => 'Tema',
'There is no existing custom fallback file associated with this station.' => 'Bu radyoyla ilikilendirilmi mevcut zel bir geri dn dosyas yok.',
'There is no existing intro file associated with this mount point.' => 'Bu balant noktasyla ilikilendirilmi mevcut bir karlama mzii yok.',
'There is no existing media associated with this episode.' => 'Bu blmle ilikilendirilmi mevcut medya dosyas yok.',
'There is no Stereo Tool configuration file present.' => 'Stereo Arac konfigrasyon dosyas mevcut deil.',
'This account will have full access to the system, and you\'ll automatically be logged in to it for the rest of setup.' => 'Bu hesap sisteme tam eriime sahip olacak ve kurulumun geri kalannda otomatik olarak oturum am olacaksnz.',
'This can make it look like your memory is low while it actually is not. Some monitoring solutions/panels include cached memory in their used memory statistics without indicating this.' => 'Bu aslnda deilken hafzanzn dkm gibi grnmesine neden olabilir. Baz izleme zmleri/panelleri bunu belirtmeden kullanlan bellek istatistiklerinde nbellee alnm bellei ierir.',
'This code will be included in the frontend configuration. Allowed formats are:' => 'Bu kod frontend yaplandrmasna dahil edilecektir. zin verilen biimler unlardr:',
'This configuration file should be a valid .sts file exported from Stereo Tool.' => 'Bu yaplandrma dosyas Stereo Arac\'ndan da aktarlan geerli bir .sts dosyas olmaldr.',
'This CSS will be applied to the main management pages, like this one.' => 'Bu CSS ynetim sayfalarna uygulanacaktr.',
'This CSS will be applied to the station public pages and login page.' => 'Bu CSS genel sayfa ve giri sayfasna uygulanacaktr.',
'This CSS will be applied to the station public pages.' => 'Bu CSS radyo genel sayfasna uygulanacaktr.',
'This determines how many songs in advance the AutoDJ will automatically fill the queue.' => 'Bu AutoDJ\'nin kuyruu otomatik olarak ka ark nceden dolduracan belirler.',
'This field is required.' => 'Bu alan gereklidir.',
'This field must be a valid decimal number.' => 'Bu alan geerli bir ondalk say olmaldr.',
'This field must be a valid e-mail address.' => 'Bu alan geerli bir e-posta adresi olmaldr.',
'This field must be a valid integer.' => 'Bu alan geerli bir tam say olmaldr.',
'This field must be a valid IP address.' => 'Bu alan geerli bir IP adresi olmaldr.',
'This field must be a valid URL.' => 'Bu alan geerli bir URL olmaldr.',
'This field must be between %{ min } and %{ max }.' => 'Bu alan %{ min } ile %{ max } arasnda olmaldr.',
'This field must have at least %{ min } letters.' => 'Bu alan en az %{ min } harf iermelidir.',
'This field must have at most %{ max } letters.' => 'Bu alan en fazla %{ max } harf iermelidir.',
'This field must only contain alphabetic characters.' => 'Bu alan yalnzca alfabetik karakterler iermelidir.',
'This field must only contain alphanumeric characters.' => 'Bu alan yalnzca alfasaysal karakterler iermelidir.',
'This field must only contain numeric characters.' => 'Bu alan yalnzca saysal karakterler iermelidir.',
'This file will be played on your radio station any time no media is scheduled to play or a critical error occurs that interrupts regular broadcasting.' => 'Bu dosya herhangi bir medyann oynatlmas planlanmadnda veya normal yayn kesintiye uratan kritik bir hata olutuunda radyo istasyonunuzda oynatlacaktr.',
'This introduction file should exactly match the bitrate and format of the mount point itself.' => 'Bu tantm dosyas, balant noktasnn kendisinin bit hz ve biimiyle tam olarak elemelidir.',
'This is an advanced feature and custom code is not officially supported by AzuraCast. You may break your station by adding custom code, but removing it should fix any issues.' => 'Bu gelimi bir zelliktir ve zel kod AzuraCast tarafndan resmi olarak desteklenmemektedir. zel kod ekleyerek radyonuzu bozabilirsiniz ancak onu kaldrmak tm sorunlar zecektir.',
'This is the informal display name that will be shown in API responses if the streamer/DJ is live.' => 'Bu DJ canl yaynda olduunda API yantlarnda gsterilecek olan resmi olmayan ekran addr.',
'This is the number of seconds until a streamer who has been manually disconnected can reconnect to the stream. Set to 0 to allow the streamer to immediately reconnect.' => 'Bu manuel olarak balants kesilen bir yayncnn aka yeniden balanabilmesi iin geen saniye saysdr. DJ\'in hemen yeniden balanmasna izin vermek iin sfr (0) olarak ayarlayn.',
'This javascript code will be applied to the station public pages and login page.' => 'Bu JS genel sayfa ve giri sayfasna uygulanacaktr.',
'This javascript code will be applied to the station public pages.' => 'Bu JS radyo genel sayfasna uygulanacaktr.',
'This mode disables AzuraCast\'s AutoDJ management, using Liquidsoap itself to manage song playback. "next song" and some other features will not be available.' => 'Bu mod AutoDJ ynetimini devre d brakr ve ark almay ynetmek iin Liquidsoap ilevini kullanr. "Sradaki ark" ve dier baz zellikler kullanlamayacaktr.',
'This Month' => 'Bu Ay',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => 'Bu isim her zaman bir (/) iareti ile balamaldr ve /autodj.mp3 gibi geerli bir URLye sahip olmaldr.',
'This name will appear as a sub-header next to the AzuraCast logo, to help identify this server.' => 'AzuraCast logosunun yannda yer alacak slogan adn yazn.',
'This password is too common or insecure.' => 'Bu parola ok yaygn veya gvensiz.',
'This playlist currently has no scheduled times. It will play at all times. To add a new scheduled time, click the button below.' => 'Bu oynatma listesinin u anda planlanm zaman yok. Sistem tarafndan her zaman oynatlacaktr. Yeni bir zamanlanm saat eklemek iin aadaki dmeyi tklayn.',
'This playlist will play every $x minutes, where $x is specified here.' => 'Bu alma listesi burada $x belirtildiinde her $x dakikada bir oynatlacaktr.',
'This playlist will play every $x songs, where $x is specified here.' => 'Bu alma listesi burada $x belirtildiinde her $x arky alacaktr.',
'This port is not used by any external process. Only modify this port if the assigned port is in use. Leave blank to automatically assign a port.' => 'Bu port baka hibir programda kullanamaz. Portu otomatik olarak atamak iin bo brakn. Bu portu yalnzca atanm port kullanlyorsa deitirin.',
'This queue contains the remaining tracks in the order they will be queued by the AzuraCast AutoDJ (if the tracks are eligible to be played).' => 'Bu sra kalan paralar AzuraCast AutoDJ tarafndan sraya alnacaklar sraya gre ierir (paralar oynatlmaya uygunsa).',
'This service can provide album art for tracks where none is available locally.' => 'Bu hizmet yerel olarak hibirinin bulunmad paralar iin albm resmi salayabilir.',
'This software shuffles from playlists of music constantly and plays when no other radio source is available.' => 'Bu yazlm alma listesindeki mzikleri otomatik olarak alar.',
'This specifies the minimum time (in minutes) between a song playing on the radio and being available to request again. Set to 0 for no threshold.' => 'Bu bir arknn radyoda alnmas ile tekrar talep edilebilir olmas arasndaki minimum sreyi (dakika olarak) belirtir. Aral kapatmak iin sfr (0) olarak ayarlayn.',
'This specifies the time range (in minutes) of the song history that the duplicate song prevention algorithm should take into account.' => 'Bu, yinelenen ark nleme algoritmasnn hesaba katmas gereken ark gemiinin zaman araln (dakika cinsinden) belirtir.',
'This station\'s time zone is currently %{tz}.' => 'Bu radyonun saat dilimi %{tz} olarak ayarlanmtr.',
'This streamer is not scheduled to play at any times.' => 'Bu DJ hibir zaman oynatlamaz.',
'This URL is provided within the Discord application.' => 'Bu URL Discord uygulamasndan salanr.',
'This web hook will only run when the selected event(s) occur on this specific station.' => 'Bu a kancas yalnzca seilen olay(lar) bu belirli radyonda gerekletiinde alr.',
'This will be used as the label when editing individual songs, and will show in API results.' => 'Tek tek arklar dzenlerken etiket olarak kullanlacak ve API sonularnda gsterilecektir.',
'This will clear any pending unprocessed messages in all message queues.' => 'Bu mesaj kuyruundaki tm ilenmemi bekleyen mesajlar temizleyecektir.',
'This will produce a significantly smaller backup, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => 'Bu nemli lde daha kk bir yedekleme retecektir. Ancak mzik dosyalarn baka bir yerde yedeklediinizden emin olmalsnz. Yalnzca yerel olarak depolanan mzik dosyalarnn yedekleneceini unutmayn.',
'Thumbnail Image URL' => 'Kk Resim URLsi',
'Thursday' => 'Perembe',
'Time' => 'Zaman',
'Time (sec)' => 'Zaman (sn)',
'Time spent waiting for disk I/O to be completed.' => 'Disk G/\'nin tamamlanmasn beklemek iin harcanan sre.',
'Time stolen by other virtual machines on the same physical server.' => 'Ayn fiziksel sunucudaki dier sanal makineler tarafndan alnan zaman.',
'Time Zone' => 'Saat Dilimi',
'Title' => 'alan ark smi',
'To alleviate this potential problem with shared CPU resources, hosts assign "credits" to a VPS which are used up according to an algorithm based on the CPU load as well as the time over which the CPU load is generated. If your VM\'s assigned credit is used up, they will take CPU time from your VM and assign it to other VMs on the machine. This is seen as the "Steal" or "St" value.' => 'Paylalan CPU kaynaklaryla ilgili bu olas sorunu hafifletmek iin ana bilgisayarlar CPU yknn yan sra CPU yknn oluturulduu sreye dayal bir algoritmaya gre kullanlan bir VPS\'ye "krediler" atar. VM\'nizin atanan kredisi kullanlrsa VM\'nizden CPU zamann alacak ve bunu makinedeki dier VM\'lere atayacaktr. Bu "Steal" veya "St" deeri olarak grlr.',
'To download the GeoLite database:' => 'GeoLite veritabann indirmek iin:',
'To play once per day, set the start and end times to the same value.' => 'Gnde bir kez oynamak iin balang ve biti zamanlarn ayn deere ayarlayn.',
'To restore a backup from your host computer, run:' => 'Kendi bilgisayarnzdan bir yedek geri yklemek iin aadakileri altrn:',
'To retrieve detailed unique listeners and client details, an administrator password is often required.' => 'Ziyareti dinleyicileri ve kullanc ayrntlarn almak iin genellikle bir ynetici parolas gerekir.',
'To set this schedule to run only within a certain date range, specify a start and end date.' => 'Bu zamanlamay yalnzca belirli bir tarih aralnda alacak ekilde ayarlamak iin bir balang ve biti tarihi belirtin.',
'To verify that the code was set up correctly, enter the 6-digit code the app shows you.' => 'Kodun doru ayarlandndan emin olmak iin uygulamann size gsterdii 6 basamakl kodu girin.',
'Today' => 'Bugn',
'Toggle Menu' => 'Meny Deitir',
'Toggle Sidebar' => 'Kenar ubuunu Deitir',
'Total Disk Space' => 'Toplam Disk Alan',
'Total Listener Hours' => 'Toplam Dinleyici Saati',
'Total RAM' => 'Toplam RAM',
'Transmitted' => 'Giden',
'Triggers' => 'Tetikleyiciler',
'Tuesday' => 'Sal',
'TuneIn AIR' => 'TuneIn AIR',
'TuneIn Partner ID' => 'TuneIn Ortak ID',
'TuneIn Partner Key' => 'TuneIn Ortak Anahtar',
'TuneIn Station ID' => 'TuneIn Radyo ID',
'Two-Factor Authentication' => 'ki Faktrl Kimlik Dorulama',
'Two-factor authentication improves the security of your account by requiring a second one-time access code in addition to your password when you log in.' => 'ki faktrl kimlik dorulama oturum atnzda ifrenizin yan sra ikinci gvenlik olarak bir kerelik eriim kodu gerektirerek hesabnzn gvenliini artrr.',
'Typically a website with content about the episode.' => 'Genellikle blmle ilgili ieriin bulunduu bir web sitesi.',
'Typically the home page of a podcast.' => 'Genellikle bir podcast ana sayfas.',
'Unable to update.' => 'Gncelleme yaplamyor.',
'Unassigned Files' => 'Atanmam Dosyalar',
'Unique' => 'Ziyareti',
'Unique identifier for the target chat or username of the target channel (in the format @channelusername).' => 'Hedef sohbeti veya hedef kanaln kullanc ad iin benzersiz tanmlaycy belirleyin. (@channelusername biiminde)',
'Unique Listeners' => 'Bamsz Dinleyiciler',
'Unknown' => 'Bilinmiyor',
'Unknown Artist' => 'Bilinmeyen Sanat',
'Unknown Title' => 'Bilinmeyen ark smi',
'Unprocessable Files' => 'lenemeyen Dosyalar',
'Upcoming Song Queue' => 'Sradaki ark Kuyruu',
'Update' => 'Gncelle',
'Update Details' => 'Detaylar Gncelle',
'Update Instructions' => 'Gncelleme Talimatlar',
'Update Metadata' => 'Meta Verilerini Gncelle',
'Updated' => 'Gncellendi',
'Updated successfully.' => 'Baaryla gncellendi.',
'Upload a Stereo Tool configuration file from the "Broadcasting" submenu in the station profile.' => 'Radyo profilindeki "Yayn" alt mensnden bir Stereo Arac yaplandrma dosyas ykleyin.',
'Upload Custom Assets' => 'Marka Grnm zelletir',
'Upload Stereo Tool Configuration' => 'Stereo Arac Yaplandrmasn Ykle',
'Upload the file on this page to automatically extract it into the proper directory.' => 'Otomatik olarak uygun dizine karmak iin dosyay bu sayfaya ykleyin.',
'URL' => 'URL',
'URL Stub' => 'Sabit URL',
'Use' => 'Kullanlan',
'Use (Us)' => 'Kullanlan (Us)',
'Use API keys to authenticate with the AzuraCast API using the same permissions as your user account.' => 'Kullanc hesabnzla ayn izinleri kullanarak AzuraCast API ile kimlik dorulamas yapmak iin API anahtarlarn kullann.',
'Use Browser Default' => 'Tarayc Dilini Kullan',
'Use Icecast 2.4 on this server.' => 'Icecast 2.4 kullan',
'Use Less CPU (Uses More Memory)' => 'Daha Az CPU Kullann (Daha Fazla Bellek Kullanr)',
'Use Less Memory (Uses More CPU)' => 'Daha Az Bellek Kullann (Daha Fazla CPU Kullanr)',
'Use Liquidsoap on this server.' => 'Liquidsoap (AutoDJ) kullan',
'Use Secure (TLS) SMTP Connection' => 'Gvenli (TLS) SMTP Balantsn Kullan',
'Use Shoutcast DNAS 2 on this server.' => 'Shoutcast DNAS 2 kullan',
'Use Web Proxy for Radio' => 'Radyolar in Proxy Kullan',
'Used' => 'Kullanlan',
'Used for "Forgot Password" functionality, web hooks and other functions.' => '"ifremi Unuttum" sistemi web kancalar ve dier ilevler iin kullanlr.',
'User' => 'Kullanc',
'User Accounts' => 'Kullanc Hesaplar',
'User Agent' => 'Tarayc Bilgisi',
'User Name' => 'Kullanc Ad',
'User Permissions' => 'Kullanc zinleri',
'Username' => 'Kullanc Ad',
'Username:' => 'Kullanc Ad:',
'Users' => 'Kullanclar',
'Users with this role will have these permissions across the entire installation.' => 'Bu yetkiye sahip kullanclar AzuraCast ynetimi zerinde bu izinlere sahip olacaktr.',
'Users with this role will have these permissions for this single station.' => 'Bu yetkiye sahip kullanclar seilen tek radyo iin bu izinlere sahip olacaktr.',
'Using this page, you can customize several sections of the Liquidsoap configuration. This allows you to add advanced functionality to your station\'s AutoDJ.' => 'Bu sayfay kullanarak Liquidsoap konfigrasyonunun birka blmn zelletirebilirsiniz. Bu radyonuzun AutoDJ uygulamasna gelimi ilevler eklemenize olanak tanr.',
'Usually enabled for port 465, disabled for ports 587 or 25.' => 'Genellikle 465 numaral balant portu iin etkinletirilir. 587 veya 25 numaral balant portlar iin devre d braklr.',
'Variables are in the form of: ' => 'Deikenler u ekildedir: ',
'View' => 'Grntle',
'View Profile' => 'Profili Grntle',
'View tracks in playlist' => 'alma Listesindeki Paralar Grntle',
'Visual Cue Editor' => 'Grsel Cue Editr',
'Volume' => 'Ses',
'Wait' => 'Bekleyen',
'Wait (Wa)' => 'Bekleyen (Be)',
'Warning' => 'Uyar',
'Waveform Zoom' => 'Dalga Formu Yaknlatrma',
'Web DJ' => 'Web DJ',
'Web Hook Details' => 'Web Kancas Detaylar',
'Web Hook Name' => 'Web Kancas smi',
'Web Hook Triggers' => 'Web Kanca Tetikleyicileri',
'Web Hook URL' => 'Web Kanca URLsi',
'Web Hooks' => 'Web Kancalar',
'Web hooks automatically send a HTTP POST request to the URL you specify to notify it any time one of the triggers you specify occurs on your station.' => 'Web kancalar radyonuzda belirttiiniz tetikleyicilerden biri gerekletiinde bunu bildirmek iin belirttiiniz URL\'ye otomatik olarak bir HTTP POST istei gnderir.',
'Web hooks let you connect to external web services and broadcast changes to your station to them.' => 'Web kancalar harici web servislerine balanmanza ve radyonuzdaki deiiklikleri onlara yanstmasnza izin verir.',
'Web Site URL' => 'Web Site URLsi',
'WebDJ' => 'WebDJ',
'WebDJ connected!' => 'WebDJ baland!',
'Website' => 'nternet Sitesi',
'Wednesday' => 'aramba',
'Weight' => 'ncelik',
'Welcome to AzuraCast!' => 'AzuraCast\'e Hogeldiniz!',
'Welcome!' => 'Hogeldiniz!',
'When making API calls, you can pass this value in the "X-API-Key" header to authenticate as yourself.' => 'API arlar yaparken kendi kimliinizi dorulamak iin bu deeri "X-API-Key" balna iletebilirsiniz.',
'When the station broadcast comes online' => 'Radyo yayn evrimii olduunda',
'When the station broadcast goes offline' => 'Radyo yayn evrimd olduunda',
'Whether the AutoDJ should attempt to avoid duplicate artists and track titles when playing media from this playlist.' => 'AutoDJ\'nin bu alma listesinden medya oynatrken yinelenen sanatlardan ve ark adlarndan kanmaya alp almadn ayarlayn.',
'Widget Type' => 'Widget Tr',
'Worst Performing Songs' => 'En Kt Performansl arklar',
'Yes' => 'Evet',
'Yesterday' => 'Dn',
'You' => 'sen',
'You can also upload files in bulk via SFTP.' => 'Dosyalar SFTP zerinden toplu olarak ykleyebilirsiniz.',
'You can include any special mount point settings here, in either JSON { key: \'value\' } format or XML <key>value</key>' => 'zel balant noktas ayarlarn JSON iin { key: \'value\' } biiminde veya XML iin <key>value</key> biiminde buraya dahil edebilirsiniz.',
'You can only perform the actions your user account is allowed to perform.' => 'Yalnzca kullanc hesabnzn gerekletirmesine izin verilen ilemleri gerekletirebilirsiniz.',
'You may need to connect directly to your IP address:' => 'Dorudan IP adresinize balanmanz gerekebilir:',
'You may need to connect directly via your IP address:' => 'Dorudan IP adresiniz zerinden balanmanz gerekebilir:',
'You will not be able to retrieve it again.' => 'Tekrar geri alamazsnz.',
'Your full API key is below:' => 'Tam API anahtarnz aadadr:',
'Your station is currently not enabled for broadcasting. You can still manage media, playlists, and other station settings. To re-enable broadcasting, edit your station profile.' => 'Radyonuz yayn iin u anda etkin deil. Mzikleri, alma listelerini ve dier radyo ayarlarn halen ynetebilirsiniz. Yayn yeniden etkinletirmek iin radyo profilinizi dzenleyin.',
'YouTube' => 'YouTube',
'YP Directory Authorization Hash' => 'YP Dizini Yetkilendirme Kodu',
'Select...' => 'Se...',
'Too many forgot password attempts' => 'ok fazla unutulmu ifre denemesi',
'You have attempted to reset your password too many times. Please wait 30 seconds and try again.' => 'ifrenizi birok kez sfrlamay denediniz. Ltfen 30 saniye bekleyin ve tekrar deneyin.',
'Account Recovery' => 'Hesap Kurtarma',
'Account recovery e-mail sent.' => 'Hesap kurtarma e-postas gnderildi.',
'If the e-mail address you provided is in the system, check your inbox for a password reset message.' => 'Verdiiniz e-posta adresi sistemimizde kaytl ise ifre sfrlama mesaj iin gelen kutunuzu kontrol edin.',
'Too many login attempts' => 'ok fazla giri denemesi yapld',
'You have attempted to log in too many times. Please wait 30 seconds and try again.' => 'ok fazla giri yapmay denediniz. Ltfen 30 saniye bekleyin ve tekrar deneyin.',
'Logged in successfully.' => 'Giri Yapld!',
'Complete the setup process to get started.' => 'Balamak iin kurulum ilemini tamamlayn.',
'Login unsuccessful' => 'Giri Baarsz!',
'Your credentials could not be verified.' => 'Kimlik bilgileriniz dorulamanad!',
'User not found.' => 'Kullanc bulunamad!',
'Invalid token specified.' => 'Geersiz anahtar belirtildi.',
'Logged in using account recovery token' => 'Hesap kurtarma anahtar kullanlarak giri yapld',
'Your password has been updated.' => 'ifreniz gncellendi.',
'Set Up AzuraCast' => 'AzuraCast Kurulumu',
'Setup has already been completed!' => 'Kurulum zaten tamamlanm!',
'All Stations' => 'Tm Radyolar',
'AzuraCast Application Log' => 'AzuraCast Gnl',
'Nginx Access Log' => 'Nginx Eriim Gnl',
'Nginx Error Log' => 'Nginx Hata Gnl',
'PHP Application Log' => 'PHP Uygulama Gnl',
'Supervisord Log' => 'Supervisord Gnl',
'Create a new storage location based on the base directory.' => 'Temel dizini temel alan yeni bir depolama konumu oluturun.',
'You cannot modify yourself.' => 'Kendinizi deitiremezsiniz.',
'You cannot remove yourself.' => 'Kendini silemezsin!',
'Test Message' => 'Test Mesaj',
'This is a test message from AzuraCast. If you are receiving this message, it means your e-mail settings are configured correctly.' => 'Bu AzuraCast\'tan bir test mesajdr. Bu mesaj alyorsanz e-posta ayarlarnzn doru yaplandrld anlamna gelir.',
'Test message sent successfully.' => 'Test mesaj baaryla gnderildi.',
'Mobile Device' => 'Mobil Cihaz',
'File Not Processed: %s' => 'Dosya lenemedi: %s',
'Cover Art' => 'Kapak Resmi',
'File Processing' => 'Dosya leniyor',
'No directory specified' => 'Hibir dizin seilmedi',
'File not specified.' => 'Dosya belirtilmedi!',
'New path not specified.' => 'Yeni dizin belirlenmedi!',
'This station is out of available storage space.' => 'Radyo depolama alan doldu.',
'Web hook enabled.' => 'Web kancas etkinletirildi!',
'Web hook disabled.' => 'Web kancas devred brakld!',
'Station reloaded.' => 'Sunucu yeniden balatld.',
'Station restarted.' => 'Sunucu yeniden balatld!',
'Service stopped.' => 'Servis durduruldu.',
'Service started.' => 'Servis balatld.',
'Service reloaded.' => 'Servis yeniden yklendi.',
'Service restarted.' => 'Servis yeniden balatld.',
'Song skipped.' => 'ark atland!',
'Streamer disconnected.' => 'DJ balants kesildi!',
'Station Nginx Configuration' => 'Radyo Nginx Yaplandrmas',
'Liquidsoap Log' => 'Liquidsoap Gnl',
'Liquidsoap Configuration' => 'Liquidsoap Ayar Dosyas',
'Icecast Access Log' => 'Icecast Eriim Gnl',
'Icecast Error Log' => 'Icecast Hata Gnl',
'Icecast Configuration' => 'Icecast Ayar Dosyas',
'Shoutcast Configuration' => 'Shoutcast Ayar Dosyas',
'Search engine crawlers are not permitted to use this feature.' => 'Arama motoru tarayclarnn bu zellii kullanmasna izin verilmemektedir.',
'You are not permitted to submit requests.' => 'stek gndermenize izin verilmiyor.',
'This song was already requested and will play soon.' => 'Bu ark zaten istenmiti ve yaknda alnacak.',
'This song or artist has been played too recently. Wait a while before requesting it again.' => 'Bu ark veya sanat zaten ok yeni alnd. Tekrar talep etmeden nce biraz bekleyin.',
'You have submitted a request too recently! Please wait before submitting another one.' => 'ok yakn zamanda bir istek gnderdiniz! Ltfen baka bir tane gndermeden nce bekleyin.',
'Playlist emptied.' => 'alma listesi boaltld.',
'This playlist is not a sequential playlist.' => 'Bu alma listesi "SIRALI" bir alma listesi deildir.',
'Playlist reshuffled.' => 'alma listesi yeniden kartrld!',
'Playlist enabled.' => 'alma Listesi Etkinletirildi!',
'Playlist disabled.' => 'alma Listesi Devred Brakld!',
'Playlist successfully imported; %d of %d files were successfully matched.' => 'Oynatma listesi baaryla ie aktarld; %d tanesi %d dosyadan baaryla eletirildi.',
'%d files processed.' => '%d dosya ilendi.',
'No recording available.' => 'Kullanlabilir kayt yoktur.',
'Record not found' => 'Kayt bulunamad',
'The uploaded file exceeds the upload_max_filesize directive in php.ini.' => 'Yklenen dosya php.ini\'deki upload_max_filesize ynergesini ayor.',
'The uploaded file exceeds the MAX_FILE_SIZE directive from the HTML form.' => 'Yklenen dosya HTML formundaki MAX_FILE_SIZE ynergesini ayor.',
'The uploaded file was only partially uploaded.' => 'Yklenen dosya yalnzca ksmen yklendi.',
'No file was uploaded.' => 'Dosya yklenemedi.',
'No temporary directory is available.' => 'Geici dizin kullanlamaz.',
'Could not write to filesystem.' => 'Dosya sistemine yazlamad.',
'Upload halted by a PHP extension.' => 'Ykleme bir PHP uzants tarafndan durduruldu.',
'Unspecified error.' => 'Belirtilmemi hata.',
'Changes saved successfully.' => 'Deiiklikler baaryla kaydedildi.',
'Record created successfully.' => 'Kayt baaryla oluturuldu.',
'Record updated successfully.' => 'Kayt baaryla gncellendi.',
'Record deleted successfully.' => 'Kayt baaryla silindi.',
'Playlist: %s' => 'alma Listesi: %s',
'Streamer: %s' => 'DJ: %s',
'The account associated with e-mail address "%s" has been set as an administrator' => '%s e-posta adresi ynetici olarak atand.',
'Account not found.' => 'Hesap bulunamad.',
'AzuraCast Settings' => 'AzuraCast Ayarlar',
'Setting Key' => 'Ayar Anahtar',
'Setting Value' => 'Ayar Deeri',
'Fixtures loaded.' => 'Fikstrler yklendi.',
'AzuraCast Backup' => 'AzuraCast Yedekleme',
'Please wait while a backup is generated...' => 'Ltfen bir yedekleme oluturulurken bekleyin...',
'Creating temporary directories...' => 'Geici dizinler oluturuluyor...',
'Backing up MariaDB...' => 'MariaDB yedekleniyor...',
'Creating backup archive...' => 'Yedekleme arivi oluturuluyor...',
'Cleaning up temporary files...' => 'Geici dizin dosyalar temizleniyor...',
'Backup complete in %.2f seconds.' => 'Yedekleme %.2f saniyede tamamland.',
'Backup path %s not found!' => 'Yedekleme dizini %s bulunamad!',
'Imported locale: %s' => 'e aktarlan dil: %s',
'AzuraCast Setup' => 'AzuraCast Kurulumu',
'Welcome to AzuraCast. Please wait while some key dependencies of AzuraCast are set up...' => 'AzuraCast\'a hogeldiniz. AzuraCastin baz temel sistemleri kurulurken ltfen bekleyin...',
'Running Database Migrations' => 'Veritaban Geileri alyor',
'Generating Database Proxy Classes' => 'Veritaban Proxy Snflar Oluturuluyor',
'Reload System Data' => 'Sistem Verilerini Yeniden Ykle',
'Installing Data Fixtures' => 'Veri Fikstrleri Kuruluyor',
'Refreshing All Stations' => 'Tm Radyolar Yenileniyor',
'AzuraCast is now updated to the latest version!' => 'AzuraCast imdi en son srme gncellendi!',
'AzuraCast installation complete!' => 'AzuraCast kurulumu tamamland!',
'Visit %s to complete setup.' => 'Kurulumu tamamlamak iin %s adresini ziyaret edin.',
'%s is not recognized as a service.' => '%s bir servis olarak tannmyor.',
'It may not be registered with Supervisor yet. Restarting broadcasting may help.' => 'Supervisor\'a henz kaytl olmayabilir. Yayn yeniden balatmak yardmc olabilir.',
'%s cannot start' => '%s balatlamad!',
'It is already running.' => 'Zaten alyor.',
'%s cannot stop' => '%s durdurulamad!',
'It is not running.' => 'Zaten almyor.',
'%s encountered an error: %s' => '%s bir hata ile karlat: %s',
'Check the log for details.' => 'Detaylar iin gnlkleri kontrol edin.',
'You do not have permission to access this portion of the site.' => 'Sitenin bu blmne erimek iin yetkiniz bulunmamaktadr.',
'You must be logged in to access this page.' => 'Bu sayfay grntlemek iin giri yapmalsnz.',
'Record not found.' => 'Kayt bulunamad!',
'File not found.' => 'Dosya bulunamad.',
'Station not found.' => 'Radyo bulunamad.',
'Podcast not found.' => 'Podcasts Bulunamad.',
'This value is already used.' => 'Bu deer zaten kullanlyor.',
'Storage location %s could not be validated: %s' => '%s depolama konumu dorulanamad: %s',
'Storage location %s already exists.' => '%s depolama alan zaten var.',
'All Permissions' => 'Tm zinler',
'View Station Page' => 'Radyo Sayfasn Grme',
'View Station Reports' => 'Radyo Raporlarn Grme',
'View Station Logs' => 'Radyo Gnlklerini Grme',
'Manage Station Profile' => 'Profil Ynetimi',
'Manage Station Broadcasting' => 'Canl Yayn Ynetimi',
'Manage Station Streamers' => 'DJ Ynetimi',
'Manage Station Mount Points' => 'Balant Noktas Ynetimi',
'Manage Station Remote Relays' => 'Radyo Ynlendirme Ynetimi',
'Manage Station Media' => 'Mzik Dosyalar Ynetimi',
'Manage Station Automation' => 'Radyo Otomasyon Ynetimi',
'Manage Station Web Hooks' => 'Web Kancas Ynetimi',
'Manage Station Podcasts' => 'Podcasts Ynetimi',
'View Administration Page' => 'Ynetici Panelini Grme',
'View System Logs' => 'Sistem Gnlklerini Grme',
'Administer Settings' => 'Ayar Ynetimi',
'Administer API Keys' => 'API Anahtar Ynetimi',
'Administer Stations' => 'Radyo Ynetimi',
'Administer Custom Fields' => 'zel Alan Ynetimi',
'Administer Backups' => 'Yedekleme Ynetimi',
'Administer Storage Locations' => 'Depolama Ynetimi',
'Runs routine synchronized tasks' => 'Rutin senkronize edilmi grevleri altrr',
'Database' => 'Veritaban',
'Web server' => 'Web sunucusu',
'PHP FastCGI Process Manager' => 'PHP FastCGI lem Yneticisi',
'Now Playing manager service' => 'alan ark hizmeti',
'PHP queue processing worker' => 'PHP kuyruk ileme hizmeti',
'Cache' => 'nbellek',
'SFTP service' => 'SFTP servisi',
'This product includes GeoLite2 data created by MaxMind, available from %s.' => 'Bu rn MaxMind tarafndan oluturulan GeoLite2 verilerini ierir. Daha geni bilgi iin %s internet adresini ziyaret edebilirsiniz.',
'IP Geolocation by DB-IP' => 'DB-IP ile IP Konumu',
'GeoLite database not configured for this installation. See System Administration for instructions.' => 'GeoLite veritaban bu kurulum iin yaplandrlmam. Talimatlar iin "Sistem Ynetimi" sayfasna gidiniz.',
'Installation Not Recently Backed Up' => 'Ykleme Son Zamanlarda Yedeklenmedi',
'This installation has not been backed up in the last two weeks.' => 'Bu kurulum son iki hafta ierisinde yedeklenmedi.',
'Synchronization Disabled' => 'Senkronizasyon Devre D',
'Routine synchronization is currently disabled. Make sure to re-enable it to resume routine maintenance tasks.' => 'Rutin senkronizasyon u anda devre d. Rutin bakm grevlerini srdrmek iin yeniden etkinletirdiinizden emin olun.',
'Synchronization Not Recently Run' => 'Senkronizasyon Yakn Zamanda altrlmad',
'The routine synchronization task has not run recently. This may indicate an error with your installation.' => 'Rutin senkronizasyon grevi yakn zamanda almad. Bu kurulumunuzda bir hata olduunu gsterebilir.',
'The performance profiling extension is currently enabled on this installation.' => 'Performans profili oluturma uzants u anda bu kurulumda etkin.',
'You can track the execution time and memory usage of any AzuraCast page or application from the profiler page.' => 'Profil oluturucu sayfasndan herhangi bir AzuraCast sayfasnn veya uygulamasnn yrtme sresini ve bellek kullanmn izleyebilirsiniz.',
'Profiler Control Panel' => 'Profiler Kontrol Paneli',
'Performance profiling is currently enabled for all requests.' => 'Performans profili oluturma u anda tm istekler iin etkindir.',
'This can have an adverse impact on system performance. You should disable this when possible.' => 'Bunun sistem performans zerinde olumsuz bir etkisi olabilir. Mmkn olduunda bunu devre d brakmalsnz.',
'You may want to update your base URL to ensure it is correct.' => 'Doru olduundan emin olmak iin temel URLnizi gncellemek isteyebilirsiniz.',
'If you regularly use different URLs to access AzuraCast, you should enable the "Prefer Browser URL" setting.' => 'AzuraCast\'a erimek iin dzenli olarak farkl URL\'ler kullanyorsanz, "Tarayc URLsini Tercih Et" ayarn etkinletirmelisiniz.',
'Your "Base URL" setting (%s) does not match the URL you are currently using (%s).' => '"Temel URL" ayarnz (%s) u anda kullanmakta olduunuz URL ile (%s) elemiyor.',
'Donate to AzuraCast' => 'AzuraCast\'a ba yapn',
'AzuraCast Installer' => 'AzuraCast Ykleyici',
'Welcome to AzuraCast! Complete the initial server setup by answering a few questions.' => 'AzuraCast\'a ho geldiniz! Birka soruyu yantlayarak ilk sunucu kurulumunu tamamlayn.',
'AzuraCast Updater' => 'AzuraCast Gncelleyici',
'Change installation settings?' => 'Kurulum ayarlar deitirilsin mi?',
'AzuraCast is currently configured to listen on the following ports:' => 'AzuraCast u anda aadaki port numaralarn kullanacak ekilde yaplandrlmtr:',
'HTTP Port: %d' => 'HTTP Portu: %d',
'HTTPS Port: %d' => 'HTTPS Portu: %d',
'SFTP Port: %d' => 'SFTP Portu: %d',
'Radio Ports: %s' => 'Radyo Canl Yayn Portlar: %s',
'Customize ports used for AzuraCast?' => 'AzuraCast iin kullanlacak port numaralar zelletirilsin mi?',
'Writing configuration files...' => 'Yaplandrma dosyalar yazlyor...',
'Server configuration complete!' => 'Sunucu yaplandrmas tamamland!',
'This file was automatically generated by AzuraCast.' => 'Bu dosya AzuraCast tarafndan otomatik olarak oluturulmutur.',
'You can modify it as necessary. To apply changes, restart the Docker containers.' => 'Gerektiinde deitirebilirsiniz. Deiiklikleri uygulamak iin Docker konteynerlerini yeniden balatn.',
'Remove the leading "#" symbol from lines to uncomment them.' => 'Yorumlar kaldrmak iin satrlarn bandaki "#" semboln kaldrn.',
'Valid options: %s' => 'Geerli seenekler: %s',
'Default: %s' => 'Varsaylan: %s',
'Additional Environment Variables' => 'Ek Ortam Deikenleri',
'(Docker Compose) All Docker containers are prefixed by this name. Do not change this after installation.' => '(Docker Compose) Tm Docker kapsayclar bu adla ne kar. Kurulumdan sonra bunu deitirmeyin.',
'(Docker Compose) The amount of time to wait before a Docker Compose operation fails. Increase this on lower performance computers.' => '(Docker Compose) Bir Docker oluturma ilemi baarsz olmadan nce beklenecek sre. Daha dk performansl bilgisayarlarda bunu artrn.',
'HTTP Port' => 'HTTP Portu',
'The main port AzuraCast listens to for insecure HTTP connections.' => 'AzuraCast ana balant noktas gvenli olmayan HTTP balantlarn dinler.',
'HTTPS Port' => 'HTTPS Portu',
'The main port AzuraCast listens to for secure HTTPS connections.' => 'AzuraCast ana balant noktas gvenli HTTPS balantlarn dinler.',
'The port AzuraCast listens to for SFTP file management connections.' => 'AzuraCast balant noktas SFTP dosya ynetimi balantlarn dinler.',
'Station Ports' => 'Radyo Yayn Portlar',
'The ports AzuraCast should listen to for station broadcasts and incoming DJ connections.' => 'AzuraCast balant noktalar radyo yaynlarn ve gelen DJ balantlarn dinlemelidir.',
'Docker User UID' => 'Docker Kullanc UID',
'Set the UID of the user running inside the Docker containers. Matching this with your host UID can fix permission issues.' => 'Docker konteynerlerinin iinde alan kullancnn UIDsini ayarlayn. Bunu ana bilgisayar UIDnizle eletirmek izin sorunlarn zebilir.',
'Docker User GID' => 'Docker Kullanc GID',
'Set the GID of the user running inside the Docker containers. Matching this with your host GID can fix permission issues.' => 'Docker konteynerlerinin iinde alan kullancnn GIDsini ayarlayn. Bunu ana bilgisayar GIDnizle eletirmek izin sorunlarn zebilir.',
'Advanced: Use Privileged Docker Settings' => 'Gelimi: Ayrcalkl Docker Ayarlarn Kullan',
'The locale to use for CLI commands.' => 'CLI komutlar iin kullanlacak yerel ayarlar.',
'The application environment.' => 'Uygulama Ortam',
'Manually modify the logging level.' => 'Gnlk seviyesini manuel olarak deitirin.',
'This allows you to log debug-level errors temporarily (for problem-solving) or reduce the volume of logs that are produced by your installation, without needing to modify whether your installation is a production or development instance.' => 'Bu kurulumunuzun bir retim veya gelitirme rnei olup olmadn deitirmenize gerek kalmadan hata ayklama dzeyindeki hatalar geici olarak (sorun zmek iin) gnle kaydetmenize veya kurulumunuz tarafndan retilen gnlklerin boyutlarn azaltmanza olanak tanr.',
'Enable Custom Code Plugins' => 'zel Kod Eklentilerini Etkinletir',
'Enable the composer "merge" functionality to combine the main application\'s composer.json file with any plugin composer files. This can have performance implications, so you should only use it if you use one or more plugins with their own Composer dependencies.' => 'Ana uygulamann composer.json dosyasn herhangi bir eklenti oluturucu dosyasyla birletirmek iin composer "merge" ilevini etkinletirin. Bunun performans etkileri olabilir. Bu nedenle yalnzca kendi Composer bamllklarna sahip bir veya daha fazla eklenti kullanyorsanz kullanmalsnz.',
'Minimum Port for Station Port Assignment' => 'Radyolar in Minimum Port Numaras',
'Modify this if your stations are listening on nonstandard ports.' => 'Radyolar standart olmayan port numaralarn dinliyorsa bunu deitirin.',
'Maximum Port for Station Port Assignment' => 'Radyolar in Maksimum Port Numaras',
'Show Detailed Slim Application Errors' => 'Ayrntl Slim Application Hatalarn Gster',
'This allows you to debug Slim Application Errors you may encounter. Please report any Slim Application Error logs to the development team on GitHub.' => 'Bu karlaabileceiniz Slim Uygulama Hatalarnda hata ayklamanz salar. Ltfen Slim Uygulama Hata gnlklerini GitHub\'daki gelitirme ekibine bildirin.',
'MariaDB Host' => 'MariaDB Sunucusu',
'Do not modify this after installation.' => 'Kurulumdan sonra bunu deitirmeyin.',
'MariaDB Port' => 'MariaDB Portu',
'MariaDB Username' => 'MariaDB Kullanc Ad',
'MariaDB Password' => 'MariaDB ifresi',
'MariaDB Database Name' => 'MariaDB Veritaban Ad',
'Auto-generate Random MariaDB Root Password' => 'MariaDB Root Parolasn Rastgele Otomatik Olutur',
'MariaDB Root Password' => 'MariaDB Root ifresi',
'Enable MariaDB Slow Query Log' => 'MariaDB Yava Sorgu Gnln Etkinletir',
'Log slower queries to diagnose possible database issues. Only turn this on if needed.' => 'Olas veritaban sorunlarn tanlamak iin daha yava sorgular gnle kaydedin. Bunu yalnzca gerekirse an.',
'MariaDB Maximum Connections' => 'MariaDB Maksimum Balant Snr',
'Set the amount of allowed connections to the database. This value should be increased if you are seeing the "Too many connections" error in the logs.' => 'Veritabanna izin verilen balantlarn snrn ayarlayn. Gnlklerde "Too many connections" hatas gryorsanz bu deer artrlmaldr.',
'Enable Redis' => 'Redis Etkinletirme',
'Disable to use a flatfile cache instead of Redis.' => 'Redis yerine dz dosya nbellei kullanmay devre d brakn.',
'Redis Host' => 'Redis Sunucusu',
'Redis Port' => 'Redis Portu',
'PHP Maximum POST File Size' => 'PHP Maksimum POST Dosya Boyutu',
'PHP Memory Limit' => 'PHP Bellek Snr',
'PHP Script Maximum Execution Time (Seconds)' => 'PHP Komut Dosyas Maksimum Yrtme Sresi (saniye)',
'Short Sync Task Execution Time (Seconds)' => 'Ksa Senkronizasyon Grevi Yrtme Sresi (saniye)',
'The maximum execution time (and lock timeout) for the 15-second, 1-minute and 5-minute synchronization tasks.' => '15 saniyelik, 1 dakikalk ve 5 dakikalk eitleme grevleri iin maksimum yrtme sresi (ve kilit zaman am).',
'Long Sync Task Execution Time (Seconds)' => 'Uzun Senkronizasyon Grevi Yrtme Sresi (saniye)',
'The maximum execution time (and lock timeout) for the 1-hour synchronization task.' => '1 saatlik senkronizasyon grevi iin maksimum yrtme sresi (ve kilit zaman am).',
'Maximum PHP-FPM Worker Processes' => 'Maksimum PHP-FPM alan lemleri',
'Enable Performance Profiling Extension' => 'Performans Profili Oluturma Uzantsn Etkinletir',
'Profiling data can be viewed by visiting %s.' => 'Profil oluturma verileri %s adresini ziyaret ederek grntlenebilir.',
'Profile Performance on All Requests' => 'Tm steklerde Profil Performans',
'This will have a significant performance impact on your installation.' => 'Bunun kurulumunuz zerinde nemli bir performans etkisi olacaktr.',
'Profiling Extension HTTP Key' => 'Profil Oluturma Uzants HTTP Anahtar',
'The value for the "SPX_KEY" parameter for viewing profiling pages.' => 'Profil oluturma sayfalarn grntlemek iin "SPX_KEY" parametresinin deerini yazn.',
'Profiling Extension IP Allow List' => 'Profil Oluturma Uzants IP zin Listesi',
'Album Artist' => 'Albm Sanats',
'Album Artist Sort Order' => 'Albm Sanats Sralama Dzeni',
'Album Sort Order' => 'Albm Sralama Dzeni',
'Band' => 'Grup',
'BPM' => 'BPM',
'Comment' => 'Yorum',
'Commercial Information' => 'Ticari Bilgiler',
'Composer' => 'Besteci',
'Composer Sort Order' => 'Besteci Sralama Dzeni',
'Conductor' => 'Kondktr',
'Content Group Description' => 'erik Grubu Aklamas',
'Encoded By' => 'Kodlama Cinsi',
'Encoder Settings' => 'Kodlayc Ayarlar',
'Encoding Time' => 'Kodlama Zaman',
'File Owner' => 'Dosya Sahibi',
'File Type' => 'Dosya Tr',
'Initial Key' => 'lk Anahtar',
'Internet Radio Station Name' => 'nternet Radyo stasyonu Ad',
'Internet Radio Station Owner' => 'nternet Radyo stasyonu Sahibi',
'Involved People List' => 'lgili Kii Listesi',
'Linked Information' => 'Balantl Bilgi',
'Lyricist' => 'Sz Yazar',
'Media Type' => 'Ortam Tr',
'Mood' => 'Ruh Hali',
'Music CD Identifier' => 'Mzik CD Tanmlaycs',
'Musician Credits List' => 'Mzisyen Kredileri Listesi',
'Original Album' => 'Orijinal Albm',
'Original Artist' => 'Orijinal Sanat',
'Original Filename' => 'Orijinal Dosya Ad',
'Original Lyricist' => 'Orijinal Sz Yazar',
'Original Release Time' => 'Orijinal k Zaman',
'Original Year' => 'Orjinal Yl',
'Part of a Compilation' => 'Derleme Blm',
'Part of a Set' => 'Set Blm',
'Performer Sort Order' => 'Sanat Sralama Dzeni',
'Playlist Delay' => 'alma Listesi Gecikmesi',
'Produced Notice' => 'retilme Bildirimi',
'Publisher' => 'Yaymc',
'Recording Time' => 'Kayt Zaman',
'Release Time' => 'k Zaman',
'Remixer' => 'Remix Yapan',
'Set Subtitle' => 'Altyazy Ayarla',
'Subtitle' => 'Altyaz',
'Tagging Time' => 'Etiketleme Zaman',
'Terms of Use' => 'Kullanm Koullar',
'Title Sort Order' => 'Balk Sralama Dzeni',
'Track Number' => 'Para Numaras',
'Unsynchronised Lyrics' => 'Senkronize Edilmemi ark Sz',
'URL Artist' => 'Sanat URLsi',
'URL File' => 'Dosya URLsi',
'URL Payment' => 'deme URLsi',
'URL Publisher' => 'Yaymc URLsi',
'URL Source' => 'Kaynak URLsi',
'URL Station' => 'Radyo URLsi',
'URL User' => 'Kullanc URLsi',
'Year' => 'Yl',
'An account recovery link has been requested for your account on "%s".' => '"%s" tarihinde hesabnz iin bir hesap kurtarma balants talep edildi.',
'Click the link below to log in to your account.' => 'Hesabnza giri yapmak iin aadaki balantya tklayn.',
'Powered by %s' => '%s tarafndan glendirilmitir.',
'Forgot Password' => 'ifremi Unuttum',
'Sign in' => 'Giri Yap',
'Send Recovery E-mail' => 'Kurtarma E-postas Gnderin',
'Enter Two-Factor Code' => 'ki Faktrl Dorulama Kodu',
'Your account uses a two-factor security code. Enter the code your device is currently showing below.' => 'Hesabnz iki faktrl gvenlik dorulamasn kullanyor. Cihaznzn u anda gstermekte olduu kodu girin.',
'Security Code' => 'Gvenlik Kodu',
'This installation\'s administrator has not configured this functionality.' => 'Bu kurulumun yneticisi bu ilevi yaplandrmad.',
'Contact an administrator to reset your password following the instructions in our documentation:' => 'Belgelerimizdeki talimatlar izleyerek parolanz sfrlamas iin bir yneticiyle iletiime gein:',
'Password Reset Instructions' => 'ifre Sfrlama Talimatlar',
),
),
);
``` | /content/code_sandbox/translations/tr_TR.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 35,466 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=2; plural=(n != 1);',
'messages' =>
array (
'' =>
array (
'# Episodes' => 'Episodi',
'# Songs' => 'Brani',
'%{ dj } is now live on %{ station }! Tune in now: %{ url }' => '%{ dj } in live su %{ station }! Sintonizzati ora: %{ url }',
'%{ hours } hours' => '%{ hours } ore',
'%{ minutes } minutes' => '%{ minutes } minuti',
'%{ seconds } seconds' => '%{ seconds } secondi',
'%{ station } is back online! Tune in now: %{ url }' => '%{ station } tornata online! Sintonizzati ora: %{ url }',
'%{ station } is going offline for now.' => '%{ station } andata offline per il momento.',
'%{name} - Copy' => '%{name} - Copia',
'A name for this stream that will be used internally in code. Should only contain letters, numbers, and underscores (i.e. "stream_lofi").' => 'Un nome per questo stream che verr usato internamente nel codice. Dovrebbe contenere solo lettere, numeri e trattini bassi (es. "stream_lofi").',
'Access Key ID' => 'Chiave di accesso ID',
'Access Token' => 'Token di accesso',
'Account Details' => 'Dettagli account',
'Account is Active' => 'L\'account attivo',
'Account List' => 'Elenco Account',
'Actions' => 'Azioni',
'Add API Key' => 'Aggiungi API Key',
'Add Custom Field' => 'Aggiungi campo personalizzato',
'Add Episode' => 'Aggiungi Episodio',
'Add Files to Playlist' => 'Aggiungi file alla playlist',
'Add HLS Stream' => 'Aggiungi Flusso HLS',
'Add Mount Point' => 'Aggiungi Punto Di Montaggio',
'Add New GitHub Issue' => 'Aggiungi nuova segnalazione su GitHub',
'Add Playlist' => 'Aggiungi Playlist',
'Add Podcast' => 'Aggiungi podcast',
'Add Remote Relay' => 'Aggiungi flusso remoto',
'Add Role' => 'Aggiungi ruolo',
'Add Schedule Item' => 'Aggiungi elemento pianificato',
'Add SFTP User' => 'Aggiungi utente SFTP',
'Add Station' => 'Aggiungi stazione',
'Add Storage Location' => 'Aggiungi Posizione Di Archiviazione',
'Add Streamer' => 'Aggiungi Streamer',
'Add User' => 'Aggiungi utente',
'Add Web Hook' => 'Aggiungi interazione web',
'Administration' => 'Amministrazione',
'Advanced' => 'Avanzata',
'Advanced Configuration' => 'Configurazione avanzata',
'Advanced Manual AutoDJ Scheduling Options' => 'Opzioni Avanzate Per La Pianificazione dell\'AutoDJ Manuale',
'Aggregate listener statistics are used to show station reports across the system. IP-based listener statistics are used to view live listener tracking and may be required for royalty reports.' => 'Le statistiche aggregate degli ascolti vengono utilizzate per mostrare i report delle stazioni attraverso il sistema. Le statistiche degli ascolti basate su IP vengono utilizzate per visualizzare il monitoraggio degli ascoltatori in tempo reale e potrebbero essere richieste per i report di royalty.',
'Album' => 'Album',
'Album Art' => 'Copertina disco',
'All listed domain names should point to this AzuraCast installation. Separate multiple domain names with commas.' => 'Tutti i nomi di dominio elencati dovrebbero puntare a questa installazione di AzuraCast. Separare pi nomi di dominio con virgole.',
'All Playlists' => 'Tutte le playlist',
'All Podcasts' => 'Tutti i Podcast',
'All values in the NowPlaying API response are available for use. Any empty fields are ignored.' => 'Tutti i valori nella risposta API NowPlaying sono disponibili per l\'uso. Tutti i campi vuoti vengono ignorati.',
'Allow Requests from This Playlist' => 'Consenti richieste da questa playlist',
'Allow Song Requests' => 'Permetti richieste canzoni',
'Allow Streamers / DJs' => 'Permetti Streamer / DJ',
'Allowed IP Addresses' => 'Indirizzi IP Consentiti',
'Always Use HTTPS' => 'Usa sempre HTTPS',
'Amplify: Amplification (dB)' => 'Amplifica: Amplificazione (dB)',
'Analyze and reprocess the selected media' => 'Analizza e rielabora il media selezionato',
'API "Access-Control-Allow-Origin" Header' => 'Intestazione API "Access-Control-Allow-Origin"',
'API Documentation' => 'Documentazione API',
'API Key Description/Comments' => 'Chiave API Descrizione/Commenti',
'API Keys' => 'API Key',
'API Version' => 'Versione API',
'Apply for an API key at Last.fm' => 'Applica per una chiave API su Last.fm',
'Are you sure?' => 'Sei sicuro?',
'Artist' => 'Artista',
'Artwork' => 'Copertina',
'Artwork must be a minimum size of 1400 x 1400 pixels and a maximum size of 3000 x 3000 pixels for Apple Podcasts.' => 'Le copertine devono avere una risoluzione di almeno 1400 x 1400 pixel e un massimo di 3000 x 3000 pixel per i Apple Podcasts.',
'Attempt to Automatically Retrieve ISRC When Missing' => 'Tentativo di recuperare automaticamente ISRC quando mancante',
'Audio Bitrate (kbps)' => 'Bitrate Audio (kbps)',
'Audio Format' => 'Formato Audio',
'Audit Log' => 'Registro attivit',
'Author' => 'Autore',
'AutoDJ' => 'Dj automatico',
'AutoDJ Bitrate (kbps)' => 'Bitrate Dj automatico (kbps)',
'AutoDJ Disabled' => 'AutoDJ Disabilitato',
'AutoDJ Format' => 'Formato Dj automatico',
'AutoDJ has been disabled for this station. No music will automatically be played when a source is not live.' => 'Il dj automatico stato disattivato per questa stazione. Non verr riprodotta musica automaticamente quando nessuna fonte in diretta.',
'AutoDJ Service' => 'Servizio regia automatica',
'Automatic Backups' => 'Backup automatici',
'Automatically Set from ID3v2 Value' => 'Imposta automaticamente dal valore ID3v2',
'Available Logs' => 'Log disponibili',
'Average Listeners' => 'Media ascoltatori',
'AzuraCast First-Time Setup' => 'Prima impostazione AzuraCast',
'AzuraCast Instance Name' => 'Nome istanza AzuraCast',
'AzuraCast Update Checks' => 'Controllo Aggiornamenti di AzuraCast',
'AzuraCast User' => 'Utente AzuraCast',
'AzuraCast will scan the uploaded file for matches in this station\'s music library. Media should already be uploaded before running this step. You can re-run this tool as many times as needed.' => 'AzuraCast scansioner il file caricato alla ricerca di corrispondenze nella libreria musicale di questa stazione. I media dovrebbero gi essere caricati prima di eseguire questo passaggio. possibile rieseguire questo strumento quante volte necessario.',
'Back' => 'Indietro',
'Backup Format' => 'Formato Backup',
'Backups' => 'Backup',
'Banned IP Addresses' => 'Indirizzi Ip Bannati',
'Base Station Directory' => 'Cartella radice per la stazione',
'Base Theme for Public Pages' => 'Tema di base per pagine pubbliche',
'Basic Info' => 'Informazioni di base',
'Basic Information' => 'Informazioni di base',
'Best & Worst' => 'Migliori & Peggiori',
'Best Performing Songs' => 'Brani pi performanti',
'Bot Token' => 'Token del Bot',
'Broadcast AutoDJ to Remote Station' => 'Trasmetti regia automatica a stazione remota',
'Broadcasting' => 'In trasmissione',
'Broadcasting Service' => 'Servizio di trasmissione',
'Broadcasts' => 'Trasmissioni',
'By default, radio stations broadcast on their own ports (i.e. 8000). If you\'re using a service like CloudFlare or accessing your radio station by SSL, you should enable this feature, which routes all radio through the web ports (80 and 443).' => 'Per default, le radio trasmettono sulla loro porta (es. 8000). Se usi servizi come CloudFlare o accedi alla stazione tramite SSL, dovresti abilitare questa funzione, che indirizza tutte le radio attraverso le porte web (80 e 443).',
'Cached' => 'Memorizzato nella cache',
'Categories' => 'Categorie',
'Change' => 'Cambia',
'Change Password' => 'Modifica password',
'Changes' => 'Modifiche',
'Character Set Encoding' => 'Codifica dei caratteri',
'Chat ID' => 'Identificativo della chat',
'Choose a name for this webhook that will help you distinguish it from others. This will only be shown on the administration page.' => 'Scegli un nome per questa interazione web che ti aiuter a distinguerla dalle altre. Questo verr mostrato solo nella pagina di amministrazione.',
'Choose a new password for your account.' => 'Scegli una nuova password per il tuo account.',
'Clear' => 'Svuota',
'Clear Cache' => 'Cancella Cache',
'Clear Queue' => 'Cancella Coda',
'Clearing the application cache may log you out of your session.' => 'La cancellazione della cache dell\'applicazione potrebbe disconnettersi dalla sessione.',
'Click "Generate new license key".' => 'Fai clic su "Genera nuova chiave di licenza".',
'Clients by Connected Time' => 'Tempo Connessione dei Clients',
'Clone' => 'Clona',
'Clone Station' => 'Clona Stazione',
'Close' => 'Chiudi',
'Code from Authenticator App' => 'Codice dall\'app di autenticazione',
'Comments' => 'Commenti',
'Complete the setup process by providing some information about your broadcast environment. These settings can be changed later from the administration panel.' => 'Completa il processo di installazione fornendo informazioni sul tuo ambiente di trasmissione. Queste impostazioni possono essere cambiate in seguito dal pannello amministrazione.',
'Configure' => 'Configura',
'Configure Backups' => 'Configura backup',
'Confirm New Password' => 'Conferma nuova password',
'Connected AzuraRelays' => 'AzuraRelays Collegato',
'Connection Information' => 'Informazioni connessione',
'Contains explicit content' => 'Contiene contenuto esplicito',
'Continue the setup process by creating your first radio station below. You can edit any of these details later.' => 'Continua l\'installazione creando una nuova stazione radio qui sotto. Puoi modificare questi dettagli in seguito.',
'Continuous Play' => 'Riproduzione continua',
'Control how this playlist is handled by the AutoDJ software.' => 'Controlla come questa playlist gestita dal software di regia automatica.',
'Copies older than the specified number of days will automatically be deleted. Set to zero to disable automatic deletion.' => 'Le copie precedenti al numero di giorni specificato verranno eliminate in automatico. Imposta a zero per disattivare l\'eliminazione automatica.',
'Copy to Clipboard' => 'Copia negli appunti',
'Copy to New Station' => 'Copia su nuova stazione',
'Countries' => 'Nazioni',
'Country' => 'Nazione',
'CPU Load' => 'Carico CPU',
'Create a New Radio Station' => 'Crea una nuova stazione radio',
'Create Account' => 'Crea Account',
'Create and Continue' => 'Crea e continua',
'Create Directory' => 'Crea cartella',
'Create New Key' => 'Crea Nuova Chiave',
'Crossfade Duration (Seconds)' => 'Durata crossfade (secondi)',
'Crossfade Method' => 'Metodo di dissolvenza incrociata',
'Cue' => 'Segnale',
'Current Installed Version' => 'Versione attualmente installata',
'Current Password' => 'Password attuale',
'Custom API Base URL' => 'Base API URL personalizzato',
'Custom Branding' => 'Marchio personalizzato',
'Custom Configuration' => 'Configurazione personalizzata',
'Custom CSS for Internal Pages' => 'CSS personalizzato per pagine interne',
'Custom CSS for Public Pages' => 'CSS personalizzato per le pagine pubbliche',
'Custom Cues: Cue-In Point (seconds)' => 'Tempo Cue point personalizzato: Cue point iniziale (secondi)',
'Custom Cues: Cue-Out Point (seconds)' => 'Cue point personalizzato: Cue point finale (secondi)',
'Custom Fading: Fade-In Time (seconds)' => 'Fading personalizzato: tempo Fade-In (secondi)',
'Custom Fading: Fade-Out Time (seconds)' => 'Fading personalizzato: Tempo Fade-Out (secondi)',
'Custom Fallback File' => 'File Di Fallback Personalizzato',
'Custom Fields' => 'Campi personalizzati',
'Custom Frontend Configuration' => 'Configurazione personalizzata dell\'interfaccia utente',
'Custom JS for Public Pages' => 'JS personalizzato per pagine pubbliche',
'Customize' => 'Personalizza',
'Customize Administrator Password' => 'Personalizza password amministratore',
'Customize AzuraCast Settings' => 'Personalizza impostazioni AzuraCast',
'Customize Broadcasting Port' => 'Personalizza porta di trasmissione',
'Customize Copy' => 'Personalizza Copia',
'Customize DJ/Streamer Mount Point' => 'Personalizza il mount point del DJ/curatore',
'Customize DJ/Streamer Port' => 'Personalizza la porta per il DJ/curatore',
'Customize Internal Request Processing Port' => 'Personalizza la porta di elaborazione delle richieste interne',
'Customize Source Password' => 'Personalizza password sorgente',
'Customize the number of songs that will appear in the "Song History" section for this station and in all public APIs.' => 'Personalizza il numero di brani che verranno visualizzati nella sezione "Cronologia brani" per questa stazione e in tutte le API pubbliche.',
'Dashboard' => 'Bacheca',
'Days of Playback History to Keep' => 'Giorni di cronologia di riproduzione da conservare',
'Deactivate Streamer on Disconnect (Seconds)' => 'Disattiva curatore alla disconnessione (secondi)',
'Default Album Art' => 'Copertina dell\'Album Predefinito',
'Default Album Art URL' => 'URL predefinito per le copertine',
'Default Avatar URL' => 'Url Avatar Predefinito',
'Default Mount' => 'Mount predefinito',
'Delete' => 'Elimina',
'Delete Album Art' => 'Elimina copertina album',
'Description' => 'Descrizione',
'Details' => 'Dettagli',
'Directory' => 'Cartella',
'Directory Name' => 'Nome Cartella',
'Disable' => 'Disabilita',
'Disable Two-Factor' => 'Disabilita autenticazione a due fattori',
'Disabled' => 'Disabilitato',
'Disconnect Streamer' => 'Disconnetti curatore',
'Discord Web Hook URL' => 'URL interazione Discord',
'Disk Space' => 'Spazio Su Disco',
'Display Name' => 'Nome visualizzato',
'DJ/Streamer Buffer Time (Seconds)' => 'Tempo di buffer per il DJ/curatore (secondi)',
'Domain Name(s)' => 'Nome Dominio',
'Donate to support AzuraCast!' => 'Dona per supportare AzuraCast!',
'Download' => 'Scarica',
'Download CSV' => 'Scarica CSV',
'Download M3U' => 'Scarica M3U',
'Download PLS' => 'Scarica PLS',
'Duplicate' => 'Duplica',
'Duplicate Playlist' => 'Duplica Playlist',
'Duplicate Songs' => 'Duplica brani',
'E-mail Address' => 'Indirizzo e-mail',
'E-mail Address (Optional)' => 'Indirizzo Email (facoltativo)',
'E-mail addresses can be separated by commas.' => 'Gli indirizzi e-mail multipli possono essere separati da una virgola.',
'E-mail Delivery Service' => 'Servizio E-mail Delivery',
'Edit' => 'Modifica',
'Edit Liquidsoap Configuration' => 'Modifica configurazione Liquidsoap',
'Edit Media' => 'Modifica media',
'Edit Profile' => 'Modifica profilo',
'Edit Station Profile' => 'Modifica profilo stazione',
'Embed Code' => 'Incorpora Codice',
'Embed Widgets' => 'Incorpora Widget',
'Enable' => 'Abilita',
'Enable Advanced Features' => 'Abilita Funzionalit Avanzate',
'Enable AutoDJ' => 'Abilita Dj automatico',
'Enable Broadcasting' => 'Abilita trasmissione',
'Enable Downloads on On-Demand Page' => 'Abilita i download sulla pagina On-Demand',
'Enable Mail Delivery' => 'Abilita E-mail Delivery',
'Enable On-Demand Streaming' => 'Abilita Streaming On-Demand',
'Enable Public Pages' => 'Abilita Pagine Pubbliche',
'Enable this setting to prevent metadata from being sent to the AutoDJ for files in this playlist. This is useful if the playlist contains jingles or bumpers.' => 'Abilita questa impostazione per impedire che i metadati vengano inviati alla regia automatica per i file in questa playlist. Questo utile se la playlist contiene jingles o bumper.',
'Enable to advertise this mount point on "Yellow Pages" public radio directories.' => 'Abilita questa opzione per pubblicizzare la tua radio negli elenchi pubblici di stazioni.',
'Enable to allow listeners to select this relay on this station\'s public pages.' => 'Abilita per consentire agli ascoltatori di selezionare questo collegamento sulle pagine pubbliche di questa stazione.',
'Enable to allow this account to log in and stream.' => 'Abilita per consentire a questo account di accedere e trasmettere.',
'Enable to have AzuraCast automatically run nightly backups at the time specified.' => 'Consente ad Azuracast di eseguire automaticamente i backup notturni all\'ora specificata.',
'Enable Two-Factor' => 'Abilita autenticazione a due fattori',
'Enable Two-Factor Authentication' => 'Abilita autenticazione a due fattori',
'Enabled' => 'Abilitato',
'End Date' => 'Data di fine',
'End Time' => 'Ora di fine',
'Enter the current code provided by your authenticator app to verify that it\'s working correctly.' => 'Inserisci il codice attuale fornito dall\'app di autenticazione per verificare che funzioni correttamente.',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => 'Inserisci la URL completa di un altro streaming, da ritrasmettere attraverso questo mount point.',
'Enter your password' => 'Inserisci la tua password',
'Episode' => 'Episodio',
'Episodes' => 'Episodi',
'Example: if the remote radio URL is path_to_url enter "path_to_url".' => 'Esempio: se l\'URL della radio remota path_to_url inserisci "path_to_url".',
'Exclude Media from Backup' => 'Escludi media dal backup',
'Export %{format}' => 'Esporta %{format}',
'Fallback Mount' => 'Mount di fallback',
'Field Name' => 'Nome campo',
'File Name' => 'Nome file',
'Footer Text' => 'Testo pi pagina',
'for selected period' => 'per il periodo selezionato',
'Forgot your password?' => 'Hai dimenticato la password?',
'Friday' => 'Venerd',
'From your smartphone, scan the code to the right using an authentication app of your choice (FreeOTP, Authy, etc).' => 'Dal tuo smartphone, scansiona il codice a destra usando un\'app di autenticazione a tua scelta (FreeOTP, Authy, ecc.).',
'Full Volume' => 'Volume al massimo',
'General Rotation' => 'Rotazione generale',
'Generate Report' => 'Genera Report',
'Genre' => 'Genere',
'GeoLite is not currently installed on this installation.' => 'GeoLite non attualmente installato in questa installazione.',
'Global' => 'Globale',
'Global Permissions' => 'Autorizzazioni globali',
'Help' => 'Aiuto',
'Hide Album Art on Public Pages' => 'Nascondi la copertina dell\'album sulle pagine pubbliche',
'Hide AzuraCast Branding on Public Pages' => 'Nascondi il marchio AzuraCast nelle pagine pubbliche',
'Hide Metadata from Listeners ("Jingle Mode")' => 'Nascondi i metadati agli ascoltatori ("Modalit Jingle")',
'Higher weight playlists are played more frequently compared to other lower-weight playlists.' => 'Le playlist con peso pi alto vengono riprodotte pi frequentemente rispetto alle altre playlist con peso pi basso.',
'Home' => 'Pagina iniziale',
'Homepage Redirect URL' => 'URl di rimando all\'home page',
'If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.' => 'Se una canzone non ha copertina, questo URL verr utilizzato. Lascia vuoto per utilizzare la copertina standard.',
'If a visitor is not signed in and visits the AzuraCast homepage, you can automatically redirect them to the URL specified here. Leave blank to redirect them to the login screen by default.' => 'Se un utente non ha effettuato l\'accesso e visita la home page di AzuraCast, possibile reindirizzarlo automaticamente all\'URL specificato qui. Lascia vuoto per reindirizzare per default alla schermata di accesso.',
'If disabled, the station will not broadcast or shuffle its AutoDJ.' => 'Se disabilitato, la stazione non trasmetter o far partire la regia automatica.',
'If enabled, the AutoDJ on this installation will automatically play music to this mount point.' => 'Se abilitata, la regia automatica su questa installazione riprodurr la musica in automatico su questo mount point.',
'If enabled, the AutoDJ will automatically play music to this mount point.' => 'Se abilitato, la regia automatica riprodurr la musica in automatico su questo mount point.',
'If requests are enabled for your station, users will be able to request media that is on this playlist.' => 'Se le richieste sono abilitate per la tua stazione, gli utenti saranno in grado di richiedere i contenuti multimediali presenti in questa playlist.',
'If selected, album art will not display on public-facing radio pages.' => 'Se selezionato, la copertina dell\'album non verr visualizzata sulle pagine pubbliche della radio.',
'If selected, this will remove the AzuraCast branding from public-facing pages.' => 'Se selezionato, rimuover il marchio AzuraCast dalle pagine rivolte al pubblico.',
'If the end time is before the start time, the playlist will play overnight.' => 'Se l\'ora di fine precedente all\'ora di inizio, la playlist verr riprodotta durante la notte.',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => 'Se questo mount il predefinito, verr riprodotto nell\'anteprima della radio e nella pagina della radio pubblica su questo sistema.',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => 'Se il mount point predefinito non riproduce audio, gli ascoltatori verranno trasferiti a questo mount point. Il predefinito /error.mp3, un messaggio di errore che viene ripetuto.',
'If this setting is set to "Yes", the browser URL will be used instead of the base URL when it\'s available. Set to "No" to always use the base URL.' => 'Se questa impostazione configurata su "S", verr utilizzato l\'URL del browser anzich l\'URL di base quando disponibile. Impostare su "No" per utilizzare sempre l\'URL di base.',
'If you are broadcasting using AutoDJ, enter the source password here.' => 'Se stai trasmettendo usando la regia automatica, inserire qui la password sorgente.',
'If you are broadcasting using AutoDJ, enter the source username here. This may be blank.' => 'Se stai trasmettendo usando la regia automatica, inserisci qui il nome utente sorgente. Questo potrebbe essere vuoto.',
'If you\'re experiencing a bug or error, you can submit a GitHub issue using the link below.' => 'Se stai riscontrando un bug o un errore, puoi inviare una segnalazione su GitHub utilizzando il link sottostante.',
'If your web hook requires HTTP basic authentication, provide the password here.' => 'Se la tua interazione Web richiede l\'autenticazione di base HTTP, fornisci qui la password.',
'If your web hook requires HTTP basic authentication, provide the username here.' => 'Se la tua interazione web richiede l\'autenticazione di base HTTP, fornisci qui il nome utente.',
'Insert' => 'Inserisci',
'Install GeoLite IP Database' => 'Installa database IP GeoLite',
'Install Shoutcast' => 'Installa Shoutcast',
'Install Shoutcast 2 DNAS' => 'Installa Shoutcast 2 DNAS',
'Instructions' => 'Istruzioni',
'Internal notes or comments about the user, visible only on this control panel.' => 'Note interne o commenti sull\'utente, visibili solo in questo pannello di controllo.',
'International Standard Recording Code, used for licensing reports.' => 'Isrc codice standard internazionale per le registrazioni, usato per il report delle licenze.',
'ISRC' => 'ISRC',
'Jingle Mode' => 'Modalit Jingle',
'Language' => 'Lingua',
'Last run:' => 'Ultima esecuzione:',
'Last.fm API Key' => 'Chiave API di Last.fm',
'Learn about Advanced Playlists' => 'Scopri le playlist avanzate',
'Leave blank to automatically generate a new password.' => 'Lascia vuoto per generare una nuova password.',
'Leave blank to play on every day of the week.' => 'Lascia vuoto per riprodurre ogni giorno della settimana.',
'Leave blank to use the current password.' => 'Lascia vuoto per usare la password attuale.',
'Length' => 'Lunghezza',
'Let\'s get started by creating your Super Administrator account.' => 'Iniziamo creando il tuo account Super Amministratore.',
'List one IP address or group (in CIDR format) per line.' => 'Elenca un indirizzo IP o un gruppo (in formato CIDR) per riga.',
'Listener Analytics Collection' => 'Raccolta analisi degli ascolti',
'Listener History' => 'Cronologia Ascoltatori',
'Listener Report' => 'Report ascoltatori',
'Listener Request' => 'Richiesta ascoltatore',
'Listeners' => 'Ascoltatori',
'Listeners by Day' => 'Ascoltatori per giorno',
'Listeners by Day of Week' => 'Ascoltatori per giorno della settimana',
'Listeners by Hour' => 'Ascoltatori per ora',
'Listeners by Listening Time' => 'Ascoltatori per durata',
'Listeners Per Station' => 'Ascoltatori per ciascuna radio',
'Listening Time' => 'Tempo di ascolto',
'Live' => 'In diretta',
'Live Listeners' => 'Ascoltatori della diretta',
'Live Recordings Storage Location' => 'Posizione di Archiviazione delle Registrazioni Live',
'Live Streamer:' => 'Streamer In Diretta:',
'Load Average' => 'Carico medio',
'Local Streams' => 'Flussi locali',
'Log In' => 'Accedi',
'Log Viewer' => 'Visualizzatore log',
'Logs' => 'Registri',
'Logs by Station' => 'Log per stazione',
'Main Message Content' => 'Contenuto messaggio principale',
'Manage' => 'Gestisci',
'Manage SFTP Accounts' => 'Gestisci Account SFTP',
'Manage Stations' => 'Gestisci stazioni',
'Manual AutoDJ Mode' => 'Modalit AutoDJ manuale',
'Manual Updates' => 'Aggiornamento Manuale',
'Maximum Listeners' => 'Numero massimo ascoltatori',
'Memory' => 'Memoria',
'Message Body' => 'Corpo del messaggio',
'Message parsing mode' => 'Modalit interpretazione messaggi',
'Message Queues' => 'Coda Dei Messaggi',
'Message Recipient(s)' => 'Destinatari del Messaggio',
'Message Subject' => 'Oggetto del Messaggio',
'Microphone' => 'Microfono',
'Minute of Hour to Play' => 'Minuto dell\'ora quando suonare',
'Monday' => 'Luned',
'More' => 'Altro',
'Most Played Songs' => 'Brani pi riprodotti',
'Most Recent Backup Log' => 'Log del backup pi recente',
'Mount Point URL' => 'URL mount point',
'Mount Points' => 'Mount Point',
'Mount points are how listeners connect and listen to your station. Each mount point can be a different audio format or quality. Using mount points, you can set up a high-quality stream for broadband listeners and a mobile stream for phone users.' => 'I mountpoint sono il modo in cui gli ascoltatori si connettono e ascoltano la tua stazione. Ogni mountpoint pu essere un diverso formato audio o qualit. Utilizzando i mountpoint, puoi configurare uno stream di alta qualit per gli ascoltatori connessi a banda larga e uno streaming mobile per gli utenti di telefonia.',
'Move' => 'Sposta',
'Move to Directory' => 'Sposta nella cartella',
'Music Files' => 'File musicali',
'Mute' => 'Silenzia',
'My Account' => 'Il mio account',
'Name' => 'Nome',
'name@example.com' => 'nome@esempio.com',
'Need Help?' => 'Ti serve aiuto?',
'Never run' => 'Mai eseguito',
'New Directory' => 'Nuova cartella',
'New Folder' => 'Nuova cartella',
'New Key Generated' => 'Nuova chiave generata',
'New Password' => 'Nuova password',
'New Playlist' => 'Nuova playlist',
'New Station Description' => 'Nuova descrizione stazione',
'New Station Name' => 'Nuovo nome stazione',
'No Match' => 'Nessuna corrispondenza',
'No other program can be using this port. Leave blank to automatically assign a port.' => 'Nessun altro programma pu usare questa porta. Lascia vuoto per assegnare automaticamente una porta.',
'No records to display.' => 'Nessun record da visualizzare.',
'None' => 'Nessuna',
'Not Played' => 'Non riprodotto',
'Not Scheduled' => 'Non pianificato',
'Note that restoring a backup will clear your existing database. Never restore backup files from untrusted users.' => 'Nota che ripristinare un backup eliminer il tuo database esistente. Non recuperare mai backup da utenti non fidati.',
'Note: This should be the public-facing homepage of the radio station, not the AzuraCast URL. It will be included in broadcast details.' => 'Nota: questa dovrebbe essere la home page pubblica della stazione radio, non l\'URL AzuraCast. Sar inclusa nei dettagli della web radio.',
'Now' => 'Adesso',
'Now Playing' => 'In riproduzione',
'Number of Backup Copies to Keep' => 'Numero delle Copie di Backup da conservare',
'Number of Minutes Between Plays' => 'Numero di minuti tra le riproduzioni',
'Number of seconds to overlap songs.' => 'Numero di secondi per sovrapporre i brani.',
'Number of Songs Between Plays' => 'Numero di brani tra le riproduzioni',
'On the Air' => 'In onda',
'Once per Hour' => 'Una volta ogni ora',
'Once per x Minutes' => 'Una volta ogni x minuti',
'Once per x Songs' => 'Una volta ogni x brani',
'Only loop through playlist once.' => 'Ripeti la playlist solo una volta.',
'Optional: HTTP Basic Authentication Password' => 'Facoltativo: password autenticazione http di base',
'Optional: HTTP Basic Authentication Username' => 'Facoltativo: Nome utente autenticazione di base HTTP',
'or' => 'o',
'Password' => 'Password',
'Paste the generated license key into the field on this page.' => 'Incolla la chiave di licenza generata nel campo in questa pagina.',
'Play Now' => 'Riproduci Ora',
'Playing Next' => 'Riproduce in seguito',
'Playlist Name' => 'Nome Playlist',
'Playlist Type' => 'Tipo Di Playlist',
'Playlist Weight' => 'Peso playlist',
'Playlists' => 'Playlist',
'Plays' => 'Riproduzioni',
'Please log in to continue.' => 'Per favore accedi per continuare.',
'Prefer Browser URL (If Available)' => 'Preferisci URL del browser (se disponibile)',
'Previous' => 'Precedente',
'Profile' => 'Profilo',
'Programmatic Name' => 'Nome programmatico',
'Public Page' => 'Pagina pubblica',
'Public Pages' => 'Pagine pubbliche',
'Publish to "Yellow Pages" Directories' => 'Condividi su database di consultazione pubblici',
'Queue' => 'Coda',
'Queue the selected media to play next' => 'Coda i media selezionati per riprodurre il prossimo',
'Ready to start broadcasting? Click to start your station.' => 'Pronto per iniziare a trasmettere? Clicca per avviare la tua radio.',
'Received' => 'Ricevuto',
'Record Live Broadcasts' => 'Registra Trasmissioni Dal Vivo',
'Recover Account' => 'Recupera Account',
'Refresh rows' => 'Aggiorna righe',
'Region' => 'Regione',
'Relay Stream URL' => 'URL flusso da ritrasmettere',
'Reload' => 'Ricarica',
'Remember me' => 'Ricordami',
'Remote' => 'Remoto',
'Remote Playback Buffer (Seconds)' => 'Buffer di riproduzione remota (secondi)',
'Remote Relays' => 'Collegamenti remoti',
'Remote relays let you work with broadcasting software outside this server. Any relay you include here will be included in your station\'s statistics. You can also broadcast from this server to remote relays.' => 'I collegamenti remoti consentono di lavorare con il software di trasmissione al di fuori di questo server. Qualsiasi flusso che imposti qui sar incluso nelle statistiche della tua stazione. inoltre possibile trasmettere da questo server ai collegamenti remoti.',
'Remote Station Listening Mountpoint/SID' => 'Mountpoint/SID per ascoltare la stazione remota',
'Remote Station Listening URL' => 'URL per ascoltare la stazione remota',
'Remote Station Source Mountpoint/SID' => 'Mountpoint/SID sorgente per la stazione remota',
'Remote Station Source Password' => 'Password sorgente stazione remota',
'Remote Station Source Port' => 'Porta sorgente per stazione remota',
'Remote Station Source Username' => 'Nome utente sorgente per la stazione remota',
'Remote Station Type' => 'Tipo di stazione remota',
'Remote URL' => 'URL Remoto',
'Remote URL Playlist' => 'URL playlist remoto',
'Remote URL Type' => 'Tipo di link esterno',
'Remove' => 'Rimuovi',
'Rename' => 'Rinomina',
'Rename File/Directory' => 'Rinomina File/Cartella',
'Reorder' => 'Riordina',
'Reorder Playlist' => 'Riordina playlist',
'Repeat' => 'Ripeti',
'Replace Album Cover Art' => 'Sostituisci copertina album',
'Reports' => 'Report',
'Request' => 'Richiesta',
'Request a Song' => 'Richiedi un brano',
'Request Last Played Threshold (Minutes)' => 'Soglia ultima richiesta riprodotta (Minuti)',
'Request Minimum Delay (Minutes)' => 'Tempo di attesa minimo per la richiesta (Minuti)',
'Request Song' => 'Richiedi brano',
'Restart' => 'Riavvia',
'Restart Broadcasting' => 'Riavvia trasmissione',
'Restoring Backups' => 'Ripristino dei backup in corso',
'Role Name' => 'Nome ruolo',
'Roles' => 'Ruoli',
'Roles & Permissions' => 'Ruoli e permessi',
'Run Automatic Nightly Backups' => 'Esegui i backup automatici durante la notte',
'Run Manual Backup' => 'Esegui backup manuale',
'Run Task' => 'Esegui compito',
'Saturday' => 'Sabato',
'Save' => 'Salva',
'Save Changes' => 'Salva modifiche',
'Schedule View' => 'Visualizza pianificazione',
'Scheduled' => 'Programmata',
'Scheduled Backup Time' => 'Orario di backup pianificato',
'Scheduled Play Days of Week' => 'Giorni della settimana programmati per la riproduzione',
'Scheduled playlists and other timed items will be controlled by this time zone.' => 'Le playlist programmate e gli altri elementi temporizzati saranno controllati da questo fuso orario.',
'Search' => 'Cerca',
'Seconds from the start of the song that the AutoDJ should start playing.' => 'Secondi dall\'inizio del brano, da cui l\'automix dovrebbe iniziare a suonare.',
'Seconds from the start of the song that the AutoDJ should stop playing.' => 'Secondi dall\'inizio del brano, da cui l\'automix dovrebbe smettere di suonare.',
'Security' => 'Sicurezza',
'Select' => 'Seleziona',
'Select a theme to use as a base for station public pages and the login page.' => 'Seleziona un tema da utilizzare come base per le pagine pubbliche della stazione e la pagina di accesso.',
'Select File' => 'Seleziona File',
'Sender E-mail Address' => 'Indirizzo E-mail Mittente',
'Sender Name' => 'Nome Mittente',
'Sequential' => 'In sequenza',
'Server Status' => 'Stato del server',
'Services' => 'Servizi',
'Set as Default Mount Point' => 'Imposta come mount point predefinito',
'Settings' => 'Impostazioni',
'SFTP Users' => 'Utenti SFTP',
'Show on Public Pages' => 'Mostra su pagine pubbliche',
'Show the station in public pages and general API results.' => 'Mostra la stazione in pagine pubbliche e risultati API generali.',
'Show Update Announcements' => 'Mostra Annunci Aggiornamento',
'Sign Out' => 'Esci',
'Site Base URL' => 'URL del sito base',
'Skip Song' => 'Salta brano',
'Skip to main content' => 'Vai al contenuto',
'SMTP Host' => 'Host SMTP',
'SMTP Password' => 'Password SMTP',
'SMTP Port' => 'Porta SMTP',
'SMTP Username' => 'Username SMTP',
'Song' => 'Brano',
'Song Album' => 'Album canzone',
'Song Artist' => 'Artista canzone',
'Song Genre' => 'Genere Brano',
'Song History' => 'Cronologia brani',
'Song Lyrics' => 'Testo canzone',
'Song Playback Order' => 'Ordine di riproduzione brani',
'Song Playback Timeline' => 'Orari riproduzione brani',
'Song Requests' => 'Richieste di brani',
'Song Title' => 'Titolo canzone',
'Song-based' => 'Basata su brani',
'Song-Based Playlist' => 'Playlist basata sul brano',
'SoundExchange Report' => 'Report SoundExchange',
'SoundExchange Royalties' => 'Royalty di SoundExchange',
'Source' => 'Sorgente',
'Specify the minute of every hour that this playlist should play.' => 'Specifica il minuto di ogni ora in cui questa playlist dovrebbe suonare.',
'SSH Public Keys' => 'Chiavi Pubbliche SSH',
'Start' => 'Avvia',
'Start Date' => 'Data Di Inizio',
'Start Station' => 'Avvia radio',
'Start Time' => 'Ora di inizio',
'Station Name' => 'Nome stazione',
'Station Offline' => 'Stazione Offline',
'Station Overview' => 'Panoramica stazione',
'Station Statistics' => 'Statistiche',
'Station Time' => 'Orario stazione',
'Station Time Zone' => 'Fuso orario della stazione',
'Stations' => 'Stazioni',
'Step 1: Scan QR Code' => 'Passo 1: scansiona codice QR',
'Step 2: Verify Generated Code' => 'Passo 2: verifica codice generato',
'Stop' => 'Ferma',
'Storage Location' => 'Posizione Di Archiviazione',
'Storage Quota' => 'Limite di archiviazione',
'Streamer Display Name' => 'Nome visualizzato del curatore',
'Streamer Username' => 'Nome utente streamer',
'Streamer/DJ Accounts' => 'Account streamer/Dj',
'Streamers/DJs' => 'Streamer/DJ',
'Streams' => 'Flussi',
'Sunday' => 'Domenica',
'Switch Theme' => 'Cambia tema',
'Synchronization Tasks' => 'Compiti di sincronizzazione',
'System Administration' => 'Amministrazione sistema',
'System Debugger' => 'Debug Di Sistema',
'System Logs' => 'Log di sistema',
'System Maintenance' => 'Manutenzione del sistema',
'System Settings' => 'Impostazioni sistema',
'The base URL where this service is located. Use either the external IP address or fully-qualified domain name (if one exists) pointing to this server.' => 'L\'indirizzo di base in cui situato questo servizio. Usa l\'indirizzo IP esterno oppure il nome a dominio completo (se esiste), che punta a questo server.',
'The description of the episode. The typical maximum amount of text allowed for this is 4000 characters.' => 'Descrizione episodio. Max 4000 caratteri.',
'The description of your podcast. The typical maximum amount of text allowed for this is 4000 characters.' => 'Descrizione podcast. Max 4000 caratteri.',
'The display name assigned to this mount point when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Il nome assegnato a questo mount point quando viene visualizzato su pagine pubbliche o amministrative. Lascia vuoto per generarne automaticamente uno.',
'The display name assigned to this relay when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Il nome visibile assegnato a questo collegamento durante la visualizzazione su pagine di amministrazione o pubbliche. Lascia vuoto per generarne automaticamente uno.',
'The length of playback time that Liquidsoap should buffer when playing this remote playlist. Shorter times may lead to intermittent playback on unstable connections.' => 'La durata del tempo di riproduzione che Liquidsoap deve bufferizzare durante l\'esecuzione di questa playlist remota. Tempi pi brevi possono comportare una riproduzione intermittente su connessioni instabili.',
'The parent directory where station playlist and configuration files are stored. Leave blank to use default directory.' => 'La cartella principale in cui sono memorizzati la playlist della stazione e i file di configurazione. Lascia vuoto per utilizzare la cartella predefinita.',
'The relative path of the file in the station\'s media directory.' => 'Il percorso relativo, al file nella cartella contenente i media della stazione radio.',
'The station ID will be a numeric string that starts with the letter S.' => 'Lo Station ID sar una stringa numerica che inizia con la lettera S.',
'The streamer will use this password to connect to the radio server.' => 'Il curatore user questa password per connettersi al server della radio.',
'The streamer will use this username to connect to the radio server.' => 'Lo streamer user questo nome utente per collegarsi al server della radio.',
'The time period that the song should fade in. Leave blank to use the system default.' => 'Tempo in cui questa canzone dovrebbe avere il fade in. Lasciare vuoto per usare impostazioni di default.',
'The time period that the song should fade out. Leave blank to use the system default.' => 'Tempo in cui questa canzone dovrebbe sfumare. Lasciare vuoto per usare impostazione di sistema.',
'The URL that will receive the POST messages any time an event is triggered.' => 'L\'URL che ricever i messaggi POST ogni volta che viene attivato un evento.',
'This account will have full access to the system, and you\'ll automatically be logged in to it for the rest of setup.' => 'Questo account avr pieno accesso al sistema e verr automaticamente effettuato il login per il resto della configurazione.',
'This CSS will be applied to the main management pages, like this one.' => 'Questo CSS verr applicato alle pagine di gestione principali, come questa.',
'This CSS will be applied to the station public pages and login page.' => 'Questo CSS verr applicato alle pagine pubbliche della radio e alla pagina di accesso.',
'This is the informal display name that will be shown in API responses if the streamer/DJ is live.' => 'Questo il nome visualizzato che verr mostrato nelle risposte dell\'API quando il curatore / DJ in diretta.',
'This javascript code will be applied to the station public pages and login page.' => 'Questo codice javascript verr applicato alle pagine pubbliche della radio e alla pagina di accesso.',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => 'Questo nome dovrebbe sempre iniziare con una barra (/), ed essere una URL valida, come /autodj.mp3',
'This name will appear as a sub-header next to the AzuraCast logo, to help identify this server.' => 'Questo nome apparir come sottotitolo accanto al logo AzuraCast, per aiutare a identificare questo server.',
'This URL is provided within the Discord application.' => 'Questo URL fornito all\'interno dell\'applicazione Discord.',
'This will be used as the label when editing individual songs, and will show in API results.' => 'Questo sar usato come etichetta quando si modificano singoli brani e verr mostrato nelle API dei risultati.',
'This will clear any pending unprocessed messages in all message queues.' => 'Questo canceller tutti i messaggi non elaborati in attesa in tutte le code dei messaggi.',
'Thumbnail Image URL' => 'URL immagine miniatura',
'Thursday' => 'Gioved',
'Time' => 'Orario',
'Time Zone' => 'Fuso orario',
'Title' => 'Titolo',
'To play once per day, set the start and end times to the same value.' => 'Per suonare una volta al giorno, imposta le ore di inizio e di fine allo stesso valore.',
'To restore a backup from your host computer, run:' => 'Per ripristinare un backup dal tuo computer locale, esegui:',
'To verify that the code was set up correctly, enter the 6-digit code the app shows you.' => 'Per verificare che il codice sia stato impostato correttamente, inserisci il codice a 6 cifre mostrato dall\'app.',
'Toggle Menu' => 'Menu',
'Toggle Sidebar' => 'Barra laterale',
'Total Disk Space' => 'Spazio Totale Su Disco',
'Total Listener Hours' => 'Totale ore di ascolto',
'Total RAM' => 'RAM Totale',
'Tuesday' => 'Marted',
'TuneIn Partner ID' => 'Partner ID TuneIn',
'TuneIn Partner Key' => 'Partner key TuneIn',
'TuneIn Station ID' => 'Station ID TuneIn',
'Two-Factor Authentication' => 'Verifica a due fattori',
'Two-factor authentication improves the security of your account by requiring a second one-time access code in addition to your password when you log in.' => 'L\'autenticazione a due fattori migliora la sicurezza del tuo account richiedendo un secondo codice di accesso valido una sola volta oltre alla tua password quando effettui il login.',
'Unable to update.' => 'Impossibile aggiornare.',
'Unique' => 'Univoco',
'Unique identifier for the target chat or username of the target channel (in the format @channelusername).' => 'Identificativo univoco per la chat di destinazione o il nome utente del canale di destinazione (nella forma @NomeCanale).',
'Unique Listeners' => 'Ascoltatori Unici',
'Unknown' => 'Sconosciuto',
'Unknown Artist' => 'Artista sconosciuto',
'Unknown Title' => 'Titolo sconosciuto',
'Unprocessable Files' => 'File non elaborabili',
'Upcoming Song Queue' => 'Coda di brani imminente',
'Update' => 'Aggiorna',
'Update Instructions' => 'Istruzioni per l\'aggiornamento',
'Update Metadata' => 'Aggiorna metadati',
'Updated' => 'Aggiornato',
'Updated successfully.' => 'Aggiornato con successo.',
'URL Stub' => 'URL breve',
'Use Secure (TLS) SMTP Connection' => 'Usa Connessione SMTP Sicura (TLS)',
'Use Web Proxy for Radio' => 'Usa proxy web per la radio',
'User Accounts' => 'Account utenti',
'Username' => 'Nome utente',
'Users' => 'Utenti',
'Usually enabled for port 465, disabled for ports 587 or 25.' => 'Di solito abilitata per la porta 465, disabilitata per le porte 587 o 25.',
'View' => 'Mostra',
'Wait' => 'Attendere',
'Web DJ' => 'Web DJ',
'Web Hook Details' => 'Dettagli interazione web',
'Web Hook Name' => 'Nome interazione web',
'Web Hook Triggers' => 'Condizioni per l\'interazione web',
'Web Hook URL' => 'URL interazione web',
'Web Hooks' => 'Interazioni web',
'Web hooks let you connect to external web services and broadcast changes to your station to them.' => 'Le interazioni Web ti consentono di collegarti a servizi Web esterni e notificare a questi, le modifiche alla tua stazione.',
'Web Site URL' => 'URL sito web',
'Website' => 'Sito Web',
'Wednesday' => 'Mercoled',
'Welcome to AzuraCast!' => 'Benvenuto in AzuraCast!',
'Welcome!' => 'Benvenuto!',
'Worst Performing Songs' => 'Brani meno performanti',
'Yes' => 'S',
'You can also upload files in bulk via SFTP.' => 'Puoi anche caricare file in massa tramite SFTP.',
'Your full API key is below:' => 'La tua chiave API completa la seguente:',
'YP Directory Authorization Hash' => 'Hash di autorizzazione alla directory di YP',
'Select...' => 'Seleziona...',
'You have attempted to reset your password too many times. Please wait 30 seconds and try again.' => 'Hai tentato di reimpostare la password troppe volte. Si prega di attendere 30 secondi e riprovare.',
'Account Recovery' => 'Recupero Account',
'Account recovery e-mail sent.' => 'Email di recupero account inviata.',
'If the e-mail address you provided is in the system, check your inbox for a password reset message.' => 'Se l\'indirizzo e-mail fornito nel sistema, controlla la posta in arrivo per visualizzare il messaggio di reimpostazione della password.',
'Too many login attempts' => 'Troppi tentativi di accesso',
'You have attempted to log in too many times. Please wait 30 seconds and try again.' => 'Hai tentato di accedere troppe volte. Attendi 30 secondi e riprova.',
'Logged in successfully.' => 'Accesso riuscito.',
'Complete the setup process to get started.' => 'Completa il processo di configurazione per iniziare.',
'Login unsuccessful' => 'Accesso non riuscito',
'Your credentials could not be verified.' => 'Impossibile verificare le tue credenziali.',
'User not found.' => 'Utente non trovato.',
'Invalid token specified.' => 'Token specificato non valido.',
'Your password has been updated.' => 'La tua password stata aggiornata.',
'Setup has already been completed!' => 'Installazione gi completata!',
'All Stations' => 'Tutte le stazioni',
'AzuraCast Application Log' => 'Log dell\'applicazione AzuraCast',
'Nginx Access Log' => 'Log accesso Nginx',
'Nginx Error Log' => 'Log errori Nginx',
'PHP Application Log' => 'Log applicazione PHP',
'Supervisord Log' => 'Log Supervisord',
'Create a new storage location based on the base directory.' => 'Crea una nuova posizione di archiviazione in base alla directory di base.',
'You cannot remove yourself.' => 'Non puoi rimuovere te stesso.',
'This is a test message from AzuraCast. If you are receiving this message, it means your e-mail settings are configured correctly.' => 'Questo un messaggio di prova da parte di AzuraCast. Se stai ricevendo questo messaggio, significa che le tue impostazioni email sono configurate correttamente.
',
'Less than Thirty Seconds' => 'Meno di trenta secondi',
'Thirty Seconds to One Minute' => 'Da trenta secondi a un minuto',
'One Minute to Five Minutes' => 'Da un minuto a cinque minuti',
'Five Minutes to Ten Minutes' => 'Cinque minuti a dieci minuti',
'Ten Minutes to Thirty Minutes' => 'Dieci minuti a trenta minuti',
'Thirty Minutes to One Hour' => 'Trenta minuti a un\'ora',
'One Hour to Two Hours' => 'Da un\'ora a due ore',
'More than Two Hours' => 'Pi di due ore',
'Mobile Device' => 'Dispositivo mobile',
'File Not Processed: %s' => 'File non elaborato: %s',
'File Processing' => 'Elaborazione File',
'No directory specified' => 'Nessuna directory specificata',
'File not specified.' => 'File non specificato.',
'New path not specified.' => 'Nuovo percorso non specificato.',
'This station is out of available storage space.' => 'Questa stazione ha esaurito lo spazio disponibile.',
'Web hook enabled.' => 'Interazione web abilitata.',
'Station restarted.' => 'Stazione riavviata.',
'Service stopped.' => 'Servizio interrotto.',
'Service started.' => 'Servizio avviato.',
'Service reloaded.' => 'Servizio ricaricato.',
'Service restarted.' => 'Servizio riavviato.',
'Song skipped.' => 'Brano saltato.',
'Streamer disconnected.' => 'Curatore disconnesso.',
'Liquidsoap Log' => 'Log Liquidsoap',
'Liquidsoap Configuration' => 'Configurazione Liquidsoap',
'Icecast Access Log' => 'Log accesso Icecast',
'Icecast Error Log' => 'Log errori Icecast',
'Icecast Configuration' => 'Configurazione Icecast',
'Search engine crawlers are not permitted to use this feature.' => 'I crawler dei motori di ricerca non sono autorizzati a usare questa funzione.',
'You are not permitted to submit requests.' => 'Non ti permesso inviare richieste.',
'This song or artist has been played too recently. Wait a while before requesting it again.' => 'Questa canzone o artista stata gi riprodotta di recente. Attendi prima di poterlo richiedere un\'altra volta.',
'You have submitted a request too recently! Please wait before submitting another one.' => 'Hai mandato una richiesta troppo presto! Aspetta prima di poterne inviare un\'altra.',
'This playlist is not a sequential playlist.' => 'Questa playlist non una playlist sequenziale.',
'Playlist reshuffled.' => 'Playlist rimescolata.',
'Playlist enabled.' => 'Playlist abilitata.',
'Playlist disabled.' => 'Playlist disabilitata.',
'Playlist successfully imported; %d of %d files were successfully matched.' => 'Playlist importata con successo; %d di %d file sono stati abbinati con successo.',
'No recording available.' => 'Nessuna registrazione disponibile.',
'Record not found' => 'Record non trovato',
'Unspecified error.' => 'Errore non specificato.',
'Changes saved successfully.' => 'Modifiche salvate correttamente.',
'Record created successfully.' => 'Record creato con successo.',
'Record updated successfully.' => 'Record aggiornato con successo.',
'Record deleted successfully.' => 'Record eliminato correttamente.',
'The account associated with e-mail address "%s" has been set as an administrator' => 'L\'account associato all\'indirizzo mail "%s" stato impostato come amministratore',
'Account not found.' => 'Account non trovato.',
'Running database migrations...' => 'Migrazioni del database in esecuzione',
'AzuraCast Settings' => 'Impostazioni AzuraCast',
'Setting Key' => 'Chiave dell\'impostazione',
'Setting Value' => 'Valore dell\'impostazione',
'Fixtures loaded.' => 'Calendari caricati.',
'AzuraCast Backup' => 'Backup AzuraCast',
'Please wait while a backup is generated...' => 'Aspetta mentre viene generato un backup...',
'Creating temporary directories...' => 'Creazione directory temporanee in corso...',
'Backing up MariaDB...' => 'Backup di MariaDB in corso...',
'Creating backup archive...' => 'Creazione archivio backup in corso...',
'Cleaning up temporary files...' => 'Pulizia file temporanei in corso...',
'Backup complete in %.2f seconds.' => 'Backup completato in %.2f secondi.',
'Backup path %s not found!' => 'Il percorso %s per i backup non stato trovato!',
'Imported locale: %s' => 'Traduzione importata: %s',
'Database Migrations' => 'Migrazioni Database',
'Database migration completed!' => 'Migrazione del database completata!',
'AzuraCast Initializing...' => 'Inizializzazione AzuraCast...',
'AzuraCast Setup' => 'Configurazione AzuraCast',
'Welcome to AzuraCast. Please wait while some key dependencies of AzuraCast are set up...' => 'Benvenuto in AzuraCast. Attendi mentre vengono impostate alcune dipendenze chiave di AzuraCast...',
'Running Database Migrations' => 'Migrazioni del database in esecuzione',
'Generating Database Proxy Classes' => 'Sto generando le classi proxy del database',
'Reload System Data' => 'Ricarica dati di sistema',
'Installing Data Fixtures' => 'Installazione di dispositivi di dati',
'Refreshing All Stations' => 'Sto aggiornando tutte le stazioni',
'AzuraCast is now updated to the latest version!' => 'AzuraCast ora aggiornato all\'ultima versione!',
'AzuraCast installation complete!' => 'Installazione AzuraCast completata!',
'Visit %s to complete setup.' => 'Visita %s per completare la configurazione.',
'%s is not recognized as a service.' => '%s non riconosciuto come un servizio.',
'It may not be registered with Supervisor yet. Restarting broadcasting may help.' => 'Potrebbe non essere ancora registrato con Supervisor. Riavviare la trasmissione potrebbe aiutare.',
'%s cannot start' => '%s non pu partire',
'It is already running.' => 'E\' gi in esecuzione.',
'%s cannot stop' => '%s non pu spegnersi',
'It is not running.' => 'Non in esecuzione.',
'Check the log for details.' => 'Controlla i log per i dettagli.',
'You do not have permission to access this portion of the site.' => 'Non hai il permesso per accedere a questa parte del sito.',
'You must be logged in to access this page.' => 'Devi esserti autenticato per poter accedere a questa pagina.',
'This value is already used.' => 'Questo valore gi utilizzato.',
'Storage location %s could not be validated: %s' => 'La posizione di archiviazione %s non pu essere convalidata: %s',
'Storage location %s already exists.' => 'La posizione di archiviazione %s esiste gi.',
'All Permissions' => 'Tutti i permessi',
'View Station Page' => 'Vedi pagina della stazione',
'View Station Reports' => 'Vedi i report della stazione',
'View Station Logs' => 'Vedi i log della stazione',
'Manage Station Profile' => 'Gestisci profilo stazione',
'Manage Station Broadcasting' => 'Gestisci trasmissione stazione',
'Manage Station Streamers' => 'Gestisci streamer stazione',
'Manage Station Mount Points' => 'Gestisci mount point stazione',
'Manage Station Remote Relays' => 'Gestisci flussi remoti della stazione',
'Manage Station Media' => 'Gestisci media stazione',
'Manage Station Automation' => 'Gestisci automazione stazione',
'Manage Station Web Hooks' => 'Gestisci interazioni web stazione',
'Manage Station Podcasts' => 'Gestione stazione Podcast',
'View Administration Page' => 'Vedi la pagina di amministrazione',
'View System Logs' => 'Vedi i log di sistema',
'Administer Settings' => 'Gestisci impostazioni',
'Administer API Keys' => 'Gestisci API Key',
'Administer Stations' => 'Gestisci stazioni',
'Administer Custom Fields' => 'Gestisci campi personalizzati',
'Administer Backups' => 'Gestisci backup',
'Administer Storage Locations' => 'Amministrare Cartelle Di Archiviazione',
'This product includes GeoLite2 data created by MaxMind, available from %s.' => 'Questo prodotto include dati GeoLite2 creati da MaxMind, disponibili da %s.',
'IP Geolocation by DB-IP' => 'Geolocalizzazione IP tramite DB-IP',
'GeoLite database not configured for this installation. See System Administration for instructions.' => 'Database GeoLite non configurato per questa installazione. Consultare Amministrazione Sistema per le istruzioni.',
'Installation Not Recently Backed Up' => 'Questa Installazione Non Ha Eseguito Di Recente Il Backup',
'This installation has not been backed up in the last two weeks.' => 'Questa installazione non stata salvata nelle ultime due settimane.',
'One of the essential services on this installation is not currently running. Visit the system administration and check the system logs to find the cause of this issue.' => 'Uno dei servizi essenziali in questa installazione non attualmente in esecuzione. Visita l\'amministrazione di sistema e controlla i log di sistema per individuare la causa di questo problema.',
'AzuraCast is currently configured to listen on the following ports:' => 'AzuraCast attualmente configurato per ascoltare le seguenti porte:',
'Writing configuration files...' => 'Scrittura dei file di configurazione...',
'Server configuration complete!' => 'Configurazione del server completata!',
'(Docker Compose) All Docker containers are prefixed by this name. Do not change this after installation.' => '(Docker Compose) Tutti i contenitori Docker sono prefissati da questo nome. Non modificarli dopo l\'installazione.',
'The application environment.' => 'L\'ambiente applicativo.',
'MariaDB Username' => 'MariaDB Nome utente',
'MariaDB Password' => 'Password MariaDB',
'Comment' => 'Commento',
'Composer' => 'Compositore',
'Encoded By' => 'Codificato da',
'Encoder Settings' => 'Impostazioni Encoder',
'File Type' => 'Tipo File',
'Set Subtitle' => 'Imposta Sottotitolo',
'Subtitle' => 'Sottotitolo',
'Year' => 'Anno',
'An account recovery link has been requested for your account on "%s".' => ' stato richiesto un link per il recupero dell\'account per il tuo account su "%s".',
'Click the link below to log in to your account.' => 'Clicca sul link qui sotto per accedere al tuo account.',
'Powered by %s' => 'Patrocinato da %s',
'Forgot Password' => 'Password Dimenticata',
'Sign in' => 'Accedi',
'Send Recovery E-mail' => 'Invia E-mail Di Recupero',
'Enter Two-Factor Code' => 'Inserisci il codice a due fattori',
'Your account uses a two-factor security code. Enter the code your device is currently showing below.' => 'Il tuo account utilizza un codice di sicurezza a due fattori. Inserisci il codice che il tuo dispositivo sta mostrando qui sotto.',
'Security Code' => 'Codice di sicurezza',
'This installation\'s administrator has not configured this functionality.' => 'L\'amministratore di questa installazione non ha configurato questa funzionalit.',
'Contact an administrator to reset your password following the instructions in our documentation:' => 'Contatta un amministratore per reimpostare la tua password seguendo le istruzioni riportate nella nostra documentazione:',
'Password Reset Instructions' => 'Istruzioni per la reimpostazione della password',
),
),
);
``` | /content/code_sandbox/translations/it_IT.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 15,871 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=2; plural=(n != 1);',
'messages' =>
array (
'' =>
array (
'Access Key ID' => 'Hozzfrsi kulcs',
'Access Token Secret' => 'Hozzfrsi titkos kulcs*',
'Account Details' => 'Felhasznlk',
'Account is Active' => 'Fik aktv',
'Account List' => 'Felhasznli fik lista',
'Actions' => 'Mveletek',
'Add API Key' => 'API kulcs hozzadsa',
'Add Custom Field' => 'Egyni mez hozzadsa',
'Add Episode' => 'Fejezet hozzadsa',
'Add Files to Playlist' => 'Adj fljlokat a lejtszsi listhoz',
'Add HLS Stream' => 'HLS Stream hozzads',
'Add Mount Point' => 'Csatolsipont hozzads',
'Add New GitHub Issue' => 'j GitHub hiba hozzads',
'Add Playlist' => 'Hozzads lejtszsi listhoz',
'Add Podcast' => 'Podcasthoz ads',
'Add Streamer' => 'Streamer hozzadsa',
'Administration' => 'Adminisztrci',
'Allow Song Requests' => 'Dalkrsek (kvnsgok) engedlyezse',
'Allow Streamers / DJs' => 'Streamerek / DJ-k engedlyezse',
'API Keys' => 'API kulcsok',
'Artist' => 'Elad',
'Auto-Assigned' => 'Automatikusan hozzrendelt',
'AutoDJ' => 'AutoDJ',
'AutoDJ Bitrate (kbps)' => 'AutoDJ Bitrta (kbps)',
'AutoDJ Disabled' => 'AutoDJ letiltva',
'AutoDJ Format' => 'AutoDJ formtuma',
'AutoDJ has been disabled for this station. No music will automatically be played when a source is not live.' => 'Az AutoDJ letiltva ezen az llomson. Amikor a forrs nem aktv, nem lesznek lejtszva zenk.',
'Average Listeners' => 'Hallgatk tlagosan',
'Best Performing Songs' => 'Legjobban teljest dalok',
'By default, radio stations broadcast on their own ports (i.e. 8000). If you\'re using a service like CloudFlare or accessing your radio station by SSL, you should enable this feature, which routes all radio through the web ports (80 and 443).' => 'Alaprtelmezs szerint az llomsok sugrzsa a 8000-es portokon keresztl trtnik. Ha hasznlni szeretnd a CloudFlare, vagy az SSL szolgltatsokat a rdi elrshez, abban az esetben engedlyezned kell a 80 s 443-as portok elrst is.',
'Change' => 'Mdost',
'Comments' => 'Megjegyzsek',
'Connection Information' => 'Csatlakozsi informcik',
'Create Account' => 'Felhasznl ltrehozsa',
'Crossfade Duration (Seconds)' => 'Crossfade idtartama (msodpercben)',
'Custom Configuration' => 'Egyni bellts',
'Dashboard' => 'Vezrlpult',
'Default Mount' => 'Alaprtelmezett csatorna',
'Delete' => 'Trl',
'Directory' => 'Knyvtr',
'Disabled' => 'Nem engedlyezett',
'Download CSV' => 'Letlts CSV formtumban',
'Duplicate Songs' => 'Ismtld dalok',
'E-mail Address' => 'E-mail cm',
'Edit' => 'Szerkeszt',
'Edit Profile' => 'Profil szerkesztse',
'Edit Station Profile' => 'lloms tulajdonsgainak szerkesztse',
'Enable AutoDJ' => 'AutoDJ engedlyezse',
'Enabled' => 'Engedlyezve',
'End Time' => 'Befejezsi idpontja',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => 'Adja meg egy msik stream teljes URL-jt, amelyet ezen a csatolsi ponton keresztl sugrozunk.',
'Fallback Mount' => 'Httr csatolsi pont',
'File Name' => 'Fjl nv',
'Higher weight playlists are played more frequently compared to other lower-weight playlists.' => 'A jobban kedvelt slyozott jtszsi listk tbbszr kerlnek lejtszsra, a kevsb kedvelt, slyozott listkhoz kpest.',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => 'Ha ez a csatols az alaprtelmezett, akkor a rdi elnzetn s a nyilvnos rdi oldalon is ez jelenik meg.',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => 'Ha ez a csatolsi pont nem jtssza le a hangot, a hallgatk automatikusan tkerlnek erre a csatolsi pontra. Az alaprtelmezs az /error.mp3, ismtld hibazenet.',
'Internal notes or comments about the user, visible only on this control panel.' => 'Bels jegyzetek s kommentek a felhasznlrl, melyek csak a vezrl panelen lthatak.',
'Language' => 'Nyelv',
'Leave blank to automatically generate a new password.' => 'Hagyja resen, ha vletlenszer jelszt szeretne generltatni',
'Leave blank to use the current password.' => 'Hagyja resen, ha a jelenlegi jelszt szeretn hasznlni.',
'Length' => 'Hossz',
'Listeners' => 'Hallgatk',
'Listeners by Day of Week' => 'Hallgatk naponta, heti felbontsban',
'Listeners Per Station' => 'Hallgatk llomsonknt',
'Log In' => 'Bejelentkezs',
'Manage' => 'Kezels',
'Manage Stations' => 'llomsok kezelse',
'Media' => 'Mdia',
'Most Played Songs' => 'A legtbbet jtszott dalok',
'Mount Points' => 'Csatolsi pontok',
'Music Files' => 'Zenei fjlok',
'Mute' => 'Nmts',
'My Account' => 'Sajt fikom',
'Name' => 'Nv',
'No' => 'Nem',
'No other program can be using this port. Leave blank to automatically assign a port.' => 'Ms programok nem hasznlhatjk ezt a portot. Automatikus port hozzrendelshez hagyd resen!',
'Not Played' => 'Nem jtszott',
'Now Playing' => 'Most jtszott',
'Number of Minutes Between Plays' => 'Lejtszsok kztti percek',
'Number of Songs Between Plays' => 'Dalok szma a lejtszsok kztt.',
'Password' => 'Jelsz',
'Playlist' => 'Jtszsi lista',
'Playlist Name' => 'Lejtszsi lista neve',
'Playlist Type' => 'Lejtszsi lista tpusa',
'Playlist Weight' => 'Lejtszsi lista hossz',
'Playlists' => 'Lejtszsi listk',
'Plays' => 'Jtszik',
'Profile' => 'Profil',
'Public Page' => 'Publikus oldal',
'Relay Stream URL' => 'tjtsz stream URL-je',
'Rename' => 'tnevezs',
'Rename File/Directory' => 'Fjl, vagy knyvtr tnevezse',
'Reports' => 'Jelentsek',
'Request' => 'Krs',
'Request a Song' => 'Dal krse',
'Request Last Played Threshold (Minutes)' => 'Legutbb jtszott krs hatrideje (percben)',
'Request Minimum Delay (Minutes)' => 'Krsek teljestse kzti id (percben)',
'Restart Broadcasting' => 'Sugrzs jra indtsa',
'Role Name' => 'Szerepkr megnevezse',
'Roles' => 'Szablyok',
'Save Changes' => 'Vltoztatsok mentse',
'Sign Out' => 'Kijelentkezs',
'Site Base URL' => 'Oldal alaprtelmezett cme',
'Skip Song' => 'Dal kihagysa',
'Song' => 'Dal',
'Song Album' => 'Album',
'Song Artist' => 'Elad',
'Song History' => 'dal elzmnyek',
'Song Playback Timeline' => 'Dalok jtszsi trtnete',
'Song Requests' => 'Dal krse',
'Song Title' => 'Dalcm',
'Start Time' => 'Kezds idpontja',
'Station Name' => 'lloms neve',
'Station Overview' => 'lloms ttekintse',
'Stations' => 'llomsok',
'Streamer Username' => 'Streamer felhasznl neve',
'Streamer/DJ Accounts' => 'Sugrz/DJ fikok',
'Streamers/DJs' => 'Stream-ek/DJ-k',
'System Administration' => 'Rendszer adminisztrci',
'System Maintenance' => 'Rendszerkarbantarts',
'System Settings' => 'Rendszerbelltsok',
'The base URL where this service is located. Use either the external IP address or fully-qualified domain name (if one exists) pointing to this server.' => 'Url, ahol a szolgltats tallhat. Kls ip cm, vagy egy domain nv (ha ltezik), mely erre a kiszolglra mutat.',
'The relative path of the file in the station\'s media directory.' => 'A fjl relatv elrsi tja az llomsok mdia knyvtrn bell.',
'The streamer will use this password to connect to the radio server.' => 'A streamer ezt hasznlja a rdi-szerverhez val csatlakozskor.',
'The streamer will use this username to connect to the radio server.' => 'A streamer ezt hasznlja a rdi-kiszolglhoz val csatlakozskor.',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => 'A nvnek mindig egy perjellel (/) kell kezddnie, s rvnyes URL-nek kell lennie, mint pldul /autodj.mp3',
'Time Zone' => 'Idzna',
'Title' => 'Cm',
'Use Web Proxy for Radio' => 'Web Proxy hasznlata a rdihoz',
'User Accounts' => 'Felhasznli fikok',
'Username' => 'Felhasznl nv',
'Users' => 'Felhasznlk',
'Worst Performing Songs' => 'Legrosszabbul teljest dalok',
'Yes' => 'Igen',
'AzuraCast Setup' => 'AzuraCast teleptse',
'AzuraCast Settings' => 'AzuraCast belltsok',
'Setting Key' => 'Belltsi kulcs',
'Setting Value' => 'Bellts rtke',
'Configuration successfully written.' => 'A konfigurci mentse sikerlt.',
'Imported locale: %s' => 'Importlt terlet belltva: %s',
'Backup path %s not found!' => 'A visszallytsi fjl %s nem tallhat!',
'AzuraCast Backup' => 'AzuraCast visszalltsok',
'Please wait while a backup is generated...' => 'Krlek vrj amg a biztonsgi msolat legenerldik...',
'Creating temporary directories...' => 'Ideiglenes mappk ksztse...',
'Backing up MariaDB...' => 'MariaDB visszalltsa...',
'Creating backup archive...' => 'Biztonsgi archvum ltrehozsa...',
'Cleaning up temporary files...' => 'Ideiglenes fjlok trlse...',
'Backup complete in %.2f seconds.' => 'Visszallts ksz %.2f msodperc alatt.',
'The account associated with e-mail address "%s" has been set as an administrator' => 'A (z) "%s" e-mail cm belltva adminisztrtornak',
'Account not found.' => 'Nem tallhat fik.',
'Song skipped.' => 'Dal kihagyva',
'Setup has already been completed!' => 'A telepts befejezdtt!',
'Logged in successfully.' => 'Sikeres bejelentkezs.',
'Login unsuccessful' => 'Sikertelen bejelentkezs',
'Your credentials could not be verified.' => 'A hitelest adatok nem ellenrizhetek',
'Select...' => 'Vlasszon...',
'All Permissions' => 'Minden jog',
'View Station Page' => 'Rdi oldal megtekintse',
'View Station Reports' => 'Rdi jelentsek megtekintse',
'View Station Logs' => 'Rdi rendszerzenetek megtekintse',
'Manage Station Profile' => 'Rdi profil kezelse',
'Manage Station Broadcasting' => 'lloms sugrzsnak kezelse',
'Manage Station Streamers' => 'Dj-k kezelse',
'Manage Station Mount Points' => 'Csatlakozsi pontok kezelse',
'Manage Station Media' => 'llomsok kezelse',
'Manage Station Automation' => 'lloms automatizlsnak kezelse',
'Manage Station Web Hooks' => 'lloms Web Hooksok kezelse',
'View Administration Page' => 'Adminisztrcis oldal megtekintse',
'View System Logs' => 'Rendszernaplk megtekintse',
'Administer Settings' => 'Adminisztrcis belltsok',
'Administer API Keys' => 'Adminisztrcis API kulcsok',
'Administer Stations' => 'llomsok kezelse',
'Administer Custom Fields' => 'Felhasznli egyni mezk megjelentse',
'Administer Backups' => 'Visszalltsok kezelse',
'Welcome to %s!' => 'dvzlnk %s!',
'Please log in to continue.' => 'Krjk jelentkezzen be a folytatshoz.',
),
),
);
``` | /content/code_sandbox/translations/hu_HU.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 3,485 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=2; plural=(n > 1);',
'messages' =>
array (
'' =>
array (
'# Episodes' => '# pisodes',
'# Songs' => '# Titres',
'%{ dj } is now live on %{ station }! Tune in now: %{ url }' => '%{ dj } est maintenant en direct sur %{ station } ! Connectez-vous maintenant sur : %{ url }',
'%{ hours } hours' => '%{ hours } heures',
'%{ minutes } minutes' => '%{ minutes } minutes',
'%{ seconds } seconds' => '%{ seconds } secondes',
'%{ station } is back online! Tune in now: %{ url }' => '%{ station } est de nouveau en ligne ! Branchez-vous maintenant : %{ url }',
'%{ station } is going offline for now.' => '%{ station } est hors ligne pour l\'instant.',
'%{filesCount} File' =>
array (
0 => '%{filesCount} fichier',
1 => '%{filesCount} fichiers',
),
'%{listeners} Listener' =>
array (
0 => '%{listeners} auditeur',
1 => '%{listeners} auditeurs',
),
'%{messages} queued messages' => '%{messages} messages en attente',
'%{name} - Copy' => 'Copier %{name}',
'%{numPlaylists} playlist' =>
array (
0 => '%{numPlaylists} liste de lecture',
1 => '%{numPlaylists} listes de lecture',
),
'%{numSongs} uploaded song' =>
array (
0 => '%{numSongs} musique envoye',
1 => '%{numSongs} musiques envoyes',
),
'%{spaceUsed} of %{spaceTotal} Used' => '%{spaceUsed} sur %{spaceTotal} utilis',
'%{spaceUsed} Used' => '%{spaceUsed} utilis',
'%{station} - Copy' => 'Copier %{station}',
'12 Hour' => '12 heures',
'24 Hour' => '24 heures',
'A completely random track is picked for playback every time the queue is populated.' => 'Une piste compltement alatoire est choisie pour la lecture chaque fois que la file d\'attente est remplie.',
'A name for this stream that will be used internally in code. Should only contain letters, numbers, and underscores (i.e. "stream_lofi").' => 'Un nom pour ce flux qui sera utilis en interne dans le code. Il doit contenir que des lettres, des chiffres et des tirets bas (par exemple "stream_lofi").',
'A passkey has been selected. Submit this form to add it to your account.' => 'Une cl d\'accs a t slectionn. Envoyer ce formulaire pour l\'ajouter votre compte.',
'A playlist containing media files hosted on this server.' => 'Une playlist contenant des fichiers mdias hbergs sur ce serveur.',
'A playlist that instructs the station to play from a remote URL.' => 'Une playlist qui demande la station de jouer partir d\'une URL distante.',
'A unique identifier (i.e. "G-A1B2C3D4") for this measurement stream.' => 'Un identifiant unique (c\'est--dire "G-A1B2C3D4") pour ce flux de mesure.',
'About AzuraRelay' => ' propos d\'AzuraRelay',
'About Master_me' => ' propos de Master_me',
'About Release Channels' => ' propos des canaux de publication',
'Access Code' => 'Code d\'accs',
'Access Key ID' => 'ID de cl d\'accs',
'Access Token' => 'Jeton d\'accs',
'Account Details' => 'Dtails du compte',
'Account is Active' => 'Le compte est actif',
'Account List' => 'Liste des comptes',
'Actions' => 'Actions',
'Adapter' => 'Adaptateur',
'Add API Key' => 'Ajouter une cl API',
'Add Custom Field' => 'Ajouter un champ personnalis',
'Add Episode' => 'Ajouter un pisode',
'Add Files to Playlist' => 'Ajouter des fichiers la playlist',
'Add HLS Stream' => 'Ajouter un flux HLS',
'Add Mount Point' => 'Ajouter un point de montage',
'Add New GitHub Issue' => 'Ajouter un nouveau problme sur GitHub',
'Add New Passkey' => 'Ajouter un nouvelle cl d\'accs',
'Add Playlist' => 'Ajouter une playlist',
'Add Podcast' => 'Ajouter un podcast',
'Add Remote Relay' => 'Ajouter un relais distance',
'Add Role' => 'Ajouter un rle',
'Add Schedule Item' => 'Ajouter une nouvelle planification',
'Add SFTP User' => 'Ajouter un utilisateur SFTP',
'Add Station' => 'Ajouter une station',
'Add Storage Location' => 'Ajouter un emplacement de stockage',
'Add Streamer' => 'Ajouter Streamer',
'Add User' => 'Ajouter un utilisateur',
'Add Web Hook' => 'Ajouter un Webhook',
'Administration' => 'Administration',
'Advanced' => 'Avanc',
'Advanced Configuration' => 'Configuration avance',
'Advanced Manual AutoDJ Scheduling Options' => 'Options avances de programmation manuelle de l\'AutoDJ',
'Aggregate listener statistics are used to show station reports across the system. IP-based listener statistics are used to view live listener tracking and may be required for royalty reports.' => 'Les statistiques globales sur les auditeurs sont utilises pour afficher les rapports des stations dans l\'ensemble du systme. Les statistiques d\'auditeurs bases sur IP sont utilises pour visualiser le suivi des auditeurs en direct et peuvent tre requises pour les rapports sur les redevances.',
'Album' => 'Album',
'Album Art' => 'Pochette d\'album',
'Alert' => 'Alerte',
'All Days' => 'Tous les jours',
'All listed domain names should point to this AzuraCast installation. Separate multiple domain names with commas.' => 'Tous les noms de domaine prsents dans cette liste doivent pointer vers cette installation AzuraCast. Si vous souhaitez utiliser plusieurs noms de domaine, sparez-les par des virgules.',
'All Playlists' => 'Toutes les playlists',
'All Podcasts' => 'Tous les podcasts',
'All Types' => 'Tous types',
'All values in the NowPlaying API response are available for use. Any empty fields are ignored.' => 'Toutes les valeurs de la rponse de l\'API "NowPlaying" sont disponibles pour l\'utilisation. Tous les champs vides sont ignors.',
'Allow Requests from This Playlist' => 'Autoriser les requtes pour cette playlist',
'Allow Song Requests' => 'Autoriser la demande du titre suivant',
'Allow Streamers / DJs' => 'Activer les Streamers / DJs',
'Allowed IP Addresses' => 'Adresses IP autorises',
'Always Use HTTPS' => 'Toujours utiliser HTTPS',
'Amplify: Amplification (dB)' => 'Amplifier : Amplification (dB)',
'An error occurred and your request could not be completed.' => 'Une erreur s\'est produite et votre demande n\'a pas pu tre termine.',
'An error occurred while loading the station profile:' => 'Une erreur s\'est produite pendant le chargement du profil de la station:',
'An error occurred with the WebDJ socket.' => 'Une erreur s\'est produite avec le socket WebDJ.',
'Analytics' => 'Analytiques',
'Analyze and reprocess the selected media' => 'Analyser et retraiter les mdias slectionns',
'Any of the following file types are accepted:' => 'Les types de fichiers suivants sont accepts :',
'Any time a live streamer/DJ connects to the stream' => ' chaque fois qu\'un streamer en direct/DJ se connecte en direct sur le flux',
'Any time a live streamer/DJ disconnects from the stream' => 'Chaque fois qu\'un streamer en direct/DJ se dconnecte du flux',
'Any time the currently playing song changes' => ' chaque fois que la chanson en cours de lecture change',
'Any time the listener count decreases' => ' chaque fois que le nombre d\'auditeurs diminue',
'Any time the listener count increases' => ' chaque fois que le nombre d\'auditeurs augmente',
'API "Access-Control-Allow-Origin" Header' => 'En-tte de l\'API "Access-Control-Allow-Origin"',
'API Documentation' => 'Documentation de l\'API',
'API Key Description/Comments' => 'Description de la cl API / Commentaires',
'API Keys' => 'Cls API',
'API Token' => 'Cl d\'Api',
'API Version' => 'Version de l\'API',
'App Key' => 'Cl d\'application',
'App Secret' => 'Secret d\'application',
'Apple Podcasts' => 'Apple Podcasts',
'Apply audio processors (like compressors, limiters, or equalizers) to your stream to create a more uniform sound or enhance the listening experience. Processing requires extra CPU resources, so it may slow down your server.' => 'Appliquez des processeurs audio (comme les compresseurs, les limiteurs ou les galiseurs) votre flux pour crer un son plus uniforme ou amliorer l\'exprience d\'coute. Le traitement ncessite des ressources CPU supplmentaires, ce qui peut ralentir votre serveur.',
'Apply for an API key at Last.fm' => 'Utiliser une cl d\'API pour Last.fm',
'Apply Playlist to Folders' => 'Appliquer la playlist aux dossiers',
'Apply Post-processing to Live Streams' => 'Appliquer le post-traitement aux flux en direct',
'Apply to Folders' => 'Appliquer aux dossiers',
'Are you sure?' => 'tes-vous sr?',
'Art' => 'Pochette',
'Artist' => 'Artiste',
'Artwork' => 'Illustration',
'Artwork must be a minimum size of 1400 x 1400 pixels and a maximum size of 3000 x 3000 pixels for Apple Podcasts.' => 'L\'illustration doit avoir une taille minimale de 1400 x 1400 pixels et une taille maximale de 3000 x 3000 pixels pour les podcasts Apple.',
'Attempt to Automatically Retrieve ISRC When Missing' => 'Tenter de rcuprer automatiquement l\'ISRC quand il est manquant',
'Audio Bitrate (kbps)' => 'Dbit audio (kbps)',
'Audio Format' => 'Format de l\'audio',
'Audio Post-processing Method' => 'Mthode de post-traitement audio',
'Audio Processing' => 'Traitement audio',
'Audio transcoding applications like Liquidsoap use a consistent amount of CPU over time, which gradually drains this available credit. If you regularly see stolen CPU time, you should consider migrating to a VM that has CPU resources dedicated to your instance.' => 'Les applications de transcodage audio tels que LiquidSoap utilisent une quantit constante de CPU au fil du temps, ce qui draine progressivement ce crdit disponible. Si vous voyez rgulirement du temps de CPU vol, vous devriez envisager de migrer vers une machine virtuelle contenant des ressources CPU ddies votre instance.',
'Audit Log' => 'Journal d\'audit',
'Author' => 'Auteur',
'Auto-Assign Value' => 'Valeur auto-assign',
'AutoCue analyzes your music and automatically calculates cue points, fade points, and volume levels for a consistent listening experience.' => 'AutoCue analyse votre musique et calcule automatiquement les points de repre, les points de fondu et les niveaux de volume pour une exprience d\'coute cohrente.',
'AutoDJ' => 'AutoDJ',
'AutoDJ Bitrate (kbps)' => 'Taux de l\'AutoDJ (Kb/s)',
'AutoDJ Disabled' => 'AutoDJ Dsactiv',
'AutoDJ Format' => 'Format de l\'AutoDJ',
'AutoDJ has been disabled for this station. No music will automatically be played when a source is not live.' => 'AutoDJ a t dsactiv pour cette station. Aucune musique ne sera automatiquement joue lorsqu\'une source n\'est pas en direct.',
'AutoDJ Queue' => 'File d\'attente AutoDJ',
'AutoDJ Queue Length' => 'Longueur de la file d\'attente de l\'AutoDJ',
'AutoDJ Service' => 'Service AutoDJ',
'Automatic Backups' => 'Sauvegardes automatiques',
'Automatically create new podcast episodes when media is added to a specified playlist.' => 'Crer automatiquement de nouveaux pisodes de podcast lorsque le mdia est ajout une playlist spcifie.',
'Automatically Publish New Episodes' => 'Publier automatiquement les nouveaux pisodes',
'Automatically publish to a Mastodon instance.' => 'Publier automatiquement sur l\'instance Mastodon.',
'Automatically Scroll to Bottom' => 'Faire dfiler automatiquement vers le bas',
'Automatically send a customized message to your Discord server.' => 'Envoyer automatiquement un message personnalis sur votre serveur Discord.',
'Automatically send a message to any URL when your station data changes.' => 'Envoyer automatiquement un message tous les URL lorsque les donnes de votre station changent.',
'Automatically Set from ID3v2 Value' => 'Dfinir automatiquement partir de la valeur ID3v2',
'Available Logs' => 'Logs disponibles',
'Avatar Service' => 'Service d\'avatar',
'Avatars are retrieved based on your e-mail address from the %{ service } service. Click to manage your %{ service } settings.' => 'Les avatars sont rcuprs en fonction de votre adresse mail partir du service %{ service }. Cliquez pour grer votre service %{ service }.',
'Average Listeners' => 'Moyenne des auditeurs',
'Avoid Duplicate Artists/Titles' => 'viter les doublons d\'artistes/titres',
'AzuraCast First-Time Setup' => 'AzuraCast Premire installation',
'AzuraCast Instance Name' => 'Nom de l\'instance AzuraCast',
'AzuraCast ships with a built-in free IP geolocation database. You may prefer to use the MaxMind GeoLite service instead to achieve more accurate results. Using MaxMind GeoLite requires a license key, but once the key is provided, we will automatically keep the database updated.' => 'AzuraCast est livr avec une base de donnes de golocalisation IP gratuite intgre. Vous prfrerez peut-tre utiliser le service MaxMind GeoLite pour obtenir des rsultats plus prcis. L\'utilisation de MaxMind GeoLite ncessite une cl de licence, mais une fois la cl fournie, nous garderons automatiquement la base de donnes jour.',
'AzuraCast Update Checks' => 'Vrifier les mises jour d\'AzuraCast',
'AzuraCast User' => 'Utilisateur AzuraCast',
'AzuraCast uses a role-based access control system. Roles are given permissions to certain sections of the site, then users are assigned into those roles.' => 'AzuraCast utilise un systme de contrle d\'accs bas sur les rles. Les rles permettent l\'accs certaines sections du site aux utilisateurs possdants les rles.',
'AzuraCast Wiki' => 'Wiki AzuraCast',
'AzuraCast will scan the uploaded file for matches in this station\'s music library. Media should already be uploaded before running this step. You can re-run this tool as many times as needed.' => 'AzuraCast analysera le fichier tlcharg la recherche de correspondances dans la bibliothque musicale de cette station. Les mdias doivent dj tre tlchargs avant de passer cette tape. Vous pouvez relancer cet outil autant de fois que ncessaire.',
'AzuraRelay is a standalone service that connects to your AzuraCast instance, automatically relays your stations via its own server, then reports the listener details back to your main instance. This page shows all currently connected instances.' => 'AzuraRelay est un service autonome qui se connecte votre instance Azuracast, relaie automatiquement vos stations via son propre serveur, puis rapporte les dtails des auditeurs votre instance principale. Cette page affiche toutes les instances actuellement connectes.',
'Back' => 'Retour',
'Backing up your installation is strongly recommended before any update.' => 'La sauvegarde de votre installation est fortement recommande avant de faire une mise jour.',
'Backup' => 'Sauvegarde',
'Backup Format' => 'Format de sauvegarde',
'Backups' => 'Sauvegardes',
'Balanced' => 'quilibr',
'Banned Countries' => 'Pays bannis',
'Banned IP Addresses' => 'Adresses IP bannies',
'Banned User Agents' => 'Agents utilisateurs bannis',
'Base Directory' => 'Dossier de base',
'Base Station Directory' => 'Rpertoire de la station',
'Base Theme for Public Pages' => 'Thme de base pour les pages publiques',
'Basic Info' => 'Informations de base',
'Basic Information' => 'Informations de base',
'Basic Normalization and Compression' => 'Normalisation et compression de base',
'Best & Worst' => 'Meilleure & pire',
'Best Performing Songs' => 'Meilleurs titres',
'Bit Rate' => 'Dbit Audio',
'Bitrate' => 'Dbit',
'Bot Token' => 'Jeton (Token) de Bot',
'Bot/Crawler' => 'Bot / Robot d\'indexation',
'Branding' => 'Marque',
'Branding Settings' => 'Paramtres de la marque',
'Broadcast AutoDJ to Remote Station' => 'Diffusion AutoDJ vers la station distante',
'Broadcasting' => 'Diffusion',
'Broadcasting Service' => 'Service de diffusion',
'Broadcasts' => 'Diffusions',
'Browser' => 'Navigateur',
'Browser Default' => 'Navigateur par dfaut',
'Browser Icon' => 'Icne du navigateur',
'Browsers' => 'Navigateurs',
'Bucket Name' => 'Nom Bucket',
'Bulk Edit Episodes' => 'Modifier les pisodes en vrac',
'Bulk Media Import/Export' => 'Importer / Exporter plusieurs mdias',
'by' => 'de',
'By default, radio stations broadcast on their own ports (i.e. 8000). If you\'re using a service like CloudFlare or accessing your radio station by SSL, you should enable this feature, which routes all radio through the web ports (80 and 443).' => 'Par dfaut, les stations diffusent sur leurs propres port (par ex. 8000). Si vous utilisez un service comme CloudFlare ou que vous accdez votre radio via SSL, vous devriez activer cette fonctionnalit qui dirigera la radio travers les ports web (80 et 443).',
'Cached' => 'Cache',
'Cancel' => 'Annuler',
'Categories' => 'Catgories',
'Change' => 'Changer',
'Change Password' => 'Changer le mot de passe',
'Changes' => 'Changements',
'Changes saved.' => 'Modifications sauvegardes.',
'Character Set Encoding' => 'Encodage des caractres',
'Chat ID' => 'ID de chat',
'Check for Updates' => 'Vrification des mises jour',
'Check this box to apply post-processing to all audio, including live streams. Uncheck this box to only apply post-processing to the AutoDJ.' => 'Cochez cette case pour appliquer le post-traitement tous les audio, y compris les flux en direct. Dcochez-le pour appliquer uniquement le post-traitement l\'AutoDJ.',
'Check Web Services for Album Art for "Now Playing" Tracks' => 'Consulter les services web pour les pochettes d\'album pour les pistes "En cours de lecture"',
'Check Web Services for Album Art When Uploading Media' => 'Consulter les services web pour les pochettes d\'album lors de l\'envoi de mdia',
'Choose a method to use when transitioning from one song to another. Smart Mode considers the volume of the two tracks when fading for a smoother effect, but requires more CPU resources.' => 'Choisissez une mthode utiliser lors de la transition d\'une chanson une autre. Le mode Smart prend en compte le volume des deux pistes lors du fondu pour un effet plus fluide, mais ncessite plus de ressources CPU.',
'Choose a name for this webhook that will help you distinguish it from others. This will only be shown on the administration page.' => 'Choisissez un nom pour ce Webhook qui vous aidera le distinguer des autres. Ceci ne sera affich que sur la page d\'administration.',
'Choose a new password for your account.' => 'Choisissez un nouveau mot de passe pour votre compte.',
'City' => 'Ville',
'Clear' => 'Effacer',
'Clear all media from playlist?' => 'Effacer tous les fichiers mdias prsents dans la playlist ?',
'Clear All Message Queues' => 'Effacer toutes les messages en file d\'attente',
'Clear All Pending Requests?' => 'Effacer toutes les demandes en attente ?',
'Clear Artwork' => 'Effacer les albums',
'Clear Cache' => 'Vider le cache',
'Clear Field' => 'Champ libre',
'Clear File' => 'Supprimer le fichier',
'Clear Filters' => 'Effacer les filtres',
'Clear Image' => 'Supprimer l\'image',
'Clear List' => 'Effacer la liste',
'Clear Media' => 'Effacer les mdias',
'Clear Pending Requests' => 'Effacer les demandes en attente',
'Clear Queue' => 'Vider la file d\'attente',
'Clear Upcoming Song Queue' => 'Vider la file d\'attente des chansons venir',
'Clear Upcoming Song Queue?' => 'Vider la file d\'attente des chansons venir ?',
'Clearing the application cache may log you out of your session.' => 'Effacer le cache de l\'application peut vous dconnecter de votre session.',
'Click "Generate new license key".' => 'Cliquez sur "Gnrer une nouvelle cl de licence".',
'Click "New Application"' => 'Cliquer sur "Nouvelle Application"',
'Click the "Preferences" link, then "Development" on the left side menu.' => 'Cliquez sur le lien " Prfrences", puis sur "Dveloppement" dans le menu de gauche.',
'Click the button below to generate a CSV file with all of this station\'s media. You can make any necessary changes, and then import the file using the file picker on the right.' => 'Cliquez sur le bouton ci-dessous pour gnrer un fichier CSV avec une liste de tous les mdias de votre station. Vous pouvez effectuer les modifications que vous souhaitez, puis importez le fichier en le slectionnant droite.',
'Click the button below to open your browser window to select a passkey.' => 'Cliquez sur le bouton ci-dessous pour ouvrir la fentre de votre navigateur pour slectionner une cl d\'accs.',
'Click the button below to retry loading the page.' => 'Cliquez sur le bouton ci-dessous pour ressayer de charger la page.',
'Client' => 'Client',
'Clients' => 'Clients',
'Clients by Connected Time' => 'Clients par temps connect',
'Clients by Listeners' => 'Clients par auditeurs',
'Clone' => 'Dupliquer',
'Clone Station' => 'Dupliquer la station',
'Close' => 'Fermer',
'CloudFlare (CF-Connecting-IP)' => 'CloudFlare (CF-Connecting-IP)',
'Code from Authenticator App' => 'Code de l\'application authentificateur',
'Collect aggregate listener statistics and IP-based listener statistics' => 'Collecter des statistiques agrges des auditeurs et des statistiques des auditeurs bases sur l\'IP',
'Comments' => 'Commentaires',
'Complete the setup process by providing some information about your broadcast environment. These settings can be changed later from the administration panel.' => 'Complter le processus dinstallation en fournissant des informations sur votre environnement de diffusion. Ces paramtres peuvent tre modifis ultrieurement depuis le panneau dadministration.',
'Configure' => 'Configurer',
'Configure Backups' => 'Configurer les sauvegardes',
'Confirm' => 'Confirmer',
'Confirm New Password' => 'Confirmer le nouveau mot de passe',
'Connected AzuraRelays' => 'RelaisAzura connects',
'Connection Information' => 'Informations de connexion',
'Contains explicit content' => 'Contient un contenu explicite',
'Continue the setup process by creating your first radio station below. You can edit any of these details later.' => 'Poursuivez le processus de configuration en crant votre premire station de radio ci-dessous. Vous pouvez modifier ces dtails plus tard.',
'Continuous Play' => 'Lecture continue',
'Control how this playlist is handled by the AutoDJ software.' => 'Contrlez la faon dont cette playlist est gre par l\'AutoDJ.',
'Copied!' => 'Copi !',
'Copies older than the specified number of days will automatically be deleted. Set to zero to disable automatic deletion.' => 'Les copies plus anciennes que le nombre de jours spcifi seront automatiquement supprimes. Mettez la valeur zro pour dsactiver la suppression automatique.',
'Copy associated media and folders.' => 'Copier les mdias et dossiers associs.',
'Copy scheduled playback times.' => 'Copier les heures de lecture planifies.',
'Copy to Clipboard' => 'Copier dans le presse-papier',
'Copy to New Station' => 'Copier vers une nouvelle station',
'Could not upload file.' => 'Impossible d\'envoyer le fichier.',
'Countries' => 'Pays',
'Country' => 'Pays',
'CPU Load' => 'Charge du CPU',
'CPU Stats Help' => 'Aide sur les statistiques du CPU',
'Create a new application. Choose "Scoped Access", select your preferred level of access, then name your app. Do not name it "AzuraCast", but rather use a name specific to your installation.' => 'Crer une nouvelle application. Choisissez "Accs limit", slectionnez votre niveau d\'accs prfr, puis nommez votre application. Ne le nommez pas "AzuraCast", mais utilisez plutt un nom propre votre installation.',
'Create a New Radio Station' => 'Crer une nouvelle station de radio',
'Create Account' => 'Crer un compte',
'Create an account on the MaxMind developer site.' => 'Crez un compte sur le site Dveloppeurs de MaxMind.',
'Create and Continue' => 'Crer et continuer',
'Create custom fields to store extra metadata about each media file uploaded to your station libraries.' => 'Crez des champs personnaliss pour stocker des mtadonnes supplmentaires propos de chaque fichier multimdia tlcharg dans vos bibliothques de station.',
'Create Directory' => 'Crer le rpertoire',
'Create New Key' => 'Crer une nouvelle cl',
'Create New Playlist for Each Folder' => 'Crer une nouvelle playlist pour chaque dossier',
'Create podcast episodes independent of your station\'s media collection.' => 'Crer des pisodes de podcast indpendamment de la collection mdia de votre station.',
'Create Station' => 'Crer une station',
'Critical' => 'Critique',
'Crossfade Duration (Seconds)' => 'Dure du fondu enchan (en secondes)',
'Crossfade Method' => 'Mthode de fondu enchan',
'Cue' => 'Cue',
'Current Configuration File' => 'Fichier de configuration actuel',
'Current Custom Fallback File' => 'Fichier de secours personnalis actuel',
'Current Installed Version' => 'Version actuelle installe',
'Current Intro File' => 'Fichier d\'introduction actuel',
'Current Password' => 'Mot de passe actuel',
'Current Podcast Media' => 'Podcast actuel',
'Custom' => 'Personnaliser',
'Custom API Base URL' => 'URL de base de l\'API personnalise',
'Custom Branding' => 'Personnalisation de l\'image de marque',
'Custom Configuration' => 'Configuration personnalise',
'Custom CSS for Internal Pages' => 'CSS personnalis pour les pages internes',
'Custom CSS for Public Pages' => 'CSS personnalis pour les pages publique',
'Custom Cues: Cue-In Point (seconds)' => 'Repres personnaliss : Dbut du titre (en secondes)',
'Custom Cues: Cue-Out Point (seconds)' => 'Repres personnaliss : Fin du titre (en secondes)',
'Custom Fading: Fade-In Time (seconds)' => 'Transition en fondu enchan : Dure de la transition de dpart (en secondes)',
'Custom Fading: Fade-Out Time (seconds)' => 'Transition en fondu enchan : Dure de la transition de fin (en secondes)',
'Custom Fallback File' => 'Fichier de secours personnalis',
'Custom Fields' => 'Champs personnaliss',
'Custom Frontend Configuration' => 'Configuration personnalise du front-end',
'Custom HTML for Public Pages' => 'HTML personnalis pour les pages publiques',
'Custom JS for Public Pages' => 'JS personnalis pour les pages publique',
'Customize' => 'Personnaliser',
'Customize Administrator Password' => 'Personnaliser le mot de passe administrateur',
'Customize AzuraCast Settings' => 'Personnaliser les paramtres d\'AzuraCast',
'Customize Broadcasting Port' => 'Personnaliser le port de diffusion',
'Customize Copy' => 'Personnaliser la copie',
'Customize DJ/Streamer Mount Point' => 'Personnaliser le point de montage DJ/Streamer',
'Customize DJ/Streamer Port' => 'Personnaliser le port DJ/Streamer',
'Customize Internal Request Processing Port' => 'Personnaliser le port de traitement des demandes internes',
'Customize Source Password' => 'Personnaliser le mot de passe source',
'Customize the number of songs that will appear in the "Song History" section for this station and in all public APIs.' => 'Personnalisez le nombre de chansons qui apparatront dans la section "Historique des chansons" de cette station et dans toutes les API publiques.',
'Customize this setting to ensure you get the correct IP address for remote users. Only change this setting if you use a reverse proxy, either within Docker or a third-party service like CloudFlare.' => 'Personnalisez ce paramtre pour vous assurer l\'obtention de la bonne adresse IP pour les utilisateurs distants. Modifiez ce paramtre que si vous utilisez un proxy invers, soit dans Docker, soit un service tiers comme CloudFlare.',
'Dark' => 'Sombre',
'Dashboard' => 'Tableau de bord',
'Date Played' => 'Date de lecture',
'Date Requested' => 'Date de la demande',
'Date/Time' => 'Date/Heure',
'Date/Time (Browser)' => 'Date/Heure (Navigateur)',
'Date/Time (Station)' => 'Date/Heure (Station)',
'Days of Playback History to Keep' => 'Jours conserver de l\'historique de lecture',
'Deactivate Streamer on Disconnect (Seconds)' => 'Dsactiver le streamer la dconnexion (secondes)',
'Debug' => 'Debug',
'Default Album Art' => 'Pochette par dfaut',
'Default Album Art URL' => 'URL de pochette d\'album par dfaut',
'Default Avatar URL' => 'URL de l\'avatar par dfaut',
'Default Live Broadcast Message' => 'Message par dfaut lors du dmarrage d\'une diffusion en direct',
'Default Mount' => 'Point de montage par dfaut',
'Delete' => 'Supprimer',
'Delete %{ num } episodes?' => 'Supprimer %{ num } pisode(s) ?',
'Delete %{ num } media files?' => 'Supprimer %{ num } fichier(s) mdia(s) ?',
'Delete Album Art' => 'Supprimer la pochette de l\'album',
'Delete API Key?' => 'Supprimer la cl API ?',
'Delete Backup?' => 'Supprimer la sauvegarde ?',
'Delete Broadcast?' => 'Supprimer la diffusion ?',
'Delete Custom Field?' => 'Supprimer le champ personnalis ?',
'Delete Episode?' => 'Supprimer l\'pisode ?',
'Delete HLS Stream?' => 'Supprimer le flux HLS ?',
'Delete Mount Point?' => 'Supprimer le point de montage ?',
'Delete Passkey?' => 'Supprimer la cl d\'accs ?',
'Delete Playlist?' => 'Supprimer la playlist ?',
'Delete Podcast?' => 'Supprimer le podcast ?',
'Delete Queue Item?' => 'Supprimer l\'lment de la file d\'attente ?',
'Delete Record?' => 'Supprimer l\'enregistrement ?',
'Delete Remote Relay?' => 'Supprimer le relais distance ?',
'Delete Request?' => 'Supprimer la demande ?',
'Delete Role?' => 'Supprimer le rle ?',
'Delete SFTP User?' => 'Supprimer l\'utilisateur SFTP ?',
'Delete Station?' => 'Supprimer la station ?',
'Delete Storage Location?' => 'Supprimer l\'emplacement de stockage ?',
'Delete Streamer?' => 'Supprimer le streamer ?',
'Delete User?' => 'Supprimer l\'utilisateur ?',
'Delete Web Hook?' => 'Supprimer le Webhook ?',
'Description' => 'Description',
'Desktop' => 'Bureau',
'Details' => 'Dtails',
'Directory' => 'Annuaire',
'Directory Name' => 'Nom du rpertoire',
'Disable' => 'Dsactiver',
'Disable Crossfading' => 'Dsactiver le fondu enchan',
'Disable Optimizations' => 'Dsactiver les optimisations',
'Disable station?' => 'Dsactiver la station ?',
'Disable Two-Factor' => 'Dsactiver l\'authentification deux facteurs',
'Disable two-factor authentication?' => 'Dsactiver l\'authentification deux facteurs ?',
'Disable?' => 'Dsactiver ?',
'Disabled' => 'Dsactiv',
'Disconnect Streamer' => 'Dconnecter le Streamer',
'Discord Web Hook URL' => 'URL du Webhook Discord',
'Discord Webhook' => 'Webhook Discord',
'Disk caching makes a system much faster and more responsive in general. It does not take memory away from applications in any way since it will automatically be released by the operating system when needed.' => 'La mise en cache du disque rend un systme beaucoup plus rapide et plus ractif en gnral. Il ne prend aucune mmoire l\'cart des applications de quelque manire que ce soit puisqu\'il sera automatiquement libr par le systme d\'exploitation en cas de besoin.',
'Disk Space' => 'Espace disque',
'Display fields' => 'Afficher les champs',
'Display Name' => 'Nom d\'affichage',
'DJ/Streamer Buffer Time (Seconds)' => 'Temps du tampon DJ/Streamer (secondes)',
'Do not collect any listener analytics' => 'Collecter aucune analyse d\'auditeur',
'Do not use a local broadcasting service.' => 'Ne pas utiliser un service de diffusion local.',
'Do not use an AutoDJ service.' => 'Ne pas utiliser de service AutoDJ.',
'Documentation' => 'Documentation',
'Domain Name(s)' => 'Nom(s) de domaine',
'Donate to support AzuraCast!' => 'Faire un don pour soutenir AzuraCast !',
'Download' => 'Tlcharger',
'Download CSV' => 'Tlcharger en CSV',
'Download M3U' => 'Tlcharger M3U',
'Download PLS' => 'Tlcharger le PLS',
'Download the appropriate binary from the Stereo Tool downloads page:' => 'Tlchargez le binaire appropri partir de la page de tlchargement de Stro Tool :',
'Download the Linux x64 binary from the Shoutcast Radio Manager:' => 'Tlcharger le fichier binaire Linux x64 partir du gestionnaire de radio Shoutcast :',
'Drag file(s) here to upload or' => 'Faites glisser ici pour envoyer un/des fichier(s) ou',
'Dropbox App Console' => 'Console d\'applications Dropbox',
'Dropbox Setup Instructions' => 'Instructions de configuration de Dropbox',
'Duplicate' => 'Dupliquer',
'Duplicate Playlist' => 'Dupliquer la playlist',
'Duplicate Prevention Time Range (Minutes)' => 'Dupliquer le temps de prvention (Minutes)',
'Duplicate Songs' => 'Titres en double',
'E-Mail' => 'E-mail',
'E-mail Address' => 'Adresse e-mail',
'E-mail Address (Optional)' => 'Adresse e-mail (facultatif)',
'E-mail addresses can be separated by commas.' => 'Les adresses e-mail peuvent tre spares par des virgules.',
'E-mail Delivery Service' => 'Service d\'envoi d\'e-mail',
'EBU R128' => 'EBU R128',
'Edit' => 'diter',
'Edit Branding' => 'Modifier l\'interface graphique',
'Edit Custom Field' => 'Modifier le champ personnalis',
'Edit Episode' => 'Modifier l\'pisode',
'Edit HLS Stream' => 'Modifier le flux HLS',
'Edit Liquidsoap Configuration' => 'Modifier la configuration de Liquidsoap',
'Edit Media' => 'Modifier le mdia',
'Edit Mount Point' => 'Modifier le point de montage',
'Edit Playlist' => 'Modifier la playlist',
'Edit Podcast' => 'Modifier le podcast',
'Edit Profile' => 'Modifier le profil',
'Edit Remote Relay' => 'Modifier le relais distance',
'Edit Role' => 'Modifier le rle',
'Edit SFTP User' => 'Modifier l\'utilisateur SFTP',
'Edit Station' => 'Modifier la station',
'Edit Station Profile' => 'Modifier le profil de la station',
'Edit Storage Location' => 'Modifier l\'emplacement de stockage',
'Edit Streamer' => 'Modifier le streamer',
'Edit User' => 'Modifier l\'utilisateur',
'Edit Web Hook' => 'Modifier le Webhook',
'Embed Code' => 'Code d\'intgration',
'Embed Widgets' => 'Widget intgr',
'Emergency' => 'Urgence',
'Empty' => 'Vider',
'Enable' => 'Activer',
'Enable Advanced Features' => 'Activer les fonctionnalits avances',
'Enable AutoDJ' => 'Activer l\'AutoDJ',
'Enable Broadcasting' => 'Activer la diffusion',
'Enable certain advanced features in the web interface, including advanced playlist configuration, station port assignment, changing base media directories and other functionality that should only be used by users who are comfortable with advanced functionality.' => 'Activer certaines fonctionnalits avances dans l\'interface web, y compris la configuration avance des playlists, l\'affectation du port de la station, changement des rpertoires de base des mdias et d\'autres fonctionnalits qui ne devraient tre utilises que par les utilisateurs qui sont l\'aise avec des fonctionnalits avances.',
'Enable Downloads on On-Demand Page' => 'Activer les tlchargements sur la page la demande',
'Enable HTTP Live Streaming (HLS)' => 'Activer le HTTP Live Streaming (HLS)',
'Enable listeners to request a song for play on your station. Only songs that are already in your playlists are requestable.' => 'Permettre aux auditeurs de demander une chanson jouer sur votre station. Seules les chansons qui sont dj dans vos listes de lecture peuvent tre demandes.',
'Enable Mail Delivery' => 'Activer l\'envoi d\'e-mail',
'Enable on Public Pages' => 'Activer sur les pages publiques',
'Enable On-Demand Streaming' => 'Activer le streaming la demande',
'Enable Public Pages' => 'Activer la page publique',
'Enable station?' => 'Activer la station ?',
'Enable this option if your S3 provider is using paths instead of sub-domains for their S3 endpoint; for example, when using MinIO or with other self-hosted S3 storage solutions that are accessible via a path on a domain/IP instead of a subdomain.' => 'Activez cette option si votre fournisseur S3 utilise des URL la place des sous-domaines pour leur point de terminaison S3 ; par exemple, lorsque vous utilisez MinIO ou d\'autres solutions de stockage S3 autohberges qui sont accessibles via une URL sur un domaine/IP au lieu d\'un sous-domaine.',
'Enable this setting to prevent metadata from being sent to the AutoDJ for files in this playlist. This is useful if the playlist contains jingles or bumpers.' => 'Activez ce paramtre pour empcher l\'envoi de mtadonnes l\'AutoDJ pour les fichiers de cette playlist. Cette option est utile si la liste de lecture contient des jingles ou des bumpers.',
'Enable to advertise this mount point on "Yellow Pages" public radio directories.' => 'Permet d\'annoncer ce point de montage dans les annuaires radiophoniques publics "Pages Jaunes"(Yellow Pages).',
'Enable to advertise this relay on "Yellow Pages" public radio directories.' => 'Activer pour publier ce relai sur les annuaires "Pages Jaunes" des radios publiques.',
'Enable to allow listeners to select this relay on this station\'s public pages.' => 'Activez cette option pour permettre aux auditeurs de slectionner ce relais sur les pages publiques de cette station.',
'Enable to allow this account to log in and stream.' => 'Activez cette option pour permettre ce compte de se connecter et de diffuser en continu.',
'Enable to have AzuraCast automatically run nightly backups at the time specified.' => 'Permet AzuraCast d\'excuter automatiquement des sauvegardes de nuit l\'heure spcifie.',
'Enable Two-Factor' => 'Activer l\'authentification deux facteurs',
'Enable Two-Factor Authentication' => 'Activer l\'authentification deux facteurs',
'Enable?' => 'Activer ?',
'Enabled' => 'Activ',
'End Date' => 'Date de fin',
'End Time' => 'Heure de fin',
'Endpoint' => 'Point de terminaison',
'Enforce Schedule Times' => 'Faire respecter les horaires',
'Enlarge Album Art' => 'Agrandir la pochette d\'album',
'Ensure the library matches your system architecture' => 'Assurez-vous que la bibliothque correspond l\'architecture de votre systme',
'Enter "AzuraCast" as the application name. You can leave the URL fields unchanged. For "Scopes", only "write:media" and "write:statuses" are required.' => 'Entrez "AzuraCast" comme nom de l\'application. Vous pouvez laisser tel quel le champ URL. Pour "Scopes", sont ncessaires seulement "write:media" et "write.statuses".',
'Enter the access code you receive below.' => 'Entrez le code d\'accs que vous recevez ci-dessous.',
'Enter the current code provided by your authenticator app to verify that it\'s working correctly.' => 'Entrez le code actuel fourni par votre application d\'authentification pour vrifier qu\'il fonctionne correctement.',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => 'Entrez lURL complte dun autre flux pour relayer sa diffusion par le biais de ce point de montage.',
'Enter your app secret and app key below.' => 'Entrez votre secret d\'application et votre cl d\'application ci-dessous.',
'Enter your e-mail address to receive updates about your certificate.' => 'Entrez votre adresse e-mail pour recevoir des mises jour sur votre certificat.',
'Enter your password' => 'Saisissez votre mot de passe',
'Episode' => 'pisode',
'Episode Number' => 'Numro de l\'pisode',
'Episodes' => 'pisodes',
'Episodes removed:' => 'pisode(s) supprim(s) :',
'Episodes updated:' => 'pisode(s) mis jour :',
'Error' => 'Erreur',
'Error moving files:' => 'Erreur lors du dplacement des fichiers :',
'Error queueing files:' => 'Erreur lors des fichiers de la file d\'attente :',
'Error removing episodes:' => 'Erreur en supprimant l\'/les pisode(s) :',
'Error removing files:' => 'Erreur lors de la suppression des fichiers :',
'Error reprocessing files:' => 'Erreur lors du retraitement des fichiers :',
'Error updating episodes:' => 'Erreur en mettant jour l\'/les pisode(s) :',
'Error updating playlists:' => 'Erreur lors de la mise jour des playlists :',
'Example: if the remote radio URL is path_to_url enter "path_to_url".' => 'Exemple: si l\'URL de la radio distante est path_to_url entrez "path_to_url".',
'Exclude Media from Backup' => 'Exclure un mdia de la sauvegarde',
'Excluding media from automated backups will save space, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => 'En excluant les mdias des sauvegardes automatiques, vous conomiserez de la place, mais vous devriez vous assurer de sauvegarder vos mdias ailleurs. Notez que seuls les mdias stocks localement seront sauvegards.',
'Exit Fullscreen' => 'Quitter le plein cran',
'Expected to Play at' => 'Devrait jouer ',
'Explicit' => 'Explicite',
'Export %{format}' => 'Exporter %{format}',
'Export Media to CSV' => 'Exporter les mdias dans un fichier CSV',
'External' => 'Externe',
'Fallback Mount' => 'Point de montage de secours',
'Field Name' => 'Nom du champ',
'File Name' => 'Nom de fichier',
'Files marked for reprocessing:' => 'Fichiers marqus pour le retraitement :',
'Files moved:' => 'Fichiers dplacs :',
'Files played immediately:' => 'Fichiers jous immdiatement :',
'Files queued for playback:' => 'Fichiers en file d\'attente pour la lecture :',
'Files removed:' => 'Fichiers supprims :',
'First Connected' => 'Premire connexion',
'Followers Only' => 'Abonns seulement',
'Footer Text' => 'Texte de bas de page',
'For ARM (Raspberry Pi, etc.) installations, choose "Raspberry Pi Thimeo-ST plugin".' => 'Pour les installations ARM (Raspberry Pi, etc.), choisissez "Raspberry Pi Thimeo-ST plugin".',
'For local filesystems, this is the base path of the directory. For remote filesystems, this is the folder prefix.' => 'Pour les systmes de fichiers locaux, c\'est le chemin de base du rpertoire. Pour les systmes de fichiers distants, c\'est le prfixe de dossier.',
'For most cases, use the default UTF-8 encoding. The older ISO-8859-1 encoding can be used if accepting connections from Shoutcast 1 DJs or using other legacy software.' => 'Dans la plupart des cas, utilisez l\'encodage UTF-8 par dfaut. L\'ancien encodage ISO-8859-1 peut tre utilis si vous acceptez les connexions des DJ en Shoutcast 1 ou si vous utilisez d\'autres logiciels hrits.',
'for selected period' => 'pour la priode slectionne',
'For simple updates where you want to keep your current configuration, you can update directly via your web browser. You will be disconnected from the web interface and listeners will be disconnected from all stations.' => 'Pour faire une mise jour simple et si vous souhaitez conserver votre configuration actuelle, vous pouvez effectuer la mise jour directement via votre navigateur Web. Vous serez dconnect de l\'interface web et les auditeurs seront dconnects de toutes les stations.',
'For some clients, use port:' => 'Pour certains clients, utilisez le port :',
'For the legacy version' => 'Pour la version legacy',
'For x86/64 installations, choose "x86/64 Linux Thimeo-ST plugin".' => 'Pour les installations x86/64, choisissez "x86/64 Linux Thimeo-ST plugin".',
'Forgot your password?' => 'Mot de passe oubli ?',
'Format' => 'Format',
'Friday' => 'Vendredi',
'From your smartphone, scan the code to the right using an authentication app of your choice (FreeOTP, Authy, etc).' => 'Depuis votre smartphone, scannez le code vers la droite l\'aide d\'une application d\'authentification de votre choix (FreeOTP, Authy, etc).',
'Full' => 'Complet',
'Full Volume' => 'Volume maximum',
'General Rotation' => 'Rotation gnrale',
'Generate Access Code' => 'Gnrer un code d\'accs',
'Generate Report' => 'Gnrer un rapport',
'Generate/Renew Certificate' => 'Gnrer/Renouveler le certificat',
'Generic Web Hook' => 'Webhook gnrique',
'Generic Web Hooks' => 'Webhooks gnriques',
'Genre' => 'Genre',
'GeoLite is not currently installed on this installation.' => 'GeoLite n\'est actuellement pas install sur cette machine.',
'GeoLite version "%{ version }" is currently installed.' => 'La version actuellement installe de GeoLite est "%{ version }".',
'Get Next Song' => 'Aller la prochaine chanson',
'Get Now Playing' => 'Titre en cours',
'GetMeRadio' => 'GetMeRadio',
'GetMeRadio Station ID' => 'ID Station GetMeRadio',
'Global' => 'Globale',
'Global Permissions' => 'Permissions globales',
'Go' => 'Aller',
'Google Analytics V4 Integration' => 'Intgration Google Analytics V4',
'Help' => 'Aide',
'Hide Album Art on Public Pages' => 'Masquer les pochettes d\'album sur les pages publiques',
'Hide AzuraCast Branding on Public Pages' => 'Masquer la marque AzuraCast sur les pages publiques',
'Hide Charts' => 'Cacher les graphiques',
'Hide Credentials' => 'Cacher les crdits',
'Hide Metadata from Listeners ("Jingle Mode")' => 'Masquer les mtadonnes aux auditeurs ("Mode Jingle")',
'High I/O Wait can indicate a bottleneck with the server\'s hard disk, a potentially failing hard disk, or heavy load on the hard disk.' => 'L\'attente haute d\'E/S peut indiquer un goulot d\'tranglement avec le disque dur du serveur, un disque dur ventuellement dfaillant ou une charge lourde sur le disque dur.',
'Higher weight playlists are played more frequently compared to other lower-weight playlists.' => 'Les playlists poids lev sont joues plus frquemment que les autres playlists poids faible.',
'History' => 'Historique',
'HLS' => 'HLS',
'HLS Streams' => 'Flux HLS',
'Home' => 'Accueil',
'Homepage Redirect URL' => 'URL de redirection de la page d\'accueil',
'Hour' => 'Heure',
'HTML' => 'HTML',
'HTTP Live Streaming (HLS)' => 'HTTP Live Streaming (HLS)',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate streaming technology. From this page, you can configure the individual bitrates and formats that are included in the combined HLS stream.' => 'HTTP Live Streaming (HLS) est une nouvelle technologie de streaming dbit adaptatif. partir de cette page, vous pouvez configurer les dbits et les formats individuels qui sont inclus dans le flux HLS combin.',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate technology supported by some clients. It does not use the standard broadcasting frontends.' => 'HTTP Live Streaming (HLS) est une nouvelle technologie adaptative-bitrate soutenue par certains clients. Il n\'utilise pas les fronts de radiodiffusion standard.',
'Icecast Clients' => 'Clients d\'Icecast',
'Icecast/Shoutcast Stream URL' => 'URL du flux Icecast/Shoutcast',
'Identifier' => 'Identifiant',
'If a live DJ connects but has not yet sent metadata, this is the message that will display on player pages.' => 'Si un DJ/streameur se connecte mais n\'a pas encore envoy de mtadonnes, ce message s\'affichera sur la page du lecteur.',
'If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.' => 'Si une chanson n\'a pas de pochette d\'album, cette URL sera affiche la place. Laissez vide pour utiliser la pochette par dfaut.',
'If a visitor is not signed in and visits the AzuraCast homepage, you can automatically redirect them to the URL specified here. Leave blank to redirect them to the login screen by default.' => 'Si un visiteur n\'est pas connect et visite la page d\'accueil d\'AzuraCast, vous pouvez le rediriger automatiquement vers l\'URL indique ici. Laissez vide pour les rediriger vers l\'cran de connexion par dfaut.',
'If disabled, the playlist will not be included in radio playback, but can still be managed.' => 'Si elle est dsactive, la liste de lecture ne sera pas incluse dans la diffusion radio, mais pourra toujours tre gre.',
'If disabled, the station will not be visible on public-facing pages or APIs.' => 'Si elle est dsactive, la station ne sera pas visible sur les pages ou les API publiques.',
'If disabled, the station will not broadcast or shuffle its AutoDJ.' => 'Si elle est dsactive, la station ne diffusera pas ou ne mlangera pas avec l\'AutoDJ.',
'If enabled, a download button will also be present on the public "On-Demand" page.' => 'Si activ, un bouton de tlchargement sera galement prsent sur la page publique "Sur demande".',
'If enabled, AzuraCast will automatically record any live broadcasts made to this station to per-broadcast recordings.' => 'Si cette option est active, AzuraCast enregistrera automatiquement toutes les diffusions en direct effectues sur cette station dans des enregistrements par diffusion.',
'If enabled, AzuraCast will connect to the MusicBrainz database to attempt to find an ISRC for any files where one is missing. Disabling this may improve performance.' => 'Si activ, AzuraCast se connectera la base de donnes MusicBrainz pour tenter de trouver un ISRC pour tous les fichiers manquants. Dsactiver cette option peut amliorer les performances du systme.',
'If enabled, music from playlists with on-demand streaming enabled will be available to stream via a specialized public page.' => 'Si cette option est active, la musique provenant de listes de lecture la demande sera disponible pour la diffusion via une page publique spcialise.',
'If enabled, streamers (or DJs) will be able to connect directly to your stream and broadcast live music that interrupts the AutoDJ stream.' => 'Si cette option est active, les streamers (ou DJ) pourront se connecter directement votre flux et diffuser de la musique en direct qui interrompt le flux AutoDJ.',
'If enabled, the AutoDJ on this installation will automatically play music to this mount point.' => 'Si cette option est active, l\'AutoDJ de cette installation diffusera automatiquement de la musique ce point de montage.',
'If enabled, the AutoDJ will automatically play music to this mount point.' => 'Si cette option est active, l\'AutoDJ jouera automatiquement de la musique sur ce point de montage.',
'If enabled, this streamer will only be able to connect during their scheduled broadcast times.' => 'S\'il est activ, ce streamer ne pourra se connecter que pendant les heures de diffusion prvues.',
'If requests are enabled for your station, users will be able to request media that is on this playlist.' => 'Si les requtes sont actives pour votre station, les utilisateurs pourront demander les mdias qui se trouvent sur cette playlist.',
'If requests are enabled, this specifies the minimum delay (in minutes) between a request being submitted and being played. If set to zero, a minor delay of 15 seconds is applied to prevent request floods.' => 'Si les requtes sont actives, spcifiez le dlai minimum (en minutes) entre la soumission d\'une requte et sa lecture. S\'il est dfini sur zro, un dlai mineur de 15 secondes est appliqu pour viter les requtes abusives.',
'If selected, album art will not display on public-facing radio pages.' => 'Si cette option est slectionne, les pochettes d\'album ne s\'afficheront pas sur les pages radio publiques.',
'If selected, this will remove the AzuraCast branding from public-facing pages.' => 'Si cette option est slectionne, la marque AzuraCast sera supprime des pages destines au public.',
'If the end time is before the start time, the playlist will play overnight.' => 'Si l\'heure de fin est antrieure l\'heure de dbut, la playlist sera joue pendant la nuit.',
'If the end time is before the start time, the schedule entry will continue overnight.' => 'Si l\'heure de fin est antrieure l\'heure de dbut, le programme sera diffus pendant la nuit.',
'If the mountpoint (i.e. /radio.mp3) or Shoutcast SID (i.e. 2) you broadcast to is different from the stream URL, specify the source mount point here.' => 'Si le point de montage (par ex. /radio.mp3) ou le SID Shoutcast (par ex. 2) que vous diffusez est diffrent de l\'URL du flux, spcifiez le point de montage source ici.',
'If the port you broadcast to is different from the stream URL, specify the source port here.' => 'Si le port vers lequel vous diffusez est diffrent de lURL du flux, spcifiez le port source ici.',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => 'Si ce point de montage est celui par dfaut, il sera lu en premier sur l\'aperu de la station et sur la page publique du systme.',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => 'Si ce point de montage ne joue plus d\'audio, les auditeurs seront redirigs automatiquement vers ce point. Par dfaut /error.mp3, un message d\'erreur, sera lu.',
'If this setting is set to "Yes", the browser URL will be used instead of the base URL when it\'s available. Set to "No" to always use the base URL.' => 'Si ce paramtre est rgl sur "Oui", l\'URL du navigateur sera utilis la place de l\'URL de base lorsqu\'il sera disponible. Rglez sur "Non" pour toujours utiliser l\'URL de base.',
'If this station has on-demand streaming and downloading enabled, only songs that are in playlists with this setting enabled will be visible.' => 'Si la diffusion en direct et le tlchargement la demande sont activs sur cette station, seules les musiques qui se trouvent dans les listes de lecture avec ce paramtre activ seront visibles.',
'If you are broadcasting using AutoDJ, enter the source password here.' => 'Si vous diffusez avec l\'AutoDJ, entrez le mot de passe source ici.',
'If you are broadcasting using AutoDJ, enter the source username here. This may be blank.' => 'Si vous diffusez avec l\'AutoDJ, entrez le nom d\'utilisateur source ici. Il se peut que ce soit vide.',
'If you\'re experiencing a bug or error, you can submit a GitHub issue using the link below.' => 'Si vous rencontrez un bug ou une erreur, vous pouvez soumettre un rapport sur GitHub en utilisant le lien ci-dessous.',
'If your installation is constrained by CPU or memory, you can change this setting to tune the resources used by Liquidsoap.' => 'Si votre installation est limite par le CPU ou la mmoire, vous pouvez modifier ce paramtre pour rgler les ressources utilises par Liquidsoap.',
'If your Mastodon username is "@test@example.com", enter "example.com".' => 'Si votre nom d\'utilisateur Mastodon est "@test@example.com", entrez "example.com".',
'If your stream is set to advertise to YP directories above, you must specify an authorization hash. You can manage these on the Shoutcast web site.' => 'Si votre flux est dfini pour faire de la publicit sur les rpertoires YP ci-dessus, vous devez spcifier un hachage d\'autorisation. Vous pouvez les grer sur le site web Shoutcast.',
'If your streaming software requires a specific mount point path, specify it here. Otherwise, use the default.' => 'Si votre logiciel de streaming ncessite un chemin d\'un point de montage spcifique, spcifiez-le ici. Sinon, utilisez la valeur par dfaut.',
'If your web hook requires HTTP basic authentication, provide the password here.' => 'Si votre Webhook ncessite une authentification de base HTTP, indiquez le mot de passe ici.',
'If your web hook requires HTTP basic authentication, provide the username here.' => 'Si votre Webhook ncessite une authentification de base HTTP, indiquez le nom d\'utilisateur ici.',
'Import Changes from CSV' => 'Importer les modifications depuis un fichier CSV',
'Import from PLS/M3U' => 'Importation de PLS/M3U',
'Import Results' => 'Importer les rsultats',
'Important: copy the key below before continuing!' => 'Important : copiez la cl ci-dessous avant de continuer !',
'In order to install Shoutcast:' => 'Pour installer Shoutcast, veuillez suivre la procdure dans l\'ordre :',
'In order to install Stereo Tool:' => 'Pour installer Stro Tool :',
'In order to process quickly, web hooks have a short timeout, so the responding service should be optimized to handle the request in under 2 seconds.' => 'Afin de les traiter rapidement, les Webhooks ont un court dlai, pour que le service de rponse soit optimis pour grer la requte en moins de 2 secondes.',
'Include in On-Demand Player' => 'Inclure dans le lecteur la fonctionnalit la demande',
'Indefinitely' => 'Indfiniment',
'Indicates the presence of explicit content (explicit language or adult content). Apple Podcasts displays an Explicit parental advisory graphic for your episode if turned on. Episodes containing explicit material aren\'t available in some Apple Podcasts territories.' => 'Indique la prsence d\'un contenu explicite (langage explicite ou contenu adulte). Apple Podcasts affiche un graphique de conseil parental explicite pour votre pisode s\'il est activ. Les pisodes contenant du matriel explicite ne sont pas disponibles dans certains territoires d\'Apple Podcasts.',
'Info' => 'Informations',
'Information about the current playing track will appear here once your station has started.' => 'Les informations sur le morceau l\'antenne apparatront ici une fois que votre station sera dmarre.',
'Insert' => 'Insrer',
'Install GeoLite IP Database' => 'Installer la base de donnes IP GeoLite',
'Install Shoutcast' => 'Installer Shoutcast',
'Install Shoutcast 2 DNAS' => 'Installer Shoutcast 2 DNAS',
'Install Stereo Tool' => 'Installer Stro Tool',
'Instructions' => 'Instructions',
'Internal notes or comments about the user, visible only on this control panel.' => 'Notes internes ou commentaires au sujet de lutilisateur, visible uniquement sur ce panneau de contrle.',
'International Standard Recording Code, used for licensing reports.' => 'Code d\'enregistrement standard international, utilis pour les rapports de licence.',
'Interrupt other songs to play at scheduled time.' => 'Interrompre les autres chansons pour jouer l\'heure prvue.',
'Intro' => 'Introduction',
'IP' => 'IP',
'IP Address Source' => 'Source de l\'adresse IP',
'IP Geolocation is used to guess the approximate location of your listeners based on the IP address they connect with. Use the free built-in IP Geolocation library or enter a license key on this page to use MaxMind GeoLite.' => 'La golocalisation IP est utilise pour deviner l\'emplacement approximatif de vos auditeurs en fonction de l\'adresse IP avec laquelle ils se connectent. Utilisez la bibliothque de golocalisation IP intgre gratuite ou entrez une cl de licence sur cette page pour utiliser MaxMind GeoLite.',
'Is Public' => 'Est publique',
'Is Published' => 'Est publi',
'ISRC' => 'ISRC',
'Items per page' => 'lments par page',
'Jingle Mode' => 'Mode Jingle',
'Language' => 'Langue',
'Last 14 Days' => '14 derniers jours',
'Last 2 Years' => '2 dernires annes',
'Last 24 Hours' => 'Dernires 24 heures',
'Last 30 Days' => '30 derniers jours',
'Last 60 Days' => '60 derniers jours',
'Last 7 Days' => '7 derniers jours',
'Last Modified' => 'Dernire modification',
'Last Month' => 'Dernier mois',
'Last Run' => 'Dernire excution',
'Last run:' => 'Dernire excution :',
'Last Year' => 'Dernire anne',
'Last.fm API Key' => 'Cl d\'API Last.fm',
'Latest Update' => 'Dernire mise jour',
'Learn about Advanced Playlists' => 'En savoir plus sur les playlists avances',
'Learn More about Post-processing CPU Impact' => 'En savoir plus sur l\'impact du post-traitement sur leprocesseur',
'Learn more about release channels in the AzuraCast docs.' => 'En savoir plus sur les canaux de diffusion dans la documentation d\'AzuraCast.',
'Learn more about this header.' => 'En savoir plus sur cet en-tte.',
'Leave blank to automatically generate a new password.' => 'Laissez vide pour gnrer automatiquement un nouveau mot de passe.',
'Leave blank to play on every day of the week.' => 'Laissez vide pour jouer tous les jours de la semaine.',
'Leave blank to use the current password.' => 'Laissez vide pour garder le mot de passe actuel.',
'Leave blank to use the default Telegram API URL (recommended).' => 'Laissez vide pour utiliser l\'URL de l\'API Telegram par dfaut (recommand).',
'Length' => 'Dure',
'Let\'s get started by creating your Super Administrator account.' => 'Commenons par crer votre compte Super Administrateur.',
'LetsEncrypt' => 'Let\'sEncrypt',
'LetsEncrypt provides simple, free SSL certificates allowing you to secure traffic through your control panel and radio streams.' => 'LetsEncrypt fournit des certificats SSL simples et gratuits, qui vous permettent de scuriser le trafic de votre panneau de contrle et de vos flux radios.',
'Light' => 'Clair',
'Like our software?' => 'Vous aimez notre logiciel ?',
'Limited' => 'Limit',
'LiquidSoap is currently shuffling from %{songs} and %{playlists}.' => 'LiquidSoap est actuellement en train de mlanger %{songs} chansons dans %{playlists} playlists.',
'Liquidsoap Performance Tuning' => 'Optimisation des performances de Liquidsoap',
'List one IP address or group (in CIDR format) per line.' => 'Indiquez une adresse IP ou un groupe (au format CIDR) par ligne.',
'List one user agent per line. Wildcards (*) are allowed.' => 'Lister l\'agent utilisateur. Un par ligne. Le caractre gnrique (*) est autoris.',
'Listener Analytics Collection' => 'Enregistrement des analyses des auditeurs',
'Listener Gained' => 'Auditeurs gagns',
'Listener History' => 'Historique des auditeurs',
'Listener Lost' => 'Auditeurs perdus',
'Listener Report' => 'Rapport des auditeurs',
'Listener Request' => 'Demande des auditeurs',
'Listener Type' => 'Type d\'auditeur',
'Listeners' => 'Auditeurs',
'Listeners by Day' => 'Auditeurs par jour',
'Listeners by Day of Week' => 'Auditeurs par jour de la semaine',
'Listeners by Hour' => 'Auditeurs par heure',
'Listeners by Listening Time' => 'Auditeurs par temps dcoute',
'Listeners By Time Period' => 'Auditeurs par priode de temps',
'Listeners Per Station' => 'Auditeurs par station',
'Listening Time' => 'Temps d\'coute',
'Live' => 'Direct',
'Live Broadcast Recording Bitrate (kbps)' => 'Dbit binaire d\'enregistrement de la diffusion en direct (kbps)',
'Live Broadcast Recording Format' => 'Format d\'enregistrement pour la diffusion en direct',
'Live Listeners' => 'Auditeurs en direct',
'Live Recordings Storage Location' => 'Emplacement de stockage des enregistrements en direct',
'Live Streamer:' => 'Streamer en direct :',
'Live Streamer/DJ Connected' => 'Streamer en direct/DJ connect',
'Live Streamer/DJ Disconnected' => 'Streamer en direct/DJ dconnect',
'Live Streaming' => 'Diffusion en direct',
'Load Average' => 'Charge moyenne',
'Loading' => 'Chargement',
'Local' => 'Local',
'Local Broadcasting Service' => 'Service de diffusion local',
'Local Filesystem' => 'Systme de fichiers locaux',
'Local IP (Default)' => 'IP locale (Dfaut)',
'Local Streams' => 'Flux locaux',
'Location' => 'Emplacement',
'Log In' => 'Se connecter',
'Log Output' => 'Contenu des Logs',
'Log Viewer' => 'Visionneuse de logs',
'Logs' => 'Logs',
'Logs by Station' => 'Logs par station',
'Loop Once' => 'Boucler une fois',
'Main Message Content' => 'Contenu du message principal',
'Make HLS Stream Default in Public Player' => 'Faire de HLS en flux par dfaut dans le lecteur public',
'Make the selected media play immediately, interrupting existing media' => 'Faire jouer les mdias slectionns immdiatement, interrompant les mdias existants',
'Manage' => 'Grer',
'Manage Avatar' => 'Grer l\'avatar',
'Manage SFTP Accounts' => 'Grer les comptes SFTP',
'Manage Stations' => 'Gestion des stations',
'Manual AutoDJ Mode' => 'Mode AutoDJ manuel',
'Manual Updates' => 'Mise jour manuelle',
'Manually Add Episodes' => 'Ajouter manuellement des pisodes',
'Manually define how this playlist is used in Liquidsoap configuration.' => 'Dfinissez manuellement comment cette playlist est utilise dans la configuration Liquidsoap.',
'Markdown' => 'Markdown',
'Master_me is an open-source automatic mastering plugin for streaming, podcasts and Internet radio.' => 'Master_me est une extension de matrise automatique open source pour le streaming, les podcasts et la radio par internet.',
'Master_me Loudness Target (LUFS)' => 'Cible de l\'intensit Master_me (LUFS)',
'Master_me Post-processing' => 'Post-traitement Master_me',
'Master_me Preset' => 'Prrglage Master_me',
'Master_me Project Homepage' => 'Page d\'accueil du projet Master_me',
'Mastodon Account Details' => 'Dtails du compte Mastodon',
'Mastodon Instance URL' => 'URL de l\'instance Mastodon',
'Mastodon Post' => 'Message Mastodon',
'Matched' => 'Comparer',
'Matomo Analytics Integration' => 'Intgration Mastodon Analytics',
'Matomo API Token' => 'Jeton d\'API de Matomo',
'Matomo Installation Base URL' => 'URL d\'installation de Matomo',
'Matomo Site ID' => 'ID de Matomo',
'Max Listener Duration' => 'Dure d\'coute maximale',
'Max. Connected Time' => 'Temps max. connect',
'Maximum Listeners' => 'Auditeurs maximum',
'Maximum number of total listeners across all streams. Leave blank to use the default.' => 'Nombre maximum d\'auditeurs totaux sur tous les flux. Laissez vide pour utiliser la valeur par dfaut.',
'MaxMind Developer Site' => 'Site de dveloppement MaxMind',
'Measurement ID' => 'ID de mesure',
'Measurement Protocol API Secret' => 'API Secret du protocole de mesure',
'Media' => 'Mdias',
'Media File' => 'Fichier mdia',
'Media Storage Location' => 'Modifier l\'emplacement de stockage',
'Memory' => 'Mmoire',
'Memory Stats Help' => 'Aide sur les statistiques de la mmoire',
'Merge playlist to play as a single track.' => 'Fusionner la playlist pour jouer comme une seule piste.',
'Message Body' => 'Corps du message',
'Message Body on Song Change' => 'Corps du message quand la chanson se change',
'Message Body on Song Change with Streamer/DJ Connected' => 'Corps du message quand la chanson se change avec le Streamer/DJ connect',
'Message Body on Station Offline' => 'Corps du message quand la station est hors ligne',
'Message Body on Station Online' => 'Corps du message quand la station est connecte',
'Message Body on Streamer/DJ Connect' => 'Corps du message quand un streamer/DJ est connect',
'Message Body on Streamer/DJ Disconnect' => 'Corps du message quand un streamer/DJ est dconnect',
'Message Customization Tips' => 'Conseils de personnalisation des messages',
'Message parsing mode' => 'Mode d\'analyse des messages',
'Message Queues' => 'Messages en attente',
'Message Recipient(s)' => 'Destinataire(s) du message',
'Message Subject' => 'Sujet du message',
'Message Visibility' => 'Visibilit du message',
'Metadata updated.' => 'Mtadonnes mises jour.',
'Microphone' => 'Microphone',
'Microphone Source' => 'Source du microphone',
'Min. Connected Time' => 'Temps min. connect',
'Minute of Hour to Play' => 'Minute de diffusion pour chaque heure',
'Mixer' => 'Mlangeur',
'Mobile' => 'Mobile',
'Modified' => 'Modifi',
'Monday' => 'Lundi',
'More' => 'Plus',
'Most hosting providers will put more Virtual Machines (VPSes) on a server than the hardware can handle when each VM is running at full CPU load. This is called over-provisioning, which can lead to other VMs on the server "stealing" CPU time from your VM and vice-versa.' => 'La plupart des fournisseurs d\'hbergement mettront plus de machines virtuelles (VPS) sur un serveur que sur le matriel qui ne pourra pas grer lorsque chaque VM est en cours d\'excution la charge complte du CPU. Ceci est appel sur-provisionnement, qui peut conduire d\'autres ordinateurs virtuels sur le serveur "voler" le temps du CPU de votre VM et vice-versa.',
'Most Played Songs' => 'Titres les plus jous',
'Most Recent Backup Log' => 'Journaux de sauvegardes les plus rcents',
'Mount Name:' => 'Nom du point de montage :',
'Mount Point URL' => 'URL du point de montage',
'Mount Points' => 'Points de montage',
'Mount points are how listeners connect and listen to your station. Each mount point can be a different audio format or quality. Using mount points, you can set up a high-quality stream for broadband listeners and a mobile stream for phone users.' => 'Les points de montage sont la faon dont les auditeurs se connectent et coutent votre station. Chaque point de montage peut avoir un format ou une qualit audio diffrente. En utilisant des points de montage, vous pouvez configurer un flux de haute qualit pour les auditeurs large bande et un flux mobile pour les utilisateurs de tlphone.',
'Move' => 'Dplacer',
'Move %{ num } File(s) to' => 'Dplacer %{ num } fichier(s) vers',
'Move Down' => 'Descendre',
'Move to Bottom' => 'Dplacer vers le bas',
'Move to Directory' => 'Dplacer vers le rpertoire',
'Move to Top' => 'Dplacer vers le haut',
'Move Up' => 'Monter',
'Music Files' => 'Fichiers musicaux',
'Music General' => 'Musique gnral',
'Must match new password.' => 'Le nouveau mot de passe doit correspondre.',
'Mute' => 'Mettre en sourdine',
'My Account' => 'Mon compte',
'N/A' => 'N/D',
'Name' => 'Nom',
'name@example.com' => 'name@example.com',
'Name/Type' => 'Nom/Type',
'Need Help?' => 'Avez-vous besoin daide ?',
'Network Interfaces' => 'Interfaces rseau',
'Never run' => 'Jamais excut',
'New Directory' => 'Nouveau rpertoire',
'New directory created.' => 'Nouveau rpertoire cr.',
'New File Name' => 'Nouveau nom de fichier',
'New Folder' => 'Nouveau dossier',
'New Key Generated' => 'Nouvelle cl gnre',
'New Password' => 'Nouveau mot de passe',
'New Playlist' => 'Nouvelle playlist',
'New Playlist Name' => 'Nom de la nouvelle playlist',
'New Station Description' => 'Nouvelle description de la station',
'New Station Name' => 'Nouveau nom de station',
'Next Run' => 'Prochaine excution',
'No' => 'Non',
'No AutoDJ Enabled' => 'Pas d\'AutoDJ activ',
'No files selected.' => 'Aucun fichier slectionn.',
'No Limit' => 'Aucune limite',
'No Match' => 'Non compatible',
'No other program can be using this port. Leave blank to automatically assign a port.' => 'Aucun autre programme ne peut utiliser ce port. Laissez vide pour assigner automatiquement un port.',
'No Post-processing' => 'Aucun post-traitement',
'No records to display.' => 'Aucun enregistrement afficher.',
'No records.' => 'Vide.',
'None' => 'Aucun',
'Normal Mode' => 'Mode normal',
'Not Played' => 'Pas jou',
'Not Run' => 'Pas en cours d\'excution',
'Not Running' => 'Pas en cours d\'excution',
'Not Scheduled' => 'Non planifi',
'Note that restoring a backup will clear your existing database. Never restore backup files from untrusted users.' => 'Notez que la restauration d\'une sauvegarde effacera votre base de donnes existante. Ne restaurez jamais les fichiers de sauvegarde d\'utilisateurs non fiables.',
'Note that Stereo Tool can be resource-intensive for both CPU and Memory. Please ensure you have sufficient resources before proceeding.' => 'Streo Tool sollicite fortement les performances du processeur et la RAM. Assurez-vous d\'avoir suffisamment de ressources disponibles avant de l\'activer.',
'Note: If your media metadata has UTF-8 characters, you should use a spreadsheet editor that supports UTF-8 encoding, like OpenOffice.' => 'Note : Si les mtadonnes de vos mdias contiennent des caractres UTF-8, vous devez utiliser un diteur de feuille de calcul qui supporte l\'encodage UTF-8, comme OpenOffice.',
'Note: the port after this one will automatically be used for legacy connections.' => 'Remarque : le port aprs celui-ci sera automatiquement utilis pour les connexions hrites.',
'Note: This should be the public-facing homepage of the radio station, not the AzuraCast URL. It will be included in broadcast details.' => 'Remarque : Ceci devrait tre la page d\'accueil de la station de radio, et non l\'URL AzuraCast. Il sera inclus dans les dtails de la diffusion.',
'Notes' => 'Notes',
'Notice' => 'Remarque',
'Now' => 'Maintenant',
'Now Playing' => 'Titre en cours',
'Now playing on %{ station }:' => 'En cours de lecture sur %{ station } :',
'Now playing on %{ station }: %{ title } by %{ artist } with your host, %{ dj }! Tune in now: %{ url }' => 'En cours de lecture sur %{ station } : %{ title } par %{ artist } avec votre hte, %{ dj } ! Branchez-vous maintenant : %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now: %{ url }' => 'En cours de lecture sur %{ station } : %{ title } par %{ artist } ! Branchez-vous maintenant : %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now.' => 'En cours de lecture sur %{ station } : %{ title } par %{ artist } ! Branchez-vous maintenant.',
'NowPlaying API Response' => 'Rponse de l\'API de la lecture en cours',
'Number of Backup Copies to Keep' => 'Nombre de copies des sauvegardes conserver',
'Number of Minutes Between Plays' => 'Nombre de minutes entre chaque lecture',
'Number of seconds to overlap songs.' => 'Nombre de secondes avant le chevauchement des chansons.',
'Number of Songs Between Plays' => 'Nombre de musiques entre chaque lecture',
'Number of Visible Recent Songs' => 'Nombre de chansons rcentes visibles',
'On the Air' => ' l\'antenne',
'On-Demand' => ' la demande',
'On-Demand Media' => 'Mdias la demande',
'On-Demand Streaming' => 'Streaming la demande',
'Once per %{minutes} Minutes' => 'Une fois toutes les %{minutes} minutes',
'Once per %{songs} Songs' => 'Une fois toutes les %{songs} chansons',
'Once per Hour' => 'Une fois par heure',
'Once per Hour (at %{minute})' => 'Une fois par heure ( h%{minute})',
'Once per x Minutes' => 'Une fois toutes les x minutes',
'Once per x Songs' => 'Une fois tous les x titres',
'Once these steps are completed, enter the "Access Token" from the application\'s page into the field below.' => 'Une fois que les tapes sont termines, entrez le jeton d\'accs partir de la page de l\'application dans le champ ci-dessous.',
'One important note on I/O Wait is that it can indicate a bottleneck or problem but also may be completely meaningless, depending on the workload and general available resources. A constantly high I/O Wait should prompt further investigation with more sophisticated tools.' => 'Une note importante sur les attentes d\'E/S : Il peut indiquer un goulot d\'tranglement ou un problme, mais peut galement tre compltement dnu de sens, en fonction de la charge de travail et des ressources disponibles. Une attente d\'E/S constamment leve devrait inviter une enqute plus approfondie avec des outils plus sophistiqus.',
'Only collect aggregate listener statistics' => 'Collecter uniquement les statistiques agrges des auditeurs',
'Only loop through playlist once.' => 'Boucler une seule fois la playlist.',
'Only play one track at scheduled time.' => 'Jouer quune seule piste lheure prvue.',
'Only Post Once Every...' => 'Poster seulement une seule fois chaque...',
'Operation' => 'Opration',
'Optional: HTTP Basic Authentication Password' => 'Optionnel : Mot de passe d\'authentification de base HTTP',
'Optional: HTTP Basic Authentication Username' => 'Optionnel : Nom d\'utilisateur pour l\'authentification de base HTTP',
'Optional: Request Timeout (Seconds)' => 'Facultatif : Dlai d\'expiration de la demande (secondes)',
'Optionally list this episode as part of a season in some podcast aggregators.' => 'Vous pouvez ventuellement rpertorier cet pisode dans le cadre d\'une saison dans certains agrgateurs de podcasts.',
'Optionally select an ID3v2 metadata field that, if present, will be used to set this field\'s value.' => 'Optionnellement, slectionnez un champ de mtadonnes ID3v2 qui, s\'il est prsent, sera utilis pour dfinir la valeur de ce champ.',
'Optionally set a specific episode number in some podcast aggregators.' => 'Dfinissez ventuellement un numro d\'pisode spcifique dans certains agrgateurs de podcasts.',
'Optionally specify a short URL-friendly name, such as "my_station_name", that will be used in this station\'s URLs. Leave this field blank to automatically create one based on the station name.' => 'Spcifiez ventuellement un nom court et facile d\'utilisation, tel que "mon_nom_de_station", qui sera utilis dans les URL de cette station. Laissez ce champ vide pour en crer un automatiquement bas sur le nom de la station.',
'Optionally specify an API-friendly name, such as "field_name". Leave this field blank to automatically create one based on the name.' => 'Spcifiez ventuellement un nom facile d\'utilisation pour l\'API, tel que "nom_champ". Laissez ce champ vide pour en crer automatiquement un bas sur le nom.',
'Optionally supply an API token to allow IP address overriding.' => 'Fournir ventuellement un jeton API pour permettre le remplacement de l\'adresse IP.',
'Optionally supply SSH public keys this user can use to connect instead of a password. Enter one key per line.' => 'Il est possible de fournir des cls publiques SSH que l\'utilisateur peut utiliser pour se connecter au lieu d\'un mot de passe. Entrez une cl par ligne.',
'or' => 'ou',
'Original Path' => 'Chemin d\'origine',
'Other Remote URL (File, HLS, etc.)' => 'Autres URL distantes (fichier, HLS, etc.)',
'Owner' => 'Propritaire',
'Page' => 'Page',
'Passkey Authentication' => 'Authentification par cl d\'accs',
'Passkey Nickname' => 'Surnom de la cl d\'accs',
'Password' => 'Mot de passe',
'Password:' => 'Mot de passe :',
'Paste the generated license key into the field on this page.' => 'Collez la cl de licence gnre dans le champ de cette page.',
'Path/Suffix' => 'Chemin/Suffixe',
'Pending Requests' => 'Demandes en attente',
'Permissions' => 'Permissions',
'Play' => 'Lecture',
'Play Now' => 'Jouer maintenant',
'Play once every $x minutes.' => 'Jouez une fois toutes les $x minutes.',
'Play once every $x songs.' => 'Jouez une fois toutes les $x chansons.',
'Play once per hour at the specified minute.' => 'Jouez une fois par heure la minute spcifie.',
'Playback Queue' => 'File d\'attente de relecture',
'Playing Next' => 'Lecture suivante',
'Playlist' => 'Playlist',
'Playlist (M3U/PLS) URL' => 'URL de la playlist (M3U/PLS)',
'Playlist 1' => 'Playlist 1',
'Playlist 2' => 'Playlist 2',
'Playlist Name' => 'Nom de la playlist',
'Playlist order set.' => 'Ordre de la playlist dfini.',
'Playlist queue cleared.' => 'File d\'attente de playlist vide.',
'Playlist successfully applied to folders.' => 'Playlist applique avec succs aux dossiers.',
'Playlist Type' => 'Type de playlist',
'Playlist Weight' => 'Poids de la playlist',
'Playlist-Based' => 'Bas sur une playlist',
'Playlist-Based Podcast' => 'Podcast bas sur une playlist',
'Playlist-based podcasts will automatically sync with the contents of a playlist, creating new podcast episodes for any media added to the playlist.' => 'Les podcasts bass sur une playlist se synchroniseront automatiquement avec le contenu d\'une playlist, crant ainsi de nouveaux pisodes de podcast pour tout mdia ajout la playlist.',
'Playlist:' => 'Playlist :',
'Playlists' => 'Playlists',
'Playlists cleared for selected files:' => 'Playlists effaces pour les fichiers slectionns :',
'Playlists updated for selected files:' => 'Playlists mis jour pour les fichiers slectionns :',
'Plays' => 'Lectures',
'Please log in to continue.' => 'Veuillez vous connecter pour continuer.',
'Podcast' => 'Podcast',
'Podcast media should be in the MP3 or M4A (AAC) format for the greatest compatibility.' => 'Les supports de podcast doivent tre au format MP3 ou M4A (AAC) pour la plus grande compatibilit.',
'Podcast Title' => 'Titre du podcast',
'Podcasts' => 'Podcasts',
'Podcasts Storage Location' => 'Emplacement de stockage des podcasts',
'Port' => 'Port',
'Port:' => 'Port :',
'Powered by' => 'Propuls par',
'Powered by AzuraCast' => 'Propuls par AzuraCast',
'Prefer Browser URL (If Available)' => 'URL du navigateur prfr (si disponible)',
'Prefer System Default' => 'Prfrer le systme par dfaut',
'Preview' => 'Aperu',
'Previous' => 'Prcdent',
'Privacy' => 'Confidentialit',
'Profile' => 'Profil',
'Programmatic Name' => 'Nom programmatique',
'Provide a valid license key from Thimeo. Functionality is limited without a license key.' => 'Fournissez une cl de licence valide de Thimeo. Cette fonctionnalit est limite sans cl de licence.',
'Public' => 'Publique',
'Public Page' => 'Page publique',
'Public Page Background' => 'Arrire-plan de la page publique',
'Public Pages' => 'Page publique',
'Publish At' => 'Publi',
'Publish to "Yellow Pages" Directories' => 'Publier dans les annuaires "Pages Jaunes"(Yellow Pages)',
'Queue' => 'File d\'attente',
'Queue the selected media to play next' => 'Le mdia a t mis dans la file d\'attente de diffusion',
'Radio Player' => 'Player radio',
'Radio.de' => 'Radio.de',
'Radio.de API Key' => 'Cl API Radio.de',
'Radio.de Broadcast Subdomain' => 'Sous-domaine de diffusion Radio.de',
'RadioRed Organization API Key' => 'Cl API de l\'organisation RadioRed',
'RadioReg Webhook URL' => 'URL du Webhook RadioReg',
'RadioReg.net' => 'RadioReg.net',
'Random' => 'Alatoire',
'Ready to start broadcasting? Click to start your station.' => 'Prt diffuser ? Cliquez pour dmarrer votre station.',
'Received' => 'Reu',
'Record Live Broadcasts' => 'Enregistrement des missions en direct',
'Recover Account' => 'Rcupration du compte',
'Refresh' => 'Actualiser',
'Refresh rows' => 'Actualiser',
'Region' => 'Rgion',
'Relay' => 'Relais',
'Relay Stream URL' => 'URL du flux a relayer',
'Release Channel' => 'Canal de mise jour',
'Reload' => 'Recharger',
'Reload Configuration' => 'Recharger la configuration',
'Reload to Apply Changes' => 'Recharger pour appliquer les modifications',
'Reloading broadcasting will not disconnect your listeners.' => 'Recharger la diffusion ne dconnectera pas vos auditeurs.',
'Remember me' => 'Se rappeler de moi',
'Remote' => 'Distant',
'Remote Playback Buffer (Seconds)' => 'Mmoire tampon de la diffusion (secondes)',
'Remote Relays' => 'Relais distant',
'Remote relays let you work with broadcasting software outside this server. Any relay you include here will be included in your station\'s statistics. You can also broadcast from this server to remote relays.' => 'Les relais distants vous permettent de travailler avec des logiciels de diffusion en dehors de ce serveur. Tout relais que vous incluez ici sera inclus dans les statistiques de votre station. Vous pouvez galement diffuser depuis ce serveur vers des relais distants.',
'Remote Station Administrator Password' => 'Mot de passe administrateur de la station distante',
'Remote Station Listening Mountpoint/SID' => 'Station d\'coute distance Point de montage / SID',
'Remote Station Listening URL' => 'URL de la station distante',
'Remote Station Source Mountpoint/SID' => 'Station distance Source Point de montage / SID',
'Remote Station Source Password' => 'Mot de passe source de la station distante',
'Remote Station Source Port' => 'Port source de la station distante',
'Remote Station Source Username' => 'Nom d\'utilisateur source de la station distante',
'Remote Station Type' => 'Type de station distance',
'Remote URL' => 'URL distante',
'Remote URL Playlist' => 'URL distante d\'une playlist',
'Remote URL Type' => 'Type d\'URL distant',
'Remote: Dropbox' => 'Distant : Dropbox',
'Remote: S3 Compatible' => 'Distant : Compatible S3',
'Remote: SFTP' => 'SFTP distant',
'Remove' => 'Supprimer',
'Remove Key' => 'Supprimer la cl',
'Rename' => 'Renommer',
'Rename File/Directory' => 'Renommer le fichier/rpertoire',
'Reorder' => 'Rorganiser',
'Reorder Playlist' => 'Rorganiser la playlist',
'Repeat' => 'Rpter',
'Replace Album Cover Art' => 'Remplacer la pochette d\'album',
'Reports' => 'Rapports',
'Reprocess' => 'Retraiter',
'Request' => 'Demander',
'Request a Song' => 'Demander un titre',
'Request History' => 'Historique des demandes',
'Request Last Played Threshold (Minutes)' => 'Temps d\'attente avant de redemander un titre (en minutes)',
'Request Minimum Delay (Minutes)' => 'Dlai minimum des demandes (en minutes)',
'Request Song' => 'Demander un titre',
'Requester IP' => 'IP du demandeur',
'Requests' => 'Demandes',
'Required' => 'Requis',
'Reshuffle' => 'Remlanger',
'Restart' => 'Redmarrer',
'Restart Broadcasting' => 'Redmarrer la diffusion',
'Restarting broadcasting will briefly disconnect your listeners.' => 'Redmarrer la diffusion dconnectera brivement vos auditeurs.',
'Restarting broadcasting will rewrite all configuration files and restart all services.' => 'Redmarrer la diffusion rcrira tous les fichiers de configuration et redmarre tous les services.',
'Restoring Backups' => 'Restauration des sauvegardes',
'Reverse Proxy (X-Forwarded-For)' => 'Proxy inverse (Reverse Proxy) (X-Forwarded-For)',
'Role Name' => 'Nom du rle',
'Roles' => 'Rles',
'Roles & Permissions' => 'Rles et permissions',
'Rolling Release' => 'Sortie du roulement',
'RSS' => 'RSS',
'RSS Feed' => 'Flux RSS',
'Run Automatic Nightly Backups' => 'Excuter des sauvegardes automatiques de nuit',
'Run Manual Backup' => 'Excuter la sauvegarde manuelle',
'Run Task' => 'Excuter la tche',
'Running' => 'En cours d\'excution',
'Sample Rate' => 'Frquence d\'chantillonnage',
'Saturday' => 'Samedi',
'Save' => 'Sauvegarder',
'Save and Continue' => 'Enregistrer et continuer',
'Save Changes' => 'Sauvegarder',
'Save Changes first' => 'Sauvegarder les modifications en premier',
'Schedule' => 'Planification',
'Schedule View' => 'Calendrier',
'Scheduled' => 'Planifi',
'Scheduled Backup Time' => 'Heure de la sauvegarde planifie',
'Scheduled Play Days of Week' => 'Jours de diffusion prvus pour la semaine',
'Scheduled playlists and other timed items will be controlled by this time zone.' => 'Les playlists programmes et autres lments programms seront contrls par ce fuseau horaire.',
'Scheduled Time #%{num}' => 'Heure programme #%{num}',
'Scheduling' => 'Planification',
'Search' => 'Rechercher',
'Season Number' => 'Numro de saison',
'Seconds from the start of the song that the AutoDJ should start playing.' => 'A quel moment, en secondes depuis le dbut, l\'AutoDJ commencera lire ce titre.',
'Seconds from the start of the song that the AutoDJ should stop playing.' => 'A quel moment, en secondes depuis le dbut, l\'AutoDJ arrtera de lire ce titre.',
'Secret Key' => 'Cl secrte',
'Security' => 'Scurit',
'Security & Privacy' => 'Scurit et confidentialit',
'See the Telegram documentation for more details.' => 'Consultez la documentation de Telegram pour plus de dtails.',
'See the Telegram Documentation for more details.' => 'Consultez la documentation de Telegram pour plus de dtails.',
'Seek' => 'Chercher',
'Segment Length (Seconds)' => 'Longueur du segment (secondes)',
'Segments in Playlist' => 'Segments dans la playlist',
'Segments Overhead' => 'Segments au-dessus',
'Select' => 'Slectionner',
'Select a theme to use as a base for station public pages and the login page.' => 'Slectionnez un thme utiliser comme base pour les pages publiques de la station et la page de connexion.',
'Select All Rows' => 'Slectionner toutes les lignes',
'Select an option here to apply post-processing using an easy preset or tool. You can also manually apply post-processing by editing your Liquidsoap configuration manually.' => 'Slectionnez une option ici pour appliquer le post-traitement l\'aide d\'un prrglage ou d\'un outil facile. Vous pouvez galement appliquer manuellement le post-traitement en modifiant manuellement votre configuration de Liquidsoap.',
'Select Configuration File' => 'Slectionner un fichier de configuration',
'Select CSV File' => 'Slectionner un fichier CSV',
'Select Custom Fallback File' => 'Slectionner le fichier de secours personnalis',
'Select File' => 'Slectionner un fichier',
'Select Intro File' => 'Slectionner un fichier d\'introduction',
'Select Media File' => 'Slectionner un fichier mdia',
'Select Passkey' => 'Slectionner une cl d\'accs',
'Select Playlist' => 'Slectionnez la playlist',
'Select PLS/M3U File to Import' => 'Slectionnez le fichier PLS/M3U importer',
'Select PNG/JPG artwork file' => 'Slectionner la pochette au format de fichier PNG/JPG',
'Select Row' => 'Slectionner la ligne',
'Select the category/categories that best reflects the content of your podcast.' => 'Slectionnez la/les catgorie/catgories qui correspond(ent) le mieux au contenu de votre podcast.',
'Select the countries that are not allowed to connect to the streams.' => 'Slectionnez les pays qui ne sont pas autoriss se connecter aux flux.',
'Select Web Hook Type' => 'Slectionnez le type de Webhook',
'Send an e-mail to specified address(es).' => 'Envoyer un mail l\'adresse/aux adresses spcifie(s).',
'Send E-mail' => 'Envoyer le mail',
'Send song metadata changes to %{service}' => 'Envoyer les mtadonnes de la chanson %{service}',
'Send song metadata changes to %{service}.' => 'Envoyer les mtadonnes de la chanson %{service}.',
'Send stream listener details to Google Analytics.' => 'Envoyer les dtails des auditeurs de flux Google Analytics.',
'Send stream listener details to Matomo Analytics.' => 'Envoyer les dtails des auditeurs de flux Matomo Analytics.',
'Send Test Message' => 'Envoyer le message de test',
'Sender E-mail Address' => 'Adresse e-mail de l\'expditeur',
'Sender Name' => 'Nom de l\'expditeur',
'Sequential' => 'Squentiel',
'Server Status' => 'Statut du serveur',
'Server:' => 'Serveur :',
'Services' => 'Services',
'Set a maximum disk space that this storage location can use. Specify the size with unit, i.e. "8 GB". Units are measured in 1024 bytes. Leave blank to default to the available space on the disk.' => 'Dfinissez un espace disque maximum que cette station peut utiliser. Spcifiez la taille avec l\'unit, c\'est--dire "8 GB". Les units sont mesures en 1024 octets. Laisser vide par dfaut en fonction de l\'espace disponible sur le disque.',
'Set as Default Mount Point' => 'Dfinir comme point de montage par dfaut',
'Set cue and fade points using the visual editor. The timestamps will be saved to the corresponding fields in the advanced playback settings.' => 'Dfinissez les points de repre et de fondu l\'aide de l\'diteur visuel. Les horodatages seront enregistrs dans les champs correspondants des paramtres de lecture avancs.',
'Set Cue In' => 'Point d\'entre',
'Set Cue Out' => 'Point de sortie',
'Set Fade In' => 'Point d\'entre en fondu',
'Set Fade Out' => 'Point de sortie en fondu',
'Set longer to preserve more playback history and listener metadata for stations. Set shorter to save disk space.' => 'Dfinissez plus longtemps pour conserver plus d\'historique de lecture et de mtadonnes d\'coute pour les stations. Rglez plus court pour conomiser de l\'espace disque.',
'Set the length of time (seconds) a listener will stay connected to the stream. If set to 0, listeners can stay connected infinitely.' => 'Dfinissez la dure (secondes) que l\'auditeur restera connect au flux. S\'il est rgl sur 0, les auditeurs peuvent rester connects l\'infini.',
'Set to * to allow all sources, or specify a list of origins separated by a comma (,).' => 'Dfinir sur * pour autoriser toutes les sources, ou spcifier une liste d\'origines spares par une virgule (,).',
'Settings' => 'Paramtres',
'Setup instructions for broadcasting software are available on the AzuraCast wiki.' => 'Les instructions d\'installation pour les logiciels de diffusion sont disponibles sur le wiki d\'AzuraCast.',
'SFTP Host' => 'Hte SFTP',
'SFTP Password' => 'Mot de passe SFTP',
'SFTP Port' => 'Port SFTP',
'SFTP Private Key' => 'Cl Prive SFTP',
'SFTP Private Key Pass Phrase' => 'Mot de passe de la Cl Prive SFTP',
'SFTP Username' => 'Identifiant SFTP',
'SFTP Users' => 'Utilisateurs SFTP',
'Share Media Storage Location' => 'Partager l\'emplacement de stockage des mdias',
'Share Podcasts Storage Location' => 'Partager l\'emplacement de stockage des podcasts',
'Share Recordings Storage Location' => 'Partager lemplacement de stockage des enregistrements',
'Shoutcast 2 DNAS is not currently installed on this installation.' => 'SHOUTcast 2 DNAS n\'est actuellement pas install sur cette machine.',
'Shoutcast 2 DNAS is not free software, and its restrictive license does not allow AzuraCast to distribute the Shoutcast binary.' => 'SHOUTcast 2 DNAS n\'est pas un logiciel gratuit, et sa licence restrictive ne permet pas Azuracast de distribuer le binaire Shoutcast.',
'Shoutcast Clients' => 'Clients Shoutcast',
'Shoutcast Radio Manager' => 'Gestionnaire de radio Shoutcast',
'Shoutcast User ID' => 'ID de l\'utilisateur Shoutcast',
'Shoutcast version "%{ version }" is currently installed.' => 'La version "%{ version }" de Shoutcast est actuellement installe.',
'Show Charts' => 'Afficher les graphiques',
'Show Credentials' => 'Afficher les crdits',
'Show HLS Stream on Public Player' => 'Afficher le flux HLS sur le lecteur public',
'Show new releases within your update channel on the AzuraCast homepage.' => 'Afficher les nouvelles versions dans votre canal de mise jour sur la page d\'accueil d\'AzuraCast.',
'Show on Public Pages' => 'Afficher sur les pages publiques',
'Show the station in public pages and general API results.' => 'Afficher la station dans les pages publiques et les rsultats gnraux de l\'API.',
'Show Update Announcements' => 'Afficher les annonces de mise jour',
'Shuffled' => 'Mlang',
'Sidebar' => 'Barre latrale',
'Sign In' => 'Se connecter',
'Sign In with Passkey' => 'Se connecter avec une cl d\'accs',
'Sign Out' => 'Se dconnecter',
'Site Base URL' => 'URL de base du site',
'Size' => 'Taille',
'Skip Song' => 'Passer la chanson',
'Skip to main content' => 'Passer au contenu principal',
'Smart Mode' => 'Mode intelligent',
'SMTP Host' => 'Hte SMTP',
'SMTP Password' => 'Mot de passe SMTP',
'SMTP Port' => 'Port SMTP',
'SMTP Username' => 'Nom d\'utilisateur SMTP',
'Social Media' => 'Rseaux sociaux',
'Some stream licensing providers may have specific rules regarding song requests. Check your local regulations for more information.' => 'Certains fournisseurs de licences de streaming peuvent avoir des rgles spcifiques concernant les demandes de chansons. Vrifiez vos rglementations locales pour plus d\'informations.',
'Song' => 'Titre',
'Song Album' => 'Album du titre',
'Song Artist' => 'Artiste de la musique',
'Song Change' => 'Changement de chanson',
'Song Change (Live Only)' => 'Changement de chanson (en direct seulement)',
'Song Genre' => 'Genre de la chanson',
'Song History' => 'Historique des titres',
'Song Length' => 'Longueur du titre',
'Song Lyrics' => 'Paroles de la musique',
'Song Playback Order' => 'Ordre de lecture des titres',
'Song Playback Timeline' => 'Historique des titres',
'Song Requests' => 'Demandes de titres',
'Song Title' => 'Titre de la musique',
'Song-based' => 'Sur la base de chansons',
'Song-Based' => 'Bas sur la chanson',
'Song-Based Playlist' => 'Playlist de diffrents titres',
'SoundExchange Report' => 'Rapport SoundExchange',
'SoundExchange Royalties' => 'SoundExchange Royalties',
'Source' => 'Source',
'Space Used' => 'Espace utilis',
'Specify a mountpoint (i.e. "/radio.mp3") or a Shoutcast SID (i.e. "2") to specify a specific stream to use for statistics or broadcasting.' => 'Spcifiez un point de montage (par ex. "/radio.mp3") ou un SID Shoutcast (par ex. "2") pour un flux spcifique utiliser pour les statistiques ou la diffusion.',
'Specify the minute of every hour that this playlist should play.' => 'Spcifiez la minute de diffusion pour chaque heure de cette playlist.',
'Speech General' => 'Gnral des paroles',
'SSH Public Keys' => 'Cls publiques SSH',
'Stable' => 'Stable',
'Standard playlist, shuffles with other standard playlists based on weight.' => 'Playlist standard, mlange avec d\'autres playlists standards en fonction du poids.',
'Start' => 'Dmarrer',
'Start Date' => 'Date de dpart',
'Start Station' => 'Dmarrer la station',
'Start Streaming' => 'Dmarrer la diffusion',
'Start Time' => 'Heure de dpart',
'Station Directories' => 'Rpertoires des stations',
'Station Disabled' => 'Station dsactive',
'Station Goes Offline' => 'Station hors ligne',
'Station Goes Online' => 'Station en ligne',
'Station Media' => 'Mdia de la station',
'Station Name' => 'Nom de la station',
'Station Offline' => 'Station hors ligne',
'Station Offline Display Text' => 'Texte affich lorsque la station est hors ligne',
'Station Overview' => 'Vue d\'ensemble de la station',
'Station Permissions' => 'Permissions de la station',
'Station Podcasts' => 'Podcasts de la station',
'Station Recordings' => 'Enregistrements de la station',
'Station Statistics' => 'Statistiques de la station',
'Station Time' => 'Heure de la station',
'Station Time Zone' => 'Fuseau horaire de la station',
'Station-Specific Debugging' => 'Dbogage spcifique la station',
'Station(s)' => 'Station(s)',
'Stations' => 'Stations',
'Stations using Icecast can soft-reload the station configuration, applying changes while keeping the stream broadcast running.' => 'Les stations utilisant IceCast peuvent recharger le soft de configuration de la station, en appliquant des modifications tout en maintenant la diffusion du flux en cours d\'excution.',
'Steal' => 'Vol',
'Steal (St)' => 'Vol (St)',
'Step %{step}' => 'tape %{step}',
'Step 1: Scan QR Code' => 'tape 1 : Scanner le QR Code',
'Step 2: Verify Generated Code' => 'tape 2 : Vrification du code gnr',
'Steps for configuring a Mastodon application:' => 'tapes pour configurer l\'application Mastodon :',
'Stereo Tool' => 'Stro Tool',
'Stereo Tool documentation.' => 'Documentation de Stro Tool.',
'Stereo Tool Downloads' => 'Tlchargements de Stro Tool',
'Stereo Tool is a popular, proprietary tool for software audio processing. Using Stereo Tool, you can customize the sound of your stations using preset configuration files.' => 'Stereo Tool est un outil populaire et propritaire pour le traitement audio logiciel. l\'aide de Stereo Tool, vous pouvez personnaliser le son de vos stations l\'aide des fichiers de configuration prdfinis.',
'Stereo Tool is an industry standard for software audio processing. For more information on how to configure it, please refer to the' => 'Stro Tool est un standard de l\'industrie parmi les logiciels de traitement audio. Pour plus d\'informations et pour savoir comment le configurer, rfrez-vous la',
'Stereo Tool is not currently installed on this installation.' => 'Stro Tool n\'est pas actuellement install sur cette machine.',
'Stereo Tool is not free software, and its restrictive license does not allow AzuraCast to distribute the Stereo Tool binary.' => 'Stro Tool n\'est pas un logiciel libre. Sa licence restrictive ne permet pas AzuraCast de distribuer le binaire de Stro Tool.',
'Stereo Tool version %{ version } is currently installed.' => 'La version %{ version } de Stro Tool est actuellement installe.',
'Stop' => 'Arrter',
'Stop Streaming' => 'Arrter la diffusion',
'Storage Adapter' => 'Adaptateur de stockage',
'Storage Location' => 'Emplacement de stockage',
'Storage Locations' => 'Emplacement de stockage',
'Storage Quota' => 'Quota de stockage',
'Stream' => 'Stream',
'Streamer Broadcasts' => 'Diffusions de streamer',
'Streamer Display Name' => 'Nom d\'affichage du streamer',
'Streamer password' => 'Mot de passe du streamer',
'Streamer Username' => 'Nom dutilisateur du streamer',
'Streamer/DJ' => 'Streamer/DJ',
'Streamer/DJ Accounts' => 'Comptes des streamers/DJs',
'Streamers/DJs' => 'Streamers/DJ',
'Streams' => 'Streams',
'Submit Code' => 'Envoi du code',
'Sunday' => 'Dimanche',
'Support Documents' => 'Documents d\'assistance',
'Supported file formats:' => 'Formats de fichiers accepts :',
'Switch Theme' => 'Changer de thme',
'Synchronization Tasks' => 'Tches de synchronisation',
'Synchronize with Playlist' => 'Synchroniser avec la playlist',
'System Administration' => 'Administration du systme',
'System Debugger' => 'Dbogueur de systme',
'System Logs' => 'Journaux(Logs) du systme',
'System Maintenance' => 'Maintenance systme',
'System Settings' => 'Configuration systme',
'Target' => 'Cible',
'Task Name' => 'Nom de la tche',
'Telegram Chat Message' => 'Message Telegram',
'Test' => 'Tester',
'Test message sent.' => 'Message de test envoy.',
'Thanks for listening to %{ station }!' => 'Merci d\'avoir cout %{ station } !',
'The amount of memory Linux is using for disk caching.' => 'La quantit de mmoire Linux utilis pour la mise en cache de disque.',
'The average target loudness (measured in LUFS) for the broadcasted stream. Values between -14 and -18 LUFS are common for Internet radio stations.' => 'L\'intensit cible moyenne (mesur en LUFS) pour le flux diffus. Les valeurs entre -14 et -18 LUFS sont courantes pour les stations de radio par internet.',
'The base URL where this service is located. Use either the external IP address or fully-qualified domain name (if one exists) pointing to this server.' => 'L\'URL de base o se trouve ce service. Utilisez soit l\'IP externe, soit un nom de domaine complet (le cas chant) pointant vers ce serveur.',
'The body of the POST message is the exact same as the NowPlaying API response for your station.' => 'Le corps du message POST est exactement le mme que la rponse de l\'API NowPlaying pour votre station.',
'The contact person of the podcast. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => 'La personne de contact du podcast. Peut tre ncessaire pour lister le podcast sur des services tels qu\'Apple Podcasts, Spotify, Google Podcasts, etc.',
'The current CPU usage including I/O Wait and Steal.' => 'L\'utilisation actuelle du CPU, y compris les E/S en attente et vol.',
'The current Memory usage excluding cached memory.' => 'L\'utilisation de la mmoire actuelle excluant la mmoire mise en cache.',
'The date and time when the episode should be published.' => 'La date et l\'heure laquelle l\'pisode doit tre publi.',
'The description of the episode. The typical maximum amount of text allowed for this is 4000 characters.' => 'La description de l\'pisode. La quantit de texte maximale typique autorise pour cela est de 4000 caractres.',
'The description of your podcast. The typical maximum amount of text allowed for this is 4000 characters.' => 'La description de votre podcast. La quantit de texte maximale typique autorise pour cela est de 4000 caractres.',
'The display name assigned to this mount point when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Le nom d\'affichage attribu ce point de montage lors de sa visualisation sur des pages administratives ou publiques. Laissez vide pour en gnrer automatiquement un.',
'The display name assigned to this relay when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Le nom d\'affichage attribu ce relais lors de sa visualisation sur des pages administratives ou publiques. Laissez vide pour en gnrer automatiquement un.',
'The editable text boxes are areas where you can insert custom configuration code. The non-editable sections are automatically generated by AzuraCast.' => 'Les zones de texte modifiables sont des zones o vous pouvez insrer du code de configuration personnalis. Les sections non modifiables sont automatiquement gnres par AzuraCast.',
'The email of the podcast contact. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => 'L\'e-mail du contact du podcast. Peut tre requis pour lister le podcast sur des services tels qu\'Apple Podcasts, Spotify, Google Podcasts, etc.',
'The file name should look like:' => 'Le nom du fichier devrait ressembler :',
'The format and headers of this CSV should match the format generated by the export function on this page.' => 'Le format et les en-ttes du fichier CSV doivent correspondre au format gnr par l\'outil d\'exportation de cette page.',
'The full base URL of your Matomo installation.' => 'L\'URL de base complte de votre installation de Matomo.',
'The full playlist is shuffled and then played through in the shuffled order.' => 'La playlist complte est mlange, puis joue dans l\'ordre alatoire.',
'The I/O Wait is the percentage of time that the CPU is waiting for disk access before it can continue the work that depends on the result of this.' => 'L\'attente d\'E/S est le pourcentage du temps que le CPU attend l\'accs des disques avant de pouvoir poursuivre le travail qui dpend du rsultat.',
'The language spoken on the podcast.' => 'La langue parle sur le podcast.',
'The length of playback time that Liquidsoap should buffer when playing this remote playlist. Shorter times may lead to intermittent playback on unstable connections.' => 'La dure du temps de lecture que Liquidsoap doit mettre en mmoire tampon lors de la lecture de cette playlist distante. Des dures courtes peuvent entraner une lecture discontinue sur des connexions instables.',
'The number of seconds of signal to store in case of interruption. Set to the lowest value that your DJs can use without stream interruptions.' => 'Le nombre de secondes de signal stocker en cas d\'interruption. Rglez sur la valeur la plus basse que vos DJ peuvent utiliser sans interrompre la diffusion.',
'The number of seconds to wait for a response from the remote server before cancelling the request.' => 'Le nombre de secondes d\'attente d\'une rponse du serveur distant avant d\'annuler la demande.',
'The numeric site ID for this site.' => 'L\'ID du site numrique pour ce site.',
'The order of the playlist is manually specified and followed by the AutoDJ.' => 'L\'ordre de la playlist est spcifi manuellement et suivi par l\'AutoDJ.',
'The parent directory where station playlist and configuration files are stored. Leave blank to use default directory.' => 'Le rpertoire parent dans lequel sont stocks la liste de lecture et les fichiers de configuration des stations. Laisser vide pour utiliser le rpertoire par dfaut.',
'The relative path of the file in the station\'s media directory.' => 'Le chemin relatif dans le rpertoire des mdias, pour cette station.',
'The station ID will be a numeric string that starts with the letter S.' => 'L\'ID de la station sera une chane numrique commenant par la lettre S.',
'The streamer will use this password to connect to the radio server.' => 'Le streamer utilisera ce mot de passe pour se connecter au serveur radio.',
'The streamer will use this username to connect to the radio server.' => 'Le streamer utilisera ce nom dutilisateur pour se connecter au serveur radio.',
'The time period that the song should fade in. Leave blank to use the system default.' => 'Indique a quel moment cette musique commencera sa transition de dpart. Laissez vide pour utiliser la valeur par dfaut.',
'The time period that the song should fade out. Leave blank to use the system default.' => 'Indique a quel moment cette musique commencera sa transition de fin. Laissez vide pour utiliser la valeur par dfaut.',
'The URL that will receive the POST messages any time an event is triggered.' => 'URL qui recevra les messages POST chaque fois qu\'un vnement est dclench.',
'The volume in decibels to amplify the track with. Leave blank to use the system default.' => 'Le volume en dcibels avec lequel amplifier la piste. Laisser vide pour utiliser la valeur par dfaut du systme.',
'The WebDJ lets you broadcast live to your station using just your web browser.' => 'Le WebDJ vous permet de diffuser en direct sur votre station en utilisant juste votre navigateur Web.',
'Theme' => 'Thme',
'There is no existing custom fallback file associated with this station.' => 'Il n\'y a pas de fichier de secours personnalis existant associ cette station.',
'There is no existing intro file associated with this mount point.' => 'Il n\'y a pas de fichier intro existant associ ce point de montage.',
'There is no existing media associated with this episode.' => 'Il n\'y a pas de mdia existant associ cet pisode.',
'There is no Stereo Tool configuration file present.' => 'Il n\'y a pas de fichier de configuration Stro Tool prsent.',
'This account will have full access to the system, and you\'ll automatically be logged in to it for the rest of setup.' => 'Ce compte aura un accs complet au systme, et vous y serez automatiquement connect pour le reste de l\'installation.',
'This can be generated in the "Events" section for a measurement.' => 'Cela peut tre gnr dans la section "vnements" pour une mesure.',
'This can be retrieved from the GetMeRadio dashboard.' => 'Elle se rcupre depuis le tableau de bord GetMeRadio.',
'This can make it look like your memory is low while it actually is not. Some monitoring solutions/panels include cached memory in their used memory statistics without indicating this.' => 'Cela peut donner l\'impression que votre mmoire est faible alors qu\'elle ne l\'est pas. Certaines solutions/panneaux de surveillance incluent la mmoire cache dans leurs statistiques de mmoire utilise sans l\'indiquer.',
'This code will be included in the frontend configuration. Allowed formats are:' => 'Ce code sera inclus dans la configuration du site. Les formats autoriss sont :',
'This configuration file should be a valid .sts file exported from Stereo Tool.' => 'Ce fichier de configuration doit tre un fichier .sts valide et export depuis Stro Tool.',
'This CSS will be applied to the main management pages, like this one.' => 'Ce CSS sera appliqu aux pages de gestion, comme celle-ci.',
'This CSS will be applied to the station public pages and login page.' => 'Ce CSS sera appliqu aux pages publiques de la station et la page de connexion.',
'This CSS will be applied to the station public pages.' => 'Ce CSS sera appliqu aux pages publiques de la station.',
'This determines how many songs in advance the AutoDJ will automatically fill the queue.' => 'Ceci dtermine combien de chansons peut remplir l\'avance l\'AutoDJ automatiquement dans la file d\'attente.',
'This feature requires the AutoDJ feature to be enabled.' => 'Cette fonction ncessite que la fonction AutoDJ soit active.',
'This field is required.' => 'Ce champ est obligatoire.',
'This field must be a valid decimal number.' => 'Ce champ doit tre un nombre dcimal valide.',
'This field must be a valid e-mail address.' => 'Ce champ doit tre une adresse mail valide.',
'This field must be a valid integer.' => 'Ce champ doit tre un entier valide.',
'This field must be a valid IP address.' => 'Ce champ doit tre une adresse IP valide.',
'This field must be a valid URL.' => 'Ce champ doit tre une URL valide.',
'This field must be between %{ min } and %{ max }.' => 'Ce champ doit tre compris entre %{ min } et %{ max }.',
'This field must have at least %{ min } letters.' => 'Ce champ doit avoir au moins %{ min } lettres.',
'This field must have at most %{ max } letters.' => 'Ce champ doit avoir au plus %{ max } lettres.',
'This field must only contain alphabetic characters.' => 'Ce champ doit contenir que des caractres alphabtiques.',
'This field must only contain alphanumeric characters.' => 'Ce champ doit contenir que des caractres alphanumriques.',
'This field must only contain numeric characters.' => 'Ce champ doit contenir que des caractres numriques.',
'This file will be played on your radio station any time no media is scheduled to play or a critical error occurs that interrupts regular broadcasting.' => 'Ce fichier sera lu sur votre station de radio tout moment, aucun support n\'est programm ou une erreur critique n\'interrompt la diffusion rgulire.',
'This image will be used as the default album art when this streamer is live.' => 'Cette image sera utilise comme pochette d\'album par dfaut lorsque ce streamer sera en direct.',
'This introduction file should exactly match the bitrate and format of the mount point itself.' => 'Ce fichier d\'introduction devrait correspondre exactement au dbit et au format du point de montage lui-mme.',
'This is a 3-5 digit number.' => 'Nombre compos de 3 5 chiffres.',
'This is an advanced feature and custom code is not officially supported by AzuraCast. You may break your station by adding custom code, but removing it should fix any issues.' => 'Il s\'agit d\'une fonctionnalit avance et le code personnalis n\'est pas officiellement pris en charge par AzuraCast. Vous pouvez casser votre station en ajoutant du code personnalis, mais le supprimer devrait rsoudre tous les problmes.',
'This is the informal display name that will be shown in API responses if the streamer/DJ is live.' => 'C\'est le nom de l\'affichage informel qui sera affich dans les rponses API si le streamer/DJ est en direct.',
'This is the number of seconds until a streamer who has been manually disconnected can reconnect to the stream. Set to 0 to allow the streamer to immediately reconnect.' => 'Il s\'agit du nombre de secondes jusqu\' ce qu\'un streamer qui a t dconnect manuellement puisse se reconnecter au stream. Rglez sur 0 pour permettre au streamer de se reconnecter immdiatement.',
'This javascript code will be applied to the station public pages and login page.' => 'Ce code javascript sera appliqu aux pages publiques de la station et la page de connexion.',
'This javascript code will be applied to the station public pages.' => 'Ce code JavaScript sera appliqu aux pages publiques de la station.',
'This mode disables AzuraCast\'s AutoDJ management, using Liquidsoap itself to manage song playback. "next song" and some other features will not be available.' => 'Ce mode dsactive la gestion d\'AutoDJ d\'Azuracast, en utilisant Liquidsoap lui-mme pour grer la lecture des chansons. "Chanson suivante" et d\'autres fonctionnalits ne seront pas disponibles.',
'This Month' => 'Ce mois-ci',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => 'Ce nom doit toujours commencer par un slash (/) et doit tre une URL valide, par exemple /autodj.mp3',
'This name will appear as a sub-header next to the AzuraCast logo, to help identify this server.' => 'Ce nom va apparatre comme sous-titre ct du logo d\'AzuraCast, pour vous aider identifier ce serveur.',
'This page lists all API keys assigned to all users across the system. To manage your own API keys, visit your account profile.' => 'Cette page liste toutes les cls d\'API de tous utilisateurs du systme. Pour grer vos propres cls d\'API, accdez la page de votre compte.',
'This password is too common or insecure.' => 'Ce mot de passe est trop commun ou peu sr.',
'This playlist currently has no scheduled times. It will play at all times. To add a new scheduled time, click the button below.' => 'Cette playlist ne possde actuellement aucune programmation horaire. Elle sera diffuse en permanence. Pour ajouter une nouvelle programmation, cliquez sur le bouton ci-dessous.',
'This playlist will play every $x minutes, where $x is specified here.' => 'Cette playlist jouera toutes les $x minutes, o $x est spcifi ici.',
'This playlist will play every $x songs, where $x is specified here.' => 'Cette playlist jouera entre $x chansons, o $x est spcifi ici.',
'This podcast is automatically synchronized with a playlist. Episodes cannot be manually added or removed via this panel.' => 'Ce podcast est automatiquement synchronis avec une playlist. Les pisodes ne peuvent pas tre ajouts ou supprims manuellement via ce panneau.',
'This port is not used by any external process. Only modify this port if the assigned port is in use. Leave blank to automatically assign a port.' => 'Ce port est utilis par aucun processus externe. Ne modifiez ce port que si le port attribu est en cours d\'utilisation. Laissez vide pour attribuer automatiquement un port.',
'This queue contains the remaining tracks in the order they will be queued by the AzuraCast AutoDJ (if the tracks are eligible to be played).' => 'Cette file d\'attente contient les pistes restantes dans l\'ordre dans lequel elles seront mises en file d\'attente par l\'AutoDJ AzuraCast (si les pistes sont ligibles pour tre joues).',
'This service can provide album art for tracks where none is available locally.' => 'Ce service peut fournir une pochette d\'album pour les pistes o aucune n\'est disponible localement.',
'This software is traditionally used to deliver your broadcast to your listeners. You can still broadcast remotely or via HLS if this service is disabled.' => 'Ce logiciel est traditionnellement utilis pour diffuser votre radio vos auditeurs. Vous pouvez toujours diffuser sur un serveur externe ou via HLS si vous le dsactivez.',
'This software shuffles from playlists of music constantly and plays when no other radio source is available.' => 'Ce logiciel mlange constamment les listes de lecture de musique et joue lorsqu\'aucune autre source radio n\'est disponible.',
'This specifies the minimum time (in minutes) between a song playing on the radio and being available to request again. Set to 0 for no threshold.' => 'Ceci spcifie le temps minimum (en minutes) entre une chanson joue la radio et tre disponible pour demander nouveau. Dfinir sur 0 pour aucun seuil.',
'This specifies the time range (in minutes) of the song history that the duplicate song prevention algorithm should take into account.' => 'Ceci spcifie la plage de temps (en minutes) de l\'historique des chansons que l\'algorithme de prvention des chansons en double doit prendre en compte.',
'This station\'s time zone is currently %{tz}.' => 'Le fuseau horaire de cette station est actuellement %{tz}.',
'This streamer is not scheduled to play at any times.' => 'Ce streamer n\'est pas programm pour tre diffus.',
'This URL is provided within the Discord application.' => 'Cette URL est fournie dans l\'application Discord.',
'This web hook is no longer supported. Removing it is recommended.' => 'Ce Webhook n\'est plus pris en charge. Il est recommand de le supprimer.',
'This web hook will only run when the selected event(s) occur on this specific station.' => 'Ce Webhook ne s\'excutera que lorsque le ou les vnements slectionns se produiront sur cette station spcifique.',
'This will be shown on public player pages if the station is offline. Leave blank to default to a localized version of "%{message}".' => 'Ce message affich sur les pages publiques de la station si la diffusion est dsactive. Laissez vide pour afficher un message localis de "%{message}".',
'This will be used as the label when editing individual songs, and will show in API results.' => 'Ceci sera utilis comme libell lors de l\'dition de chansons individuelles et apparatra dans les rsultats de l\'API.',
'This will clear any pending unprocessed messages in all message queues.' => 'Ceci effacera tous les messages en attente non traits dans toutes les files d\'attente de messages.',
'This will produce a significantly smaller backup, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => 'En excluant les mdias des sauvegardes automatiques, vous conomiserez de la place, mais vous devriez vous assurer de sauvegarder vos mdias ailleurs. Notez que seuls les mdias stocks localement seront sauvegards.',
'Thumbnail Image URL' => 'URL de la vignette',
'Thursday' => 'Jeudi',
'Time' => 'Heure',
'Time (sec)' => 'Heure (sec)',
'Time Display' => 'Affichage de l\'heure',
'Time spent waiting for disk I/O to be completed.' => 'Le temps pass attendre les E/S du disque se terminer.',
'Time stolen by other virtual machines on the same physical server.' => 'Temps vol par d\'autres machines virtuelles sur le mme serveur physique.',
'Time Zone' => 'Fuseau horaire',
'Title' => 'Titre',
'To alleviate this potential problem with shared CPU resources, hosts assign "credits" to a VPS which are used up according to an algorithm based on the CPU load as well as the time over which the CPU load is generated. If your VM\'s assigned credit is used up, they will take CPU time from your VM and assign it to other VMs on the machine. This is seen as the "Steal" or "St" value.' => 'Pour attnuer ce problme potentiel avec les ressources du processeur partag, les htes attribuent des "crdits" un VPS qui sont utiliss conformment un algorithme bas sur la charge du CPU ainsi que sur le temps sur lequel la charge du CPU est gnre. Si votre crdit attribu par votre VM est utilis, ils prendront l\'heure du CPU de votre VM et l\'attribueront d\'autres ordinateurs virtuels sur la machine. Ceci est considr comme la valeur "vol" ou "St".',
'To customize installation settings, or if automatic updates are disabled, you can follow our standard update instructions to update via your SSH console.' => 'Pour modifier les paramtres d\'installation ou si les mises jour automatiques sont dsactives, veuillez suivre les instructions de mise jour classique pour mettre jour AzuraCast via votre console SSH.',
'To download the GeoLite database:' => 'Pour tlcharger la base de donnes GeoLite :',
'To play once per day, set the start and end times to the same value.' => 'Pour diffuser une fois par jour, rglez les heures de dbut et de fin la mme valeur.',
'To restore a backup from your host computer, run:' => 'Pour restaurer une sauvegarde partir de votre ordinateur hte, excutez :',
'To retrieve detailed unique listeners and client details, an administrator password is often required.' => 'Un mot de passe administrateur est souvent ncessaire pour rcuprer les donnes dtailles des auditeurs et des utilisateurs uniques.',
'To set this schedule to run only within a certain date range, specify a start and end date.' => 'Pour que cette programmation ne soit excute que dans une certaine priode, indiquez une date de dbut et de fin.',
'To use this feature, a secure (HTTPS) connection is required. Firefox is recommended to avoid static when broadcasting.' => 'Pour utiliser cette fonctionnalit, une connexion scurise (HTTPS) est requise. Firefox est recommand pour viter les parasites lors de la diffusion.',
'To verify that the code was set up correctly, enter the 6-digit code the app shows you.' => 'Pour vrifier que le code a t correctement configur, entrez le code 6 chiffres que l\'application vous montre.',
'Today' => 'Aujourd\'hui',
'Toggle Menu' => 'Basculer le menu',
'Toggle Sidebar' => 'Afficher/Masquer le panneau latral',
'Top Browsers by Connected Time' => 'Top navigateurs par temps connect',
'Top Browsers by Listeners' => 'Top navigateurs par auditeur',
'Top Countries by Connected Time' => 'Top pays par temps connect',
'Top Countries by Listeners' => 'Top pays par auditeur',
'Top Streams by Connected Time' => 'Top flux par temps connect',
'Top Streams by Listeners' => 'Top flux par auditeur',
'Total Disk Space' => 'Espace disque total',
'Total Listener Hours' => 'Heures d\'coute totales',
'Total RAM' => 'RAM total',
'Transmitted' => 'Transmis',
'Triggers' => 'Dclencheurs',
'Tuesday' => 'Mardi',
'TuneIn AIR' => 'TuneIn AIR',
'TuneIn Partner ID' => 'ID partenaire TuneIn',
'TuneIn Partner Key' => 'Cl de partenaire TuneIn',
'TuneIn Station ID' => 'TuneIn Station ID',
'Two-Factor Authentication' => 'Authentification deux facteurs',
'Two-factor authentication improves the security of your account by requiring a second one-time access code in addition to your password when you log in.' => 'L\'authentification deux facteurs amliore la scurit de votre compte en exigeant un deuxime code d\'accs unique en plus de votre mot de passe lorsque vous ouvrez une session.',
'Typically a website with content about the episode.' => 'Gnralement un site web avec du contenu sur l\'pisode.',
'Typically the home page of a podcast.' => 'Gnralement la page d\'accueil d\'un podcast.',
'Unable to update.' => 'Impossible de mettre jour.',
'Unassigned Files' => 'Fichiers non assigns',
'Uninstall' => 'Dsinstaller',
'Unique' => 'Unique',
'Unique identifier for the target chat or username of the target channel (in the format @channelusername).' => 'Identificateur unique pour le chat cible ou le nom d\'utilisateur du canal cible (au format @channelusername).',
'Unique Listeners' => 'Auditeurs uniques',
'Unknown' => 'Inconnu',
'Unknown Artist' => 'Artiste inconnu',
'Unknown Title' => 'Titre inconnu',
'Unlisted' => 'Non list',
'Unmute' => 'Dmuter',
'Unprocessable Files' => 'Fichiers non traits',
'Unpublished' => 'Non publi',
'Unselect All Rows' => 'Dslectionner toutes les lignes',
'Unselect Row' => 'Slectionner la ligne',
'Upcoming Song Queue' => 'File d\'attente des chansons venir',
'Update' => 'Mise jour',
'Update AzuraCast' => 'Mettre jour AzuraCast',
'Update AzuraCast via Web' => 'Mettre jour AzuraCast via l\'interface Web',
'Update AzuraCast? Your installation will restart.' => 'Mettre jour AzuraCast ? Votre installation va redmarrer.',
'Update Details' => 'Dtails de la mise jour',
'Update Instructions' => 'Instructions de mise jour',
'Update Metadata' => 'Mettre jour les mtadonnes',
'Update started. Your installation will restart shortly.' => 'La mise jour a dmarr. Votre installation redmarrera sous peu.',
'Update Station Configuration' => 'Mettre jour la configuration de la station',
'Update via Web' => 'Mettre jour via l\'interface Web',
'Updated' => 'Mise jour',
'Updated successfully.' => 'Mis jour avec succs.',
'Upload a Stereo Tool configuration file from the "Broadcasting" submenu in the station profile.' => 'Chargez un fichier de configuration de l\'outil stro dans le menu "Diffusion" du profil de la station.',
'Upload Custom Assets' => 'Tlcharger des assets personnaliss',
'Upload Stereo Tool Configuration' => 'Charger la configuration de l\'outil stro',
'Upload the file on this page to automatically extract it into the proper directory.' => 'Tlchargez le fichier sur cette page pour l\'extraire automatiquement dans le rpertoire appropri.',
'URL' => 'URL',
'URL Stub' => 'Bout d\'URL',
'Use' => 'Utilis',
'Use (Us)' => 'Utilis (Us)',
'Use API keys to authenticate with the AzuraCast API using the same permissions as your user account.' => 'Utilisez les cls API pour vous authentifier avec l\'API AzuraCast en utilisant les mmes permissions que votre compte utilisateur.',
'Use Browser Default' => 'Utiliser le navigateur par dfaut',
'Use High-Performance Now Playing Updates' => 'Utiliser les hautes performances lors des mises jour de la lecture en cours',
'Use Icecast 2.4 on this server.' => 'Utiliser Icecast 2.4 sur ce serveur.',
'Use Less CPU (Uses More Memory)' => 'Utiliser moins de CPU (utilise plus de mmoire)',
'Use Less Memory (Uses More CPU)' => 'Utiliser moins de mmoire (utilise plus de CPU)',
'Use Liquidsoap on this server.' => 'Utiliser Liquidsoap sur ce serveur.',
'Use Path Instead of Subdomain Endpoint Style' => 'Utiliser le chemin au lieu du style de point de terminaison du sous-domaine',
'Use Secure (TLS) SMTP Connection' => 'Utiliser une connexion SMTP scurise (TLS)',
'Use Shoutcast DNAS 2 on this server.' => 'Utiliser Shoutcast DNAS 2 sur ce serveur.',
'Use the Telegram Bot API to send a message to a channel.' => 'Utilisez l\'API du bot Telegram pour envoyer un message un canal.',
'Use this form to send a manual metadata update. Note that this will override any existing metadata on the stream.' => 'Utilisez ce formulaire pour envoyer une mise jour manuelle des mtadonnes. Notez que cela remplacera toutes les mtadonnes existantes sur le flux.',
'Use Web Proxy for Radio' => 'Utiliser un Proxy Web pour la station',
'Used' => 'Utilis',
'Used for "Forgot Password" functionality, web hooks and other functions.' => 'Utilis pour la fonctionnalit "Mot de passe oubli", les Webhook et d\'autres fonctions.',
'User' => 'Utilisateur',
'User Accounts' => 'Comptes utilisateurs',
'User Agent' => 'Agent utilisateur (User-Agent)',
'User Name' => 'Nom d\'utilisateur',
'User Permissions' => 'Permissions de l\'utilisateur',
'Username' => 'Nom dutilisateur',
'Username:' => 'Nom d\'utilisateur :',
'Users' => 'Utilisateurs',
'Users with this role will have these permissions across the entire installation.' => 'Les utilisateurs ayant ce rle auront ces permissions tout au long de l\'installation.',
'Users with this role will have these permissions for this single station.' => 'Les utilisateurs ayant ce rle auront ces permissions pour cette station uniquement.',
'Uses either Websockets, Server-Sent Events (SSE) or static JSON files to serve Now Playing data on public pages. This improves performance, especially with large listener volume. Disable this if you are encountering problems with the service or use multiple URLs to serve your public pages.' => 'Utilise des fichiers WebSockets, des vnements de serveur (SSE) ou des fichiers JSON statiques pour servir maintenant des donnes sur les pages publiques. Cela amliore les performances, en particulier avec un grand volume d\'coute. Dsactiver ceci si vous rencontrez des problmes avec ce service ou utiliser plusieurs URL pour servir vos pages publiques.',
'Using a passkey (like Windows Hello, YubiKey, or your smartphone) allows you to securely log in without needing to enter your password or two-factor code.' => 'Utilisez une cl d\'accs (comme Windows Hello, YubiKey, ou votre smartphone) vous permet de vous connecter en toute scurit sans avoir entrer votre mot de passe ou votre code deux facteurs.',
'Using this page, you can customize several sections of the Liquidsoap configuration. This allows you to add advanced functionality to your station\'s AutoDJ.' => 'En utilisant cette page, vous pouvez personnaliser plusieurs sections de la configuration de Liquidsoap. Cela vous permet d\'ajouter des fonctionnalits avances l\'AutoDJ de votre station.',
'Usually enabled for port 465, disabled for ports 587 or 25.' => 'Habituellement activ pour le port 465, dsactiv pour les ports 587 ou 25.',
'Variables are in the form of: ' => 'Les variables sont sous la forme : ',
'View' => 'Afficher',
'View Fullscreen' => 'Afficher en plein cran',
'View Listener Report' => 'Voir le rapport des auditeurs',
'View Profile' => 'Voir le profil',
'View tracks in playlist' => 'Afficher les titres de la playlist',
'Visit the Dropbox App Console:' => 'Visitez la console de l\'application Dropbox :',
'Visit the link below to sign in and generate an access code:' => 'Cliquez sur le lien ci-dessous pour vous connecter et gnrer un code d\'accs :',
'Visit your Mastodon instance.' => 'Visitez votre instance Mastodon.',
'Visual Cue Editor' => 'diteur visuel',
'Volume' => 'Volume',
'Wait' => 'Attente',
'Wait (Wa)' => 'Attente (Wa)',
'Warning' => 'Attention',
'Waveform Zoom' => 'Zoom sur la forme d\'onde',
'Web DJ' => 'Web DJ',
'Web Hook Details' => 'Dtails du Webhook',
'Web Hook Name' => 'Nom du Webhook',
'Web Hook Triggers' => 'Dclencheurs de Webhook',
'Web Hook URL' => 'URL du Webhook',
'Web Hooks' => 'Webhooks',
'Web hooks automatically send a HTTP POST request to the URL you specify to notify it any time one of the triggers you specify occurs on your station.' => 'Les Webhooks envoient automatiquement une requte HTTP POST l\'URL que vous spcifiez pour l\'avertir chaque fois qu\'un des dclencheurs que vous spcifiez se produit sur votre station.',
'Web hooks let you connect to external web services and broadcast changes to your station to them.' => 'Les Webhooks vous permettent de vous connecter des services Web externes et de diffuser les modifications apportes votre station sur ces derniers.',
'Web Site URL' => 'URL du site Web',
'Web updates are not available for your installation. To update your installation, perform the manual update process instead.' => 'Les mises jour via l\'interface Web ne sont pas disponible pour cette installation. Pour effectuer la mise jour, utilisez le processus de mise jour manuelle.',
'WebDJ' => 'WebDJ',
'WebDJ connected!' => 'WebDJ connect !',
'Website' => 'Site Web',
'Wednesday' => 'Mercredi',
'Weight' => 'Poids',
'Welcome to AzuraCast!' => 'Bienvenue sur AzuraCast !',
'Welcome!' => 'Bienvenue!',
'When making API calls, you can pass this value in the "X-API-Key" header to authenticate as yourself.' => 'Lorsque vous faites des appels l\'API, vous pouvez passer cette valeur dans l\'en-tte "X-API-Key" pour vous authentifier.',
'When the song changes and a live streamer/DJ is connected' => 'Lorsque la chanson change et qu\'un streamer/DJ en direct est connect',
'When the station broadcast comes online' => 'Lorsque la diffusion de la station est en ligne',
'When the station broadcast goes offline' => 'Lorsque la diffusion de la station est hors ligne',
'Whether new episodes should be marked as published or held for review as unpublished.' => 'Indique si les nouveaux pisodes doivent tre marqus comme publis ou conservs pour examen comme non publis.',
'Whether the AutoDJ should attempt to avoid duplicate artists and track titles when playing media from this playlist.' => 'Demander l\'AutoDJ d\'viter les doublons d\'artistes et de titres lors de la lecture des mdias de cette playlist.',
'Widget Type' => 'Type de widget',
'With selected:' => 'Avec la slection :',
'Worst Performing Songs' => 'Pires titres',
'Yes' => 'Oui',
'Yesterday' => 'Hier',
'You' => 'Vous',
'You can also upload files in bulk via SFTP.' => 'Vous pouvez galement uploader des fichiers en masse via SFTP.',
'You can find answers for many common questions in our support documents.' => 'Vous pouvez trouver des rponses pour de nombreuses questions courantes dans nos documents d\'assistance.',
'You can include any special mount point settings here, in either JSON { key: \'value\' } format or XML <key>value</key>' => 'Vous pouvez inclure ici tous les paramtres de point de montage spciaux, au format JSON { key: \'value\' } ou XML <key>value</key>',
'You can only perform the actions your user account is allowed to perform.' => 'Vous ne pouvez effectuer que les actions que votre compte utilisateur est autoris effectuer.',
'You may need to connect directly to your IP address:' => 'Vous devrez peut-tre vous connecter directement votre adresse IP :',
'You may need to connect directly via your IP address:' => 'Vous devrez peut-tre vous connecter directement via votre adresse IP :',
'You will not be able to retrieve it again.' => 'Vous ne pourrez plus le rcuprer.',
'Your browser does not support passkeys. Consider updating your browser to the latest version.' => 'Votre navigateur ne supporte pas les cls d\'accs. Envisagez de mettre jour votre navigateur vers la dernire version.',
'Your full API key is below:' => 'Votre cl API complte est ci-dessous :',
'Your installation is currently on this release channel:' => 'Votre installation est actuellement sur le canal de la version:',
'Your installation is up to date! No update is required.' => 'Votre installation est jour ! Aucune mise jour n\'est requise.',
'Your installation needs to be updated. Updating is recommended for performance and security improvements.' => 'Votre installation doit tre mise jour. Les mises jour sont recommandes pour amliorer les performances et la scurit.',
'Your station does not support reloading configuration. Restart broadcasting instead to apply changes.' => 'Votre station ne supporte pas le rechargement de la configuration. Redmarrez la diffusion pour appliquer les modifications.',
'Your station has changes that require a reload to apply.' => 'Votre station ncessite un rafrachissement pour appliquer les modifications.',
'Your station is currently not enabled for broadcasting. You can still manage media, playlists, and other station settings. To re-enable broadcasting, edit your station profile.' => 'Votre station n\'est actuellement pas active pour la diffusion. Vous pouvez toujours grer les mdias, les listes de lecture et les autres paramtres de station. Pour ractiver la diffusion modifiez le profil de votre station.',
'Your station supports reloading configuration.' => 'Votre station supporte le rechargement de la configuration.',
'YouTube' => 'YouTube',
'YP Directory Authorization Hash' => 'Hash d\'autorisation d\'annuaire YP',
'Select...' => 'Slectionner ...',
'Too many forgot password attempts' => 'Trop de tentatives de mot de passe oublies',
'You have attempted to reset your password too many times. Please wait 30 seconds and try again.' => 'Vous avez tent de rinitialiser votre mot de passe trop de fois. Veuillez patienter 30 secondes et ressayer.',
'Account Recovery' => 'Rcupration du compte',
'Account recovery e-mail sent.' => 'Un e-mail de rcupration du compte a t envoy.',
'If the e-mail address you provided is in the system, check your inbox for a password reset message.' => 'Si l\'adresse e-mail que vous avez fournie est dans le systme, vrifiez votre bote de rception si vous avezun message de rinitialisation du mot de passe.',
'Too many login attempts' => 'Trop de tentatives de connexion',
'You have attempted to log in too many times. Please wait 30 seconds and try again.' => 'Tentatives de connexion trop nombreuses. Veuillez essayer de nouveau dans 30 secondes.',
'Logged in successfully.' => 'Connect avec succs.',
'Complete the setup process to get started.' => 'Terminez le processus d\'installation pour commencer.',
'Login unsuccessful' => 'chec de connexion',
'Your credentials could not be verified.' => 'Vos informations d\'identification n\'ont pas pu tre vrifies.',
'User not found.' => 'Utilisateur non trouv.',
'Invalid token specified.' => 'Jeton (token) spcifi invalide.',
'Logged in using account recovery token' => 'Connect en utilisant le jeton de rcupration du compte',
'Your password has been updated.' => 'Votre mot de passe a bien t mis jour.',
'Set Up AzuraCast' => 'Configurer AzuraCast',
'Setup has already been completed!' => 'L\'installation est dj termine!',
'All Stations' => 'Toutes les stations',
'AzuraCast Application Log' => 'Logs de l\'application AzuraCast',
'AzuraCast Now Playing Log' => 'Logs des lectures en cours AzuraCast',
'AzuraCast Synchronized Task Log' => 'Logs des tches synchronises AzuraCast',
'AzuraCast Queue Worker Log' => 'Logs des traitements des files d\'attentes AzuraCast',
'Service Log: %s (%s)' => 'Log de service : %s (%s)',
'Nginx Access Log' => 'Logs daccs Nginx',
'Nginx Error Log' => 'Logs d\'erreurs Nginx',
'PHP Application Log' => 'Log de l\'application PHP',
'Supervisord Log' => 'Log de Supervisord',
'Create a new storage location based on the base directory.' => 'Crer un nouvel emplacement de stockage bas sur le rpertoire de base.',
'You cannot modify yourself.' => 'Vous ne pouvez pas vous modifier vous-mme.',
'You cannot remove yourself.' => 'Vous ne pouvez vous supprimer vous-mme.',
'Test Message' => 'Message de test',
'This is a test message from AzuraCast. If you are receiving this message, it means your e-mail settings are configured correctly.' => 'Ceci est un message de test d\'Azuracast. Si vous recevez ce message, cela signifie que vos paramtres de messagerie sont configurs correctement.',
'Test message sent successfully.' => 'Message de test envoy avec succs.',
'Less than Thirty Seconds' => 'Moins de trente secondes',
'Thirty Seconds to One Minute' => 'Trente secondes une minute',
'One Minute to Five Minutes' => 'Une cinq minutes',
'Five Minutes to Ten Minutes' => 'Cinq dix minutes',
'Ten Minutes to Thirty Minutes' => 'Dix trente minutes',
'Thirty Minutes to One Hour' => 'Trente minutes une heure',
'One Hour to Two Hours' => 'Une deux heures',
'More than Two Hours' => 'Plus de deux heures',
'Mobile Device' => 'Appareil mobile',
'Desktop Browser' => 'Navigateur de bureau',
'Non-Browser' => 'Non-navigateur',
'Connected Seconds' => 'Secondes connectes',
'File Not Processed: %s' => 'Fichier non trait : %s',
'Cover Art' => 'Pochette d\'album',
'File Processing' => 'Traitement des fichiers',
'No directory specified' => 'Aucun dossier spcifi',
'File not specified.' => 'Fichier non spcifi.',
'New path not specified.' => 'Nouveau rpertoire non spcifi.',
'This station is out of available storage space.' => 'Cette station n\'a plus d\'espace de stockage disponible.',
'Web hook enabled.' => 'Web Hook activ.',
'Web hook disabled.' => 'Webhook dsactiv.',
'Station reloaded.' => 'Station recharge.',
'Station restarted.' => 'Redmarrage de la station.',
'Service stopped.' => 'Service arrt.',
'Service started.' => 'Service dmarr.',
'Service reloaded.' => 'Service recharg.',
'Service restarted.' => 'Service redmarr.',
'Song skipped.' => 'Le titre t pass.',
'Streamer disconnected.' => 'Streamer dconnect.',
'Station Nginx Configuration' => 'Configuration de Nginx sur cette station',
'Liquidsoap Log' => 'Log de Liquidsoap',
'Liquidsoap Configuration' => 'Configuration de liquidsoap',
'Icecast Access Log' => 'Logs daccs Icecast',
'Icecast Error Log' => 'Logs d\'erreur icecast',
'Icecast Configuration' => 'Configuration dIcecast',
'Shoutcast Log' => 'Log Shoutcast',
'Shoutcast Configuration' => 'Configuration de Shoutcast',
'Search engine crawlers are not permitted to use this feature.' => 'Les robots des moteurs de recherche ne sont pas autoriss utiliser cette fonctionnalit.',
'You are not permitted to submit requests.' => 'Vous n\'tes pas autoris soumettre des demandes.',
'This track is not requestable.' => 'Cette piste nest pas demandable.',
'This song was already requested and will play soon.' => 'Cette chanson a dj t demande et sera bientt joue.',
'This song or artist has been played too recently. Wait a while before requesting it again.' => 'Cette musique ou cet artiste a t jou trop rcemment. Attendez un peu avant de le redemander.',
'You have submitted a request too recently! Please wait before submitting another one.' => 'Vous avez fait une demande trop rcemment ! Veuillez patienter avant d\'en soumettre un autre.',
'Your request has been submitted and will be played soon.' => 'Votre demande a t soumise et sera bientt joue.',
'This playlist is not song-based.' => 'Cette playlist n\'est pas base sur une chanson.',
'Playlist emptied.' => 'Playlist vide.',
'This playlist is not a sequential playlist.' => 'Cette playlist nest pas une playlist squentielle.',
'Playlist reshuffled.' => 'La playlist a t remlange.',
'Playlist enabled.' => 'Playlist activ.',
'Playlist disabled.' => 'Playlist dsactive.',
'Playlist successfully imported; %d of %d files were successfully matched.' => 'Playlist importe avec succs; %d fichiers sur %d ont t compars avec succs.',
'Playlist applied to folders.' => 'Playlist applique aux dossiers.',
'%d files processed.' => '%d fichiers traits.',
'No recording available.' => 'Aucun enregistrement disponible.',
'Record not found' => 'Enregistrement non trouv',
'The uploaded file exceeds the upload_max_filesize directive in php.ini.' => 'Le fichier envoy dpasse la directive upload_max_filesize dans php.ini.',
'The uploaded file exceeds the MAX_FILE_SIZE directive from the HTML form.' => 'Le fichier envoy dpasse la directive MAX_FILE_SIZE du formulaire HTML.',
'The uploaded file was only partially uploaded.' => 'Le fichier envoy n\'a t que partiellement envoy.',
'No file was uploaded.' => 'Aucun fichier n\'a t tlcharg.',
'No temporary directory is available.' => 'Aucun rpertoire temporaire n\'est disponible.',
'Could not write to filesystem.' => 'Impossible d\'crire dans le systme de fichiers.',
'Upload halted by a PHP extension.' => 'Envoi interrompu par une extension PHP.',
'Unspecified error.' => 'Erreur non spcifie.',
'Changes saved successfully.' => 'Modifications enregistres avec succs.',
'Record created successfully.' => 'Enregistrement cre avec succs.',
'Record updated successfully.' => 'Enregistrement mis jour avec succs.',
'Record deleted successfully.' => 'L\'enregistrement a t supprim avec succs.',
'Playlist: %s' => 'Playlist : %s',
'Streamer: %s' => 'Streamer : %s',
'The account associated with e-mail address "%s" has been set as an administrator' => 'Le compte associ l\'adresse e-mail "%s" a t dfini en tant qu\'administrateur',
'Account not found.' => 'Compte non trouv.',
'Roll Back Database' => 'Reculement de la base de donnes',
'Running database migrations...' => 'xecution de la migration de la base de donnes ...',
'Database migration failed: %s' => 'chec de la migration de la base de donnes : %s',
'Database rolled back to stable release version "%s".' => 'Base de donnes recule la version stable "%s".',
'AzuraCast Settings' => 'Paramtres d\'AzuraCast',
'Setting Key' => 'Cl de rglage',
'Setting Value' => 'Rglage de la valeur',
'Fixtures loaded.' => 'Fixations charges.',
'Backing up initial database state...' => 'Sauvegarde de l\'tat initial de la base de donnes ...',
'We detected a database restore file from a previous (possibly failed) migration.' => 'Nous avons dtect un fichier de restauration de base de donnes partir d\'une migration prcdente (ventuellement choue).',
'Attempting to restore that now...' => 'Tentative de restauration maintenant ...',
'Attempting to roll back to previous database state...' => 'Tentative de restauration l\'tat prcdent de la base de donnes ...',
'Your database was restored due to a failed migration.' => 'Votre base de donnes a t restaure en raison d\'un chec de migration.',
'Please report this bug to our developers.' => 'Veuillez signaler ce bug nos dveloppeurs.',
'Restore failed: %s' => 'chec de la restauration : %s',
'AzuraCast Backup' => 'Sauvegarde d\'AzuraCast',
'Please wait while a backup is generated...' => 'Veuillez patienter pendant qu\'une sauvegarde est gnre...',
'Creating temporary directories...' => 'Cration de rpertoires temporaires...',
'Backing up MariaDB...' => 'Sauvegarde de MariaDB...',
'Creating backup archive...' => 'Cration d\'une archive de sauvegarde...',
'Cleaning up temporary files...' => 'Nettoyage des fichiers temporaires...',
'Backup complete in %.2f seconds.' => 'Sauvegarde complte en %.2f secondes.',
'Backup path %s not found!' => 'Chemin de sauvegarde %s non trouv !',
'Imported locale: %s' => 'Localisation importe : %s',
'Database Migrations' => 'Migration de la base de donnes',
'Database is already up to date!' => 'La base de donnes est dj jour !',
'Database migration completed!' => 'Migration de la base de donnes termine !',
'AzuraCast Initializing...' => 'Initialisation d\'AzuraCast ...',
'AzuraCast Setup' => 'Installation d\'AzuraCast',
'Welcome to AzuraCast. Please wait while some key dependencies of AzuraCast are set up...' => 'Bienvenue sur AzuraCast. Veuillez patienter pendant que quelques dpendances cls d\'AzuraCast sont mises en place...',
'Running Database Migrations' => 'Excution des migrations de bases de donnes',
'Generating Database Proxy Classes' => 'Gnration des classes proxy de base de donnes',
'Reload System Data' => 'Recharger les donnes du systme',
'Installing Data Fixtures' => 'Installation des fixations de donnes',
'Refreshing All Stations' => 'Actualisation de toutes les stations',
'AzuraCast is now updated to the latest version!' => 'AzuraCast est maintenant mis jour vers la dernire version !',
'AzuraCast installation complete!' => 'L\'installation d\'AzuraCast est termine !',
'Visit %s to complete setup.' => 'Visitez %s pour complter l\'installation.',
'%s is not recognized as a service.' => '%s n\'est pas reconnu comme un service.',
'It may not be registered with Supervisor yet. Restarting broadcasting may help.' => 'Il se peut qu\'il ne soit pas encore enregistr auprs du superviseur. Le redmarrage de la diffusion peut aider.',
'%s cannot start' => '%s ne peut pas dmarrer',
'It is already running.' => 'Il est dj en cours d\'excution.',
'%s cannot stop' => '%s ne peut s\'arrter',
'It is not running.' => 'Il ne fonctionne pas.',
'%s encountered an error: %s' => '%s a rencontr une erreur : %s',
'Check the log for details.' => 'Consultez le fichier log pour plus de dtails.',
'You do not have permission to access this portion of the site.' => 'Vous ntes pas autoris accder cette partie du site.',
'Cannot submit request: %s' => 'Impossible d\'envoyer la demande : %s',
'You must be logged in to access this page.' => 'Vous devez tre connect pour accder cette page.',
'Record not found.' => 'Enregistrement non trouv.',
'File not found.' => 'Fichier non trouv.',
'Station not found.' => 'Station non trouve.',
'Podcast not found.' => 'Podcast non trouv.',
'This station does not currently support this functionality.' => 'Cette station ne prend actuellement pas en charge cette fonctionnalit.',
'This station does not currently support on-demand media.' => 'Cette station ne supporte pas actuellement les mdias la demande.',
'This station does not currently accept requests.' => 'Cette station naccepte actuellement pas les demandes.',
'This value is already used.' => 'Cette valeur est dj utilise.',
'Storage location %s could not be validated: %s' => 'L\'emplacement de stockage %s n\'a pas pu tre valid : %s',
'Storage location %s already exists.' => 'L\'emplacement de stockage %s existe dj.',
'All Permissions' => 'Toutes les permissions',
'View Station Page' => 'Voir la page de la station',
'View Station Reports' => 'Voir les rapports de la station',
'View Station Logs' => 'Voir les journaux de la station',
'Manage Station Profile' => 'Grer les profils des stations',
'Manage Station Broadcasting' => 'Grer la diffusion de la station',
'Manage Station Streamers' => 'Grer les Streamers de station',
'Manage Station Mount Points' => 'Grer les points de montage des stations',
'Manage Station Remote Relays' => 'Grer les relais distance de la station',
'Manage Station Media' => 'Grer les fichiers musicaux de la station',
'Manage Station Automation' => 'Grer l\'automatisation de la station',
'Manage Station Web Hooks' => 'Grer les Web Hooks de la station',
'Manage Station Podcasts' => 'Grer les fichiers podcasts de la station',
'View Administration Page' => 'Voir la page d\'administration',
'View System Logs' => 'Voir les journaux systme',
'Administer Settings' => 'Paramtres d\'administration',
'Administer API Keys' => 'Administrer les cls API',
'Administer Stations' => 'Administrer les stations',
'Administer Custom Fields' => 'Administrer les champs personnaliss',
'Administer Backups' => 'Administrer les sauvegardes',
'Administer Storage Locations' => 'Administrer les emplacements de stockage',
'Runs routine synchronized tasks' => 'Excute des tches synchronises de routine',
'Database' => 'Base de donnes',
'Web server' => 'Serveur Web',
'PHP FastCGI Process Manager' => 'Gestionnaire de processus PHP FastCGI',
'Now Playing manager service' => 'Service de gestion de la lecture en cours',
'PHP queue processing worker' => 'Traitement du processus de la file d\'attente PHP',
'Cache' => 'Cache',
'SFTP service' => 'Service SFTP',
'Live Now Playing updates' => 'Mises jour en direct de la lecture en cours',
'Frontend Assets' => 'Assets Frontend',
'This product includes GeoLite2 data created by MaxMind, available from %s.' => 'Ce produit inclut les donnes GeoLite2 cres par MaxMind, disponibles auprs de %s.',
'IP Geolocation by DB-IP' => 'Golocalisation d\'IP par DB-IP',
'GeoLite database not configured for this installation. See System Administration for instructions.' => 'La base de donnes GeoLite n\'est pas configure pour cette installation. Voir la page Administration du systme pour les instructions.',
'Installation Not Recently Backed Up' => 'Installation non sauvegarde rcemment',
'This installation has not been backed up in the last two weeks.' => 'Cette installation n\'a pas t sauvegarde au cours des deux dernires semaines.',
'Service Not Running: %s' => 'Service non dmarr : %s',
'One of the essential services on this installation is not currently running. Visit the system administration and check the system logs to find the cause of this issue.' => 'L\'un des services essentiels de cette installation n\'est pas en cours d\'excution. Visitez l\'administration systme et vrifiez les journaux systme pour trouver la cause de ce problme.',
'New AzuraCast Stable Release Available' => 'Nouvelle version stable d\'Azuracast disponible',
'Version %s is now available. You are currently running version %s. Updating is recommended.' => 'La version %s est maintenant disponible. Vous utilisez actuellement la version %s. La mise jour est recommande.',
'New AzuraCast Rolling Release Available' => 'Nouvelle version de roulement d\'Azuracast disponible',
'Your installation is currently %d update(s) behind the latest version. Updating is recommended.' => 'Votre installation est actuellement %d mise(s) jour depuis la dernire version. La mise jour est recommande.',
'Switch to Stable Channel Available' => 'Passer au canal stable disponible',
'Your Rolling Release installation is currently older than the latest Stable release. This means you can switch releases to the "Stable" release channel if desired.' => 'Votre installation de version de roulement est actuellement plus ancienne que la dernire version stable. Cela signifie que vous pouvez basculer les versions sur le canal "stable" si vous le souhaitez.',
'Synchronization Disabled' => 'Synchronisation dsactive',
'Routine synchronization is currently disabled. Make sure to re-enable it to resume routine maintenance tasks.' => 'La synchronisation de routine est actuellement dsactive. Assurez-vous de la ractiver pour reprendre les tches de maintenance.',
'Synchronization Not Recently Run' => 'La synchronisation n\'a pas t lance rcemment',
'The routine synchronization task has not run recently. This may indicate an error with your installation.' => 'La tche de synchronisation de routine n\'a pas excut rcemment. Cela peut indiquer une erreur lors de votre installation.',
'The performance profiling extension is currently enabled on this installation.' => 'L\'extension de profilage des performances est actuellement active sur cette installation.',
'You can track the execution time and memory usage of any AzuraCast page or application from the profiler page.' => 'Vous pouvez suivre le temps d\'excution et l\'utilisation de la mmoire de n\'importe quelle page AzuraCast ou application partir de la page du profileur.',
'Profiler Control Panel' => 'Panneau de contrle du profileur',
'Performance profiling is currently enabled for all requests.' => 'Le profilage de performance est actuellement activ pour toutes les demandes.',
'This can have an adverse impact on system performance. You should disable this when possible.' => 'Cela peut avoir un impact ngatif sur les performances du systme. Vous devriez dsactiver cette option lorsque possible.',
'You may want to update your base URL to ensure it is correct.' => 'Vous pouvez mettre jour l\'URL de base afin de vrifier qu\'elle soit correcte.',
'If you regularly use different URLs to access AzuraCast, you should enable the "Prefer Browser URL" setting.' => 'Si vous utilisez rgulirement diffrentes URL pour accder AzuraCast, vous devriez activer l\'option "URL du navigateur prfr".',
'Your "Base URL" setting (%s) does not match the URL you are currently using (%s).' => 'L\'URL de base (%s) slectionne dans les paramtres ne correspond pas l\'URL que vous utilisez actuellement (%s).',
'AzuraCast is free and open-source software.' => 'AzuraCast est un logiciel gratuit et open-source.',
'If you are enjoying AzuraCast, please consider donating to support our work. We depend on donations to build new features, fix bugs, and keep AzuraCast modern, accessible and free.' => 'Si vous apprciez AzuraCast, pensez faire un don pour soutenir notre travail. Nous dpendons des dons pour construire de nouvelles fonctionnalits, corriger des bugs et rendre AzuraCast moderne, accessible et gratuit.',
'Donate to AzuraCast' => 'Faire un don AzuraCast',
'AzuraCast Installer' => 'Installateur d\'AzuraCast',
'Welcome to AzuraCast! Complete the initial server setup by answering a few questions.' => 'Bienvenue sur AzuraCast ! Compltez la configuration initiale du serveur en rpondant quelques questions.',
'AzuraCast Updater' => 'Mise jour d\'AzuraCast',
'Change installation settings?' => 'Modifier les paramtres d\'installation ?',
'AzuraCast is currently configured to listen on the following ports:' => 'AzuraCast est actuellement configur pour couter sur les ports suivants :',
'HTTP Port: %d' => 'Port HTTP : %d',
'HTTPS Port: %d' => 'Port HTTPS : %d',
'SFTP Port: %d' => 'Port SFTP : %d',
'Radio Ports: %s' => 'Ports radio : %s',
'Customize ports used for AzuraCast?' => 'Personnaliser les ports utiliss pour AzuraCast ?',
'Writing configuration files...' => 'criture des fichiers de configuration ...',
'Server configuration complete!' => 'Configuration du serveur termine !',
'This file was automatically generated by AzuraCast.' => 'Ce fichier a t gnr automatiquement par AzuraCast.',
'You can modify it as necessary. To apply changes, restart the Docker containers.' => 'Vous pouvez le modifier si ncessaire. Pour appliquer les modifications, redmarrez les conteneurs Docker.',
'Remove the leading "#" symbol from lines to uncomment them.' => 'Supprimez le symbole "#" des lignes pour les dcommenter.',
'Valid options: %s' => 'Options valides : %s',
'Default: %s' => 'Par dfaut : %s',
'Additional Environment Variables' => 'Variables d\'environnement supplmentaires',
'(Docker Compose) All Docker containers are prefixed by this name. Do not change this after installation.' => '(Docker Compose) Tous les conteneurs Docker ont ce nom comme prfixe. Ne pas changer aprs l\'installation.',
'(Docker Compose) The amount of time to wait before a Docker Compose operation fails. Increase this on lower performance computers.' => '(Docker Compose) Le dlai d\'attente avant une opration Docker Compose a t dpass. Augmentez cette valeur sur les ordinateurs moins performants.',
'HTTP Port' => 'Port HTTP',
'The main port AzuraCast listens to for insecure HTTP connections.' => 'Le port principal qu\'AzuraCast coute pour les connexions HTTP non scurises.',
'HTTPS Port' => 'Port HTTPS',
'The main port AzuraCast listens to for secure HTTPS connections.' => 'Le port principal qu\'AzuraCast coute pour des connexions HTTPS scurises.',
'The port AzuraCast listens to for SFTP file management connections.' => 'Le port d\'coute d\'AzuraCast pour les connexions de gestion de fichiers SFTP.',
'Station Ports' => 'Ports de la station',
'The ports AzuraCast should listen to for station broadcasts and incoming DJ connections.' => 'Les ports qu\'AzuraCast devra couter pour les diffusions des stations et les connexions DJ entrantes.',
'Docker User UID' => 'UID de l\'utilisateur Docker',
'Set the UID of the user running inside the Docker containers. Matching this with your host UID can fix permission issues.' => 'Dfinissez l\'UID de l\'utilisateur qui s\'excute dans les conteneurs Docker. Associer ceci votre UID hte peut rsoudre les problmes d\'autorisation.',
'Docker User GID' => 'GID de l\'utilisateur Docker',
'Set the GID of the user running inside the Docker containers. Matching this with your host GID can fix permission issues.' => 'Dfinissez le GID de l\'utilisateur qui s\'excute dans les conteneurs Docker. Faire correspondre avec votre GID hte peut rsoudre les problmes d\'autorisation.',
'Use Podman instead of Docker.' => 'Utiliser Podman au lieu de Docker.',
'Advanced: Use Privileged Docker Settings' => 'Avanc : Utiliser les Paramtres Privilges de Docker',
'The locale to use for CLI commands.' => 'Le lieu utiliser pour les commandes CLI.',
'The application environment.' => 'L\'environnement de l\'application.',
'Manually modify the logging level.' => 'Modifiez manuellement le niveau de journalisation.',
'This allows you to log debug-level errors temporarily (for problem-solving) or reduce the volume of logs that are produced by your installation, without needing to modify whether your installation is a production or development instance.' => 'Cela vous permet de journaliser temporairement les erreurs de niveau de debug (pour la rsolution de problmes) ou de rduire le volume de logs produits par votre installation, sans avoir modifier si votre installation est une instance de production ou de dveloppement.',
'Enable Custom Code Plugins' => 'Activer les codes personnaliss pour les extensions',
'Enable the composer "merge" functionality to combine the main application\'s composer.json file with any plugin composer files. This can have performance implications, so you should only use it if you use one or more plugins with their own Composer dependencies.' => 'Activez la fonctionnalit "fusion" de composer pour combiner le fichier composer.json de l\'application principale avec tous les fichiers de de plugin de composer. Cela peut avoir des impacts sur les performances, vous ne devriez donc l\'utiliser que si vous utilisez un ou plusieurs plugins avec leurs propres dpendances de Composer.',
'Minimum Port for Station Port Assignment' => 'Port minimum pour l\'affectation des ports de la station',
'Modify this if your stations are listening on nonstandard ports.' => 'Modifiez ceci si vos stations coutent sur des ports non standard.',
'Maximum Port for Station Port Assignment' => 'Port maximum pour l\'affectation des ports de la station',
'Show Detailed Slim Application Errors' => 'Afficher les erreurs dtailles de l\'application Slim',
'This allows you to debug Slim Application Errors you may encounter. Please report any Slim Application Error logs to the development team on GitHub.' => 'Cela vous permet de dboguer les erreurs de l\'application Slim que vous pourriez rencontrer. Veuillez signaler chaque log d\'erreur de l\'application Slim notre quipe de dveloppement sur GitHub.',
'MariaDB Host' => 'Hte MariaDB',
'Do not modify this after installation.' => 'Ne modifiez pas ceci aprs l\'installation.',
'MariaDB Port' => 'Port MariaDB',
'MariaDB Username' => 'Nom d\'utilisateur MariaDB',
'MariaDB Password' => 'Mot de passe MariaDB',
'MariaDB Database Name' => 'Nom de la base de donnes MariaDB',
'Auto-generate Random MariaDB Root Password' => 'Gnrer alatoirement le mot de passe root MariaDB',
'MariaDB Root Password' => 'Mot de passe root MariaDB',
'Enable MariaDB Slow Query Log' => 'Activer le log des requtes lentes MariaDB',
'Log slower queries to diagnose possible database issues. Only turn this on if needed.' => 'Enregistrer les requtes plus lentes pour diagnostiquer les ventuels problmes de base de donnes. Activez-le uniquement si ncessaire.',
'MariaDB Maximum Connections' => 'Connexions maximales MariaDB',
'Set the amount of allowed connections to the database. This value should be increased if you are seeing the "Too many connections" error in the logs.' => 'Dfinissez le nombre de connexions autorises la base de donnes. Cette valeur devrait tre augmente si vous voyez l\'erreur "Trop de connexions" dans les logs.',
'MariaDB InnoDB Buffer Pool Size' => 'Taille du Pool de la mmoire MariaDB InnoDB',
'The InnoDB buffer pool size controls how much data & indexes are kept in memory. Making sure that this value is as large as possible reduces the amount of disk IO.' => 'La taille tampon du pool InnoDB contrle la quantit de donnes et les index conservs en mmoire. S\'assurer que cette valeur est aussi grande que possible et rduit la quantit ES du disque.',
'MariaDB InnoDB Log File Size' => 'Taille du fichier de Log MariaDB InnoDB',
'The InnoDB log file is used to achieve data durability in case of crashes or unexpected shutoffs and to allow the DB to better optimize IO for write operations.' => 'Le fichier de log InnoDB est utilis pour atteindre la durabilit des donnes en cas de plantages ou de fermetures inattendues et pour permettre la BDD de mieux optimiser les ES pour les oprations d\'criture.',
'Enable Redis' => 'Activer Redis',
'Disable to use a flatfile cache instead of Redis.' => 'Dsactiver l\'utilisation d\'un cache flatfile au lieu de Redis.',
'Redis Host' => 'Hte Redis',
'Redis Port' => 'Port Redis',
'PHP Maximum POST File Size' => 'Taille maximale des fichiers POST en PHP',
'PHP Memory Limit' => 'Limite de mmoire PHP',
'PHP Script Maximum Execution Time (Seconds)' => 'Temps d\'excution maximum pour un script PHP (Secondes)',
'Short Sync Task Execution Time (Seconds)' => 'Temps d\'excution court pour les tches de synchronisation (Secondes)',
'The maximum execution time (and lock timeout) for the 15-second, 1-minute and 5-minute synchronization tasks.' => 'Le temps maximum d\'excution (et le dlai de verrouillage) pour les tches de synchronisation de 15 secondes, 1 minute et 5 minutes.',
'Long Sync Task Execution Time (Seconds)' => 'Temps d\'excution longue pour les tches de synchronisation (Secondes)',
'The maximum execution time (and lock timeout) for the 1-hour synchronization task.' => 'Le temps d\'excution maximum (et le dlai de dverrouillement) pour la tche de synchronisation d\'une heure.',
'Now Playing Delay Time (Seconds)' => 'Temps de dlai pour la lecture en cours (Secondes)',
'The delay between Now Playing checks for every station. Decrease for more frequent checks at the expense of performance; increase for less frequent checks but better performance (for large installations).' => 'Le dlai de vrification entre chaque station pour la lecture en cours. Diminuer-le pour des contrles plus frquents au dtriment de la performance; augmenter-le pour des contrles moins frquents mais pour de meilleures performances (notamment pour les grandes installations).',
'Now Playing Max Concurrent Processes' => 'Processus simultans max pour la lecture en cours',
'The maximum number of concurrent processes for now playing updates. Increasing this can help reduce the latency between updates now playing updates on large installations.' => 'Le nombre maximum de processus simultans pour les mises jour des lectures en cours. L\'augmentation de ceci peut aider rduire la latence entre les mises jour des lectures en cours sur les grandes installations.',
'Maximum PHP-FPM Worker Processes' => 'Maximum de processus de travail PHP-FPM',
'Enable Performance Profiling Extension' => 'Activer l\'extension de profilage des performances',
'Profiling data can be viewed by visiting %s.' => 'Les donnes de profilage peuvent tre visualises en visitant %s.',
'Profile Performance on All Requests' => 'Performance de profil sur toutes les demandes',
'This will have a significant performance impact on your installation.' => 'Cela aura un impact significatif sur les performances de votre installation.',
'Profiling Extension HTTP Key' => 'Cl d\'extension de profilage HTTP',
'The value for the "SPX_KEY" parameter for viewing profiling pages.' => 'La valeur du paramtre "SPX_KEY" pour la visualisation des pages de profilage.',
'Profiling Extension IP Allow List' => 'Liste d\'extension de profilage pour les autorisations IP',
'Nginx Max Client Body Size' => 'Taille maximale du body du client Nginx',
'This is the total size any single request body can be. AzuraCast chunks its uploads into smaller file sizes, so this only applies when doing custom uploads via the API. Sizes should be listed in a format like "100K", "128M", "1G" for kilobytes, megabytes, and gigabytes respectively.' => 'Il s\'agit de la taille totale que toute demande du corps peut l\'tre. Azuracast fait des envois dans des tailles de fichiers plus petites, donc cela ne s\'applique que lorsque vous effectuez des envois personnaliss via l\'API. Les tailles doivent tre rpertories dans un format comme "100K", "128M", "1G" pour les kilooctets, les mgaoctets et les gigaoctets respectivement.',
'Enable web-based Docker image updates' => 'Activer les mises jour de l\'image Docker base sur le Web',
'Extra Ubuntu packages to install upon startup' => 'Paquets Ubuntu supplmentaires installer au dmarrage',
'Separate package names with a space. Packages will be installed during container startup.' => 'Sparez les noms de paquets avec un espace. Les paquets seront installs pendant le dmarrage du conteneur.',
'Album Artist' => 'Artiste de l\'album',
'Album Artist Sort Order' => 'Ordre de tri par album d\'artiste',
'Album Sort Order' => 'Ordre de tri par album',
'Band' => 'Groupe',
'BPM' => 'BPM',
'Comment' => 'Commentaire',
'Commercial Information' => 'Informations commerciales',
'Composer' => 'Compositeur',
'Composer Sort Order' => 'Ordre de tri par compositeur',
'Conductor' => 'Conducteur',
'Content Group Description' => 'Description du groupe de contenu',
'Encoded By' => 'Encod par',
'Encoder Settings' => 'Rglages de l\'encodeur',
'Encoding Time' => 'Dure d\'encodage',
'File Owner' => 'Propritaire du fichier',
'File Type' => 'Type de fichier',
'Initial Key' => 'Cl initiale',
'Internet Radio Station Name' => 'Nom de la webradio',
'Internet Radio Station Owner' => 'Propritaire de la webradio',
'Involved People List' => 'Liste des personnes impliques',
'Linked Information' => 'Informations lies',
'Lyricist' => 'Paroles',
'Media Type' => 'Type de mdia',
'Mood' => 'Humeur',
'Music CD Identifier' => 'Identificateur du CD de musique',
'Musician Credits List' => 'Liste des crdits des musiciens',
'Original Album' => 'Album original',
'Original Artist' => 'Artiste original',
'Original Filename' => 'Nom du fichier d\'origine',
'Original Lyricist' => 'Paroles originales',
'Original Release Time' => 'Date de sortie originale',
'Original Year' => 'Anne d\'origine',
'Part of a Compilation' => 'Partie d\'une compilation',
'Part of a Set' => 'Partie d\'un ensemble',
'Performer Sort Order' => 'Ordre de tri par interprte',
'Playlist Delay' => 'Dlai de la playlist',
'Produced Notice' => 'Remarque sur le produit',
'Publisher' => 'diteur',
'Recording Time' => 'Dure d\'enregistrement',
'Release Time' => 'Date de sortie',
'Remixer' => 'Remixeur',
'Set Subtitle' => 'Dfinir les sous-titres',
'Subtitle' => 'Sous-titre',
'Tagging Time' => 'Dure du marquage',
'Terms of Use' => 'Conditions d\'utilisation',
'Title Sort Order' => 'Ordre de tri par titre',
'Track Number' => 'Numro de la piste',
'Unsynchronised Lyrics' => 'Paroles non synchronises',
'URL Artist' => 'URL de l\'artiste',
'URL File' => 'URL du fichier',
'URL Payment' => 'URL d\'achat',
'URL Publisher' => 'URL de l\'diteur',
'URL Source' => 'URL de la source',
'URL Station' => 'URL de la station',
'URL User' => 'URL de l\'utilisateur',
'Year' => 'Anne',
'An account recovery link has been requested for your account on "%s".' => 'Un lien de rcupration de compte a t demand pour votre compte sur "%s".',
'Click the link below to log in to your account.' => 'Cliquez sur le lien ci-dessous pour vous connecter votre compte.',
'Footer' => 'Pied de page',
'Powered by %s' => 'Propuls par %s',
'Forgot Password' => 'Mot de passe oubli',
'Sign in' => 'Se connecter',
'Send Recovery E-mail' => 'Envoyer un e-mail de rcupration',
'Enter Two-Factor Code' => 'Entrer le code deux facteurs',
'Your account uses a two-factor security code. Enter the code your device is currently showing below.' => 'Votre compte utilise un code de scurit deux facteurs. Entrez le code que votre appareil affiche actuellement ci-dessous.',
'Security Code' => 'Code de scurit',
'This installation\'s administrator has not configured this functionality.' => 'L\'administrateur de cette installation n\'a pas configur cette fonctionnalit.',
'Contact an administrator to reset your password following the instructions in our documentation:' => 'Contactez un administrateur pour rinitialiser votre mot de passe en suivant les instructions de notre documentation:',
'Password Reset Instructions' => 'Instructions de rinitialisation du mot de passe',
),
),
);
``` | /content/code_sandbox/translations/fr_FR.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 44,729 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);',
'messages' =>
array (
'' =>
array (
'# Episodes' => '# Odcinkw',
'# Songs' => '# Utworw',
'%{ dj } is now live on %{ station }! Tune in now: %{ url }' => '%{ dj } nadaje teraz na ywo w %{ station }! Suchaj teraz: %{ url }',
'%{ hours } hours' => '{hours} godziny',
'%{ minutes } minutes' => '%{ minutes } minut',
'%{ seconds } seconds' => '%{ seconds } sekund',
'%{ station } is back online! Tune in now: %{ url }' => '%{ station } jest z powrotem online! Suchaj teraz: %{ url }',
'%{ station } is going offline for now.' => '%{ station } jest teraz w trybie offline.',
'%{filesCount} File' =>
array (
0 => '%{filesCount} Plik',
1 => '%{filesCount} Plikw',
2 => '%{filesCount} Plikw',
3 => '%{filesCount} Plikw',
),
'%{listeners} Listener' =>
array (
0 => '%{listeners} suchacz',
1 => '%{listeners} suchaczy',
2 => '%{listeners} suchaczy',
3 => '%{listeners} suchaczy',
),
'%{messages} queued messages' => '%{messages} wiadomoci w kolejce',
'%{name} - Copy' => '%{name} - Kopia',
'%{numPlaylists} playlist' =>
array (
0 => '%{numPlaylists} playlista',
1 => '%{numPlaylists} playlist',
2 => '%{numPlaylists} playlist',
3 => '%{numPlaylists} playlisty',
),
'%{numSongs} uploaded song' =>
array (
0 => '%{numSongs} przesany utwr',
1 => '%{numSongs} przesane utwory',
2 => '%{numSongs} przesanych utworw',
3 => '%{numSongs} przesanych utworw',
),
'%{spaceUsed} of %{spaceTotal} Used' => 'Uyto %{spaceUsed} z %{spaceTotal}',
'%{spaceUsed} Used' => 'Uyto %{spaceUsed}',
'%{station} - Copy' => '%{station} - Kopia',
'12 Hour' => '12 godzin',
'24 Hour' => '24 godziny',
'A completely random track is picked for playback every time the queue is populated.' => 'Cakowicie losowy utwr jest wybierany do odtworzenia za kadym razem, gdy kolejka jest wypeniona.',
'A name for this stream that will be used internally in code. Should only contain letters, numbers, and underscores (i.e. "stream_lofi").' => 'Nazwa dla tego streamu, ktra bdzie uywana wewntrznie w kodzie. Powinno zawiera tylko litery, cyfry i podkrelenia, bez polskich znakw diaktrycznych (np. "stream_lofi").',
'A passkey has been selected. Submit this form to add it to your account.' => 'Wybrano klucz prywatny. Wylij ten formularz, aby doda go do swojego konta.',
'A playlist containing media files hosted on this server.' => 'Lista odtwarzania zawiera pliki multimedialne hostowane na tym serwerze.',
'A playlist that instructs the station to play from a remote URL.' => 'Playlista, ktra nakazuje stacji odtwarza z zewntrznego URL\'a.',
'A unique identifier (i.e. "G-A1B2C3D4") for this measurement stream.' => 'Niepowtarzalny identyfikator (np. G-A1B2C3D4) dla tego strumienia pomiarw.',
'About AzuraRelay' => 'Informacje o AzuraRelay',
'About Master_me' => 'Informacje o Master_me',
'About Release Channels' => 'O kanaach wydawniczych',
'Access Code' => 'Kod dostpu',
'Access Key ID' => 'Identyfikator klucza dostpu',
'Access Token' => 'Token dostpu',
'Account Details' => 'Szczegy konta',
'Account is Active' => 'Konto jest aktywne',
'Account List' => 'Lista Kont',
'Actions' => 'Opcje',
'Adapter' => 'Adapter',
'Add API Key' => 'Dodaj klucz API',
'Add Custom Field' => 'Dodaj pole niestandardowe',
'Add Episode' => 'Dodaj odcinek',
'Add Files to Playlist' => 'Dodaj pliki do listy odtwarzania',
'Add HLS Stream' => 'Dodaj strumie HLS',
'Add Mount Point' => 'Dodaj punkt montowania',
'Add New GitHub Issue' => 'Dodaj Nowe Zgoszenie Problemu na GitHubie',
'Add New Passkey' => 'Dodaj nowy klucz prywatny',
'Add Playlist' => 'Dodaj playlist',
'Add Podcast' => 'Dodaj Podcast',
'Add Remote Relay' => 'Dodaj zdalny relay',
'Add Role' => 'Dodaj Rol',
'Add Schedule Item' => 'Dodaj element harmonogramu',
'Add SFTP User' => 'Dodaj Uytkownika SFTP',
'Add Station' => 'Dodaj stacj',
'Add Storage Location' => 'Dodaj lokalizacj przechowywania',
'Add Streamer' => 'Dodaj Streamera',
'Add User' => 'Dodaj uytkownika',
'Add Web Hook' => 'Dodaj webhook',
'Administration' => 'Administracja',
'Advanced' => 'Zaawansowane',
'Advanced Configuration' => 'Konfiguracja zaawansowana',
'Advanced Manual AutoDJ Scheduling Options' => 'Zaawansowane rczne opcje planowania AutoDJ',
'Aggregate listener statistics are used to show station reports across the system. IP-based listener statistics are used to view live listener tracking and may be required for royalty reports.' => 'Zbiorcze statystyki suchalnoci s wykorzystywane do wywietlania raportw o stacjach na przestrzeni caego systemu. Statystyki suchalnoci w oparciu o IP s wykorzystywane do ledzenia aktualnie suchajcych i mog by wymagane w raportach dotyczcych tantiem.',
'Album' => 'Album',
'Album Art' => 'Okadka albumu',
'Alert' => 'Alert',
'All Days' => 'Wszystkie dni',
'All listed domain names should point to this AzuraCast installation. Separate multiple domain names with commas.' => 'Wszystkie wymienione nazwy domen powinny wskazywa na t instalacj AzuraCast. Jesli uywasz kilku nazw domen, oddziel je przecinkami.',
'All Playlists' => 'Wszystkie playlisty',
'All Podcasts' => 'Wszystkie podcasty',
'All Types' => 'Wszystkie typy',
'All values in the NowPlaying API response are available for use. Any empty fields are ignored.' => 'Wszystkie wartoci w odpowiedzi API NowPlaying s dostpne do uycia. Wszelkie puste pola s ignorowane.',
'Allow Requests from This Playlist' => 'Zezwalaj na dania z tej playlisty',
'Allow Song Requests' => 'Zezwalaj na proby o piosenki',
'Allow Streamers / DJs' => 'Pozwl nadawa streamerom / DJ-om',
'Allowed IP Addresses' => 'Dozwolone adresy IP',
'Always Use HTTPS' => 'Zawsze wykorzystuj HTTPS',
'Always Write Playlists to Liquidsoap' => 'Zawsze zapisuj playlisty do Liquidsoap',
'Amplify: Amplification (dB)' => 'Wzmocnij gono: Wzmocnienie (dB)',
'An error occurred and your request could not be completed.' => 'Wystpi bd i Twoje danie nie mogo zosta ukoczone.',
'An error occurred while loading the station profile:' => 'Wystpi bd podczas adowania profilu stacji:',
'An error occurred with the WebDJ socket.' => 'Wystpi bd zwizany z gniazdem WebDJ.',
'Analytics' => 'Analityka',
'Analyze and reprocess the selected media' => 'Analizuj i przetwarzaj wybrane media',
'Any of the following file types are accepted:' => 'Akceptowany jest kady z nastpujcych typw plikw:',
'Any time a live streamer/DJ connects to the stream' => 'Za kadym razem, gdy nadajcy/DJ czy si ze streamem',
'Any time a live streamer/DJ disconnects from the stream' => 'Za kadym razem, gdy nadajcy/DJ rozcza si ze streamem',
'Any time the currently playing song changes' => 'Za kadym razem, gdy zmienia si aktualnie odtwarzany utwr',
'Any time the listener count decreases' => 'Za kadym razem, gdy zmniejsza si licznik suchaczy',
'Any time the listener count increases' => 'Za kadym razem, gdy zwiksza si licznik suchaczy',
'API "Access-Control-Allow-Origin" Header' => 'Nagwek API "Access-Control-Allow-Origin"',
'API Documentation' => 'Dokumentacja API',
'API Key Description/Comments' => 'Opis lub komentarze klucza API',
'API Keys' => 'Klucze API',
'API Token' => 'Token API',
'API Version' => 'Wersja API',
'App Key' => 'Klucz aplikacji',
'App Secret' => 'Sekret aplikacji (App Secret)',
'Apple Podcasts' => 'Podcasty Apple',
'Apply audio processors (like compressors, limiters, or equalizers) to your stream to create a more uniform sound or enhance the listening experience. Processing requires extra CPU resources, so it may slow down your server.' => 'Zastosuj procesory audio (takie jak kompresory, ograniczniki lub korektory) do strumienia, aby stworzy bardziej jednolity dwik lub poprawi wraenia z odsuchu. Przetwarzanie wymaga dodatkowych zasobw CPU, wic moe spowolni serwer.',
'Apply for an API key at Last.fm' => 'Wylij wniosek o klucz API w Last.fm',
'Apply Playlist to Folders' => 'Zastosuj playlist do folderw',
'Apply Post-processing to Live Streams' => 'Zastosuj postprodukcj dwiku w strumieniach na ywo',
'Apply to Folders' => 'Zastosuj do folderw',
'Are you sure?' => 'Jeste pewien?',
'Art' => 'Okadka',
'Artist' => 'Wykonawca',
'Artwork' => 'Okadka',
'Artwork must be a minimum size of 1400 x 1400 pixels and a maximum size of 3000 x 3000 pixels for Apple Podcasts.' => 'Okadka musi mie minimalny rozmiar 1400 x 1400 pikseli i maksymalny rozmiar 3000 x 3000 pikseli dla Apple Podcasts.',
'Attempt to Automatically Retrieve ISRC When Missing' => 'Prbuj Automatycznie Pobra ISRC w Razie Braku',
'Audio Bitrate (kbps)' => 'Bitrate audio (kbps)',
'Audio Format' => 'Format audio',
'Audio Post-processing Method' => 'Metoda postprodukcji dwiku',
'Audio Processing' => 'Przetwarzanie dwiku',
'Audio transcoding applications like Liquidsoap use a consistent amount of CPU over time, which gradually drains this available credit. If you regularly see stolen CPU time, you should consider migrating to a VM that has CPU resources dedicated to your instance.' => 'Aplikacje do transkodowania dwiku, takie jak Liquidsoap, uywaj staej iloci CPU w czasie, co stopniowo wyczerpuje dostpn moc procesora. Jeli regularnie obserwujesz skradziony czas CPU, powiniene rozway migracj do VM z zasobami CPU dedykowanymi dla twojej instancji.',
'Audit Log' => 'Dziennik audytu',
'Author' => 'Autor',
'Auto-Assign Value' => 'Automatyczne przypisywanie wartoci',
'AutoCue analyzes your music and automatically calculates cue points, fade points, and volume levels for a consistent listening experience.' => 'AutoCue analizuje muzyk i automatycznie oblicza punkty orientacyjne (cue points), punkty zanikania (fade points) i poziomy gonoci dla spjnego dowiadczenia suchania.',
'AutoDJ' => 'AutoDJ',
'AutoDJ Bitrate (kbps)' => 'Bitrate AutoDJ (kbps)',
'AutoDJ Disabled' => 'AutoDJ wyczony',
'AutoDJ Format' => 'Format AutoDJ\'a',
'AutoDJ has been disabled for this station. No music will automatically be played when a source is not live.' => 'AutoDJ zosta wyczony dla tej stacji. adna muzyka nie bdzie odtwarzana automatycznie, gdy rdo nie bdzie aktywne.',
'AutoDJ Queue' => 'Kolejka AutoDJa',
'AutoDJ Queue Length' => 'Dugo kolejki AutoDJ',
'AutoDJ Service' => 'Usuga autopilota',
'Automatic Backups' => 'Automatyczne kopie zapasowe',
'Automatically create new podcast episodes when media is added to a specified playlist.' => 'Automatycznie twrz nowe odcinki podcastw, gdy media zostan dodane do okrelonej listy odtwarzania.',
'Automatically Publish New Episodes' => 'Automatycznie publikuj nowe odcinki',
'Automatically publish to a Mastodon instance.' => 'Automatycznie opublikuj do instancji Mastodona.',
'Automatically Scroll to Bottom' => 'Automatycznie przewi na d',
'Automatically send a customized message to your Discord server.' => 'Automatycznie wysyaj spersonalizowan wiadomo na swj serwer Discord.',
'Automatically send a message to any URL when your station data changes.' => 'Automatycznie wysyaj wiadomo pod kady URL, gdy dane Twojej stacji ulegn zmianie.',
'Automatically Set from ID3v2 Value' => 'Automatycznie ustaw z wartoci ID3v2',
'Available Logs' => 'Dostpne dzienniki',
'Avatar Service' => 'Usuga awatarw',
'Avatars are retrieved based on your e-mail address from the %{ service } service. Click to manage your %{ service } settings.' => 'Awatary s pobierane na podstawie Twojego adresu e-mail z usugi %{ service }. Kliknij, aby zarzdza ustawieniami %{ service }.',
'Average Listeners' => 'rednia suchaczy',
'Avoid Duplicate Artists/Titles' => 'Unikaj duplikowanych artystw/tytuw',
'AzuraCast First-Time Setup' => 'Ustawienia podczas pierwszego uruchomienia AzuraCast',
'AzuraCast Instance Name' => 'Nazwa instancji AzuraCast',
'AzuraCast ships with a built-in free IP geolocation database. You may prefer to use the MaxMind GeoLite service instead to achieve more accurate results. Using MaxMind GeoLite requires a license key, but once the key is provided, we will automatically keep the database updated.' => 'AzuraCast posiada wbudowan darmow baz geolokalizacji IP. Zamiast tego moesz korzysta z usugi MaxMind GeoLite aby uzyska dokadniejsze wyniki. Korzystanie z MaxMind GeoLite wymaga klucza licencyjnego, ale gdy klucz zostanie dostarczony, bdziemy automatycznie aktualizowa baz danych.',
'AzuraCast Update Checks' => 'Sprawdzanie aktualizacji AzuraCast',
'AzuraCast User' => 'Uytkownik AzuraCast',
'AzuraCast uses a role-based access control system. Roles are given permissions to certain sections of the site, then users are assigned into those roles.' => 'AzuraCast uywa systemu kontroli dostpu opartego na rolach. Zezwolenia dostpu do niektrych sekcji witryny s przypisywane rolom, a nastpnie uytkownicy s przypisani do tych rl.',
'AzuraCast Wiki' => 'AzuraCast Wiki',
'AzuraCast will scan the uploaded file for matches in this station\'s music library. Media should already be uploaded before running this step. You can re-run this tool as many times as needed.' => 'AzuraCast zeskanuje przesany plik w poszukiwaniu meczy w bibliotece muzycznej tej stacji. Media powinny by ju przesane przed uruchomieniem tego kroku. Moesz ponownie uruchomi to narzdzie tyle razy, ile potrzebuje.',
'AzuraRelay is a standalone service that connects to your AzuraCast instance, automatically relays your stations via its own server, then reports the listener details back to your main instance. This page shows all currently connected instances.' => 'AzuraRelay to samodzielna usuga, ktra czy si z twoj instancj AzuraCast, automatycznie powiela stacje za porednictwem wasnego serwera, a nastpnie zgasza szczegy suchacza z powrotem do gwnej instancji. Ta strona pokazuje wszystkie aktualnie poczone instancje.',
'Back' => 'Wstecz',
'Backing up your installation is strongly recommended before any update.' => 'Przed jakkolwiek aktualizacj zdecydowanie doradzamy utworzenie kopii zapasowej Twojej instalacji.',
'Backup' => 'Kopia zapasowa',
'Backup Format' => 'Format kopii zapasowej',
'Backups' => 'Kopie zapasowe',
'Balanced' => 'Zrwnowaony',
'Banned Countries' => 'Zablokowane kraje',
'Banned IP Addresses' => 'Zablokowane adresy IP',
'Banned User Agents' => 'Zbanowane User Agenty',
'Base Directory' => 'Katalog podstawowy',
'Base Station Directory' => 'Podstawowy katalog stacji',
'Base Theme for Public Pages' => 'Podstawowa skrka dla stron publicznych',
'Basic Info' => 'Podstawowe informacje',
'Basic Information' => 'Podstawowe Informacje',
'Basic Normalization and Compression' => 'Podstawowa normalizacja i kompresja',
'Best & Worst' => 'Najlepsze i najgorsze',
'Best Performing Songs' => 'Najpopularniejsze Utwory',
'Bit Rate' => 'Prdko Bitowa',
'Bitrate' => 'Bitrate',
'Bot Token' => 'Token bota',
'Bot/Crawler' => 'Bot/Crawler',
'Branding' => 'Branding',
'Branding Settings' => 'Ustawienia marki',
'Broadcast AutoDJ to Remote Station' => 'Nadawaj autopilota na zewntrzn stacj',
'Broadcasting' => 'Nadawanie',
'Broadcasting Service' => 'Usuga nadawania',
'Broadcasts' => 'Transmisje',
'Broadcasts removed:' => 'Usunito transmisje:',
'Browser' => 'Przegldarka',
'Browser Default' => 'Domylny przegldarki',
'Browser Icon' => 'Ikona przegldarki',
'Browsers' => 'Przegldarki',
'Bucket Name' => 'Nazwa koszyka',
'Bulk Edit Episodes' => 'Zbiorowa edycja odcinkw',
'Bulk Media Import/Export' => 'Zbiorowy import/eksport multimediw',
'by' => 'autorstwa',
'By default, all playlists are written to Liquidsoap as a backup in case the normal AutoDJ fails. This can affect CPU load, especially on startup. Disable to only write essential playlists to Liquidsoap.' => 'Domylnie wszystkie playlisty s zapisywane do Liquidsoap jako kopia zapasowa w przypadku awarii normalnego AutoDJ. Moe to mie wpyw na obcienie procesora, zwaszcza podczas uruchamiania. Wycz, aby zapisa tylko podstawowe playlisty do Liquidsoap.',
'By default, radio stations broadcast on their own ports (i.e. 8000). If you\'re using a service like CloudFlare or accessing your radio station by SSL, you should enable this feature, which routes all radio through the web ports (80 and 443).' => 'Domylnie stacje radiowe nadaj na swoje wasne porty (czyli 8000). Jeli uywasz usugi takiej jak CloudFlare lub uywasz dostpu do stacji radiowej przez SSL, naley wczy t funkcj, ktra przekierowuje wszystkie radia za porednictwem portw sieci web (80 i 443).',
'Cached' => 'Buforowane',
'Calculate and use normalized volume level metadata for each track.' => 'Oblicz i uyj znormalizowanych metadanych poziomu gonoci dla kadego utworu.',
'Cancel' => 'Anuluj',
'Categories' => 'Kategorie',
'Change' => 'Zmie',
'Change Password' => 'Zmie haso',
'Changes' => 'Zmiany',
'Changes saved.' => 'Zapisano zmiany.',
'Character Set Encoding' => 'Kodowanie znakw',
'Chat ID' => 'Chat ID',
'Check for Updates' => 'Sprawd aktualizacje',
'Check this box to apply post-processing to all audio, including live streams. Uncheck this box to only apply post-processing to the AutoDJ.' => 'Zaznacz to pole, aby zastosowa postprodukcj do wszystkich audio, wcznie z transmisjami na ywo. Odznacz to pole, aby zastosowa postprodukcj tylko do autopilota.',
'Check Web Services for Album Art for "Now Playing" Tracks' => 'Sprawd usugi sieciowe w poszukiwaniu okadki albumu dla utworw z listy "Teraz Odtwarzane"',
'Check Web Services for Album Art When Uploading Media' => 'Sprawd usugi sieciowe w poszukiwaniu okadki albumu podczas przesyania multimediw',
'Choose a method to use when transitioning from one song to another. Smart Mode considers the volume of the two tracks when fading for a smoother effect, but requires more CPU resources.' => 'Wybierz metod, jak chcesz wykorzystywa do tworzenia przej pomidzy utworami. Tryb Inteligentny (Smart Mode), dla pynniejszego efektu, sprawdza gono obydwu utworw, wymaga jednak wikszego uycia mocy obliczeniowej procesora.',
'Choose a name for this webhook that will help you distinguish it from others. This will only be shown on the administration page.' => 'Wybierz dla tego webhook\'a nazw, ktra pomoe Ci odrni go od innych. Bdzie ona wywietlana tylko na stronie panelu administracji.',
'Choose a new password for your account.' => 'Wybierz nowe haso dla swojego konta.',
'City' => 'Miasto',
'Clear' => 'Wyczy',
'Clear all media from playlist?' => 'Usun wszystkie media z playlisty?',
'Clear All Message Queues' => 'Wyczy wszystkie kolejki wiadomoci',
'Clear All Pending Requests?' => 'Wyczyci wszystkie oczekujce dania?',
'Clear Artwork' => 'Usu okadk',
'Clear Cache' => 'Wyczy pami podrczn',
'Clear Extra Metadata' => 'Wyczy dodatkowe metadane',
'Clear Field' => 'Wyczy pole',
'Clear File' => 'Wyczy plik',
'Clear Filters' => 'Wyczy filtry',
'Clear Image' => 'Wyczy obraz',
'Clear List' => 'Wyczy list',
'Clear Media' => 'Usu multimedia',
'Clear Pending Requests' => 'Wyczy oczekujce dania',
'Clear Queue' => 'Wyczy kolejk',
'Clear Upcoming Song Queue' => 'Wyczy kolejk nastpnych utworw',
'Clear Upcoming Song Queue?' => 'Wyczyci kolejk nastpnych utworw?',
'Clearing the application cache may log you out of your session.' => 'Wyczyszczenie pamici podrcznej moe wylogowa Ci z Twojej sesji.',
'Click "Generate new license key".' => 'Kliknij "Generuj nowy klucz licencyjny".',
'Click "New Application"' => 'Kliknij "Nowa aplikacja"',
'Click the "Preferences" link, then "Development" on the left side menu.' => 'Kliknij link "Preferencje", a nastpnie "Rozwj" w menu po lewej stronie.',
'Click the button below to generate a CSV file with all of this station\'s media. You can make any necessary changes, and then import the file using the file picker on the right.' => 'Kliknij poniszy przycisk, aby wygenerowa plik CSV z wszystkimi multimediami tej stacji. Moesz wprowadzi niezbdne zmiany, a nastpnie zaimportowa plik za pomoc selektora plikw po prawej stronie.',
'Click the button below to open your browser window to select a passkey.' => 'Kliknij poniszy przycisk, aby otworzy okno przegldarki, aby wybra klucz prywatny.',
'Click the button below to retry loading the page.' => 'Kliknij poniszy przycisk, aby ponowi prb zaadowania strony.',
'Client' => 'Klient',
'Clients' => 'Klienty',
'Clients by Connected Time' => 'Klienty wg poczonego czasu',
'Clients by Listeners' => 'Klienty wg suchaczy',
'Clone' => 'Klonuj',
'Clone Station' => 'Klonuj stacj',
'Close' => 'Zamknij',
'CloudFlare (CF-Connecting-IP)' => 'CloudFlare (CF-Connecting-IP)',
'Code from Authenticator App' => 'Kod z aplikacji uwierzytelniajcej',
'Collect aggregate listener statistics and IP-based listener statistics' => 'Zbieraj zbiorcze statystyki suchalnoci oraz statystyki suchaczy w oparciu o IP',
'Comments' => 'Komentarze',
'Complete the setup process by providing some information about your broadcast environment. These settings can be changed later from the administration panel.' => 'Ukocz proces instalacji przez dostarczanie informacji o rodowisku emisji. Te ustawienia mona pniej zmieni z poziomu panelu administracyjnego.',
'Configure' => 'Konfiguracja',
'Configure Backups' => 'Skonfiguruj kopie zapasowe',
'Confirm' => 'Potwierd',
'Confirm New Password' => 'Potwierd Nowe Haso',
'Connected AzuraRelays' => 'Poczone AzuraRelays',
'Connection Information' => 'Informacje o poczeniu',
'Contains explicit content' => 'Zawiera wulgarne treci',
'Continue the setup process by creating your first radio station below. You can edit any of these details later.' => 'Kontynuuj proces instalacji, tworzc swoj pierwsz stacj radiow. Kad z tych informacji mona edytowa pniej.',
'Continuous Play' => 'Odtwarzanie bez przerw',
'Control how this playlist is handled by the AutoDJ software.' => 'Kontroluj, jak ta lista odtwarzania jest obsugiwana przez oprogramowanie AutoDJ.',
'Copied!' => 'Skopiowano!',
'Copies older than the specified number of days will automatically be deleted. Set to zero to disable automatic deletion.' => 'Kopie starsze ni podana liczba dni bd automatycznie usuwane. Ustaw zero, aby wyczy automatyczne usuwanie.',
'Copy associated media and folders.' => 'Skopiuj powizane multimedia i foldery.',
'Copy scheduled playback times.' => 'Skopiuj zaplanowane czasy odtwarzania.',
'Copy to Clipboard' => 'Skopiuj do schowka',
'Copy to New Station' => 'Kopiuj do nowej stacji',
'Could not upload file.' => 'Nie udao si przesa pliku.',
'Countries' => 'Kraje',
'Country' => 'Kraj',
'CPU Load' => 'Obcienie procesora',
'CPU Stats Help' => 'Statystyki CPU - pomoc',
'Create a new application. Choose "Scoped Access", select your preferred level of access, then name your app. Do not name it "AzuraCast", but rather use a name specific to your installation.' => 'Utwrz now aplikacj. Wybierz "Scoped Access", wybierz preferowany poziom dostpu, a nastpnie nazwij aplikacj. Nie nazywaj jej "AzuraCast", ale uyj nazwy specyficznej dla Twojej instalacji.',
'Create a New Radio Station' => 'Utwrz now radiostacj',
'Create Account' => 'Utwrz konto',
'Create an account on the MaxMind developer site.' => 'Utwrz konto na stronie developera w MaxMind.',
'Create and Continue' => 'Utwrz i kontynuuj',
'Create custom fields to store extra metadata about each media file uploaded to your station libraries.' => 'Utwrz pola niestandardowe, aby przechowywa dodatkowe metadane o kadym pliku multimedialnym przesanym do bibliotek stacji.',
'Create Directory' => 'Utwrz katalog',
'Create New Key' => 'Utwrz nowy klucz',
'Create New Playlist for Each Folder' => 'Utwrz now playlist dla kadego folderu',
'Create podcast episodes independent of your station\'s media collection.' => 'Utwrz odcinki podcastu niezalene od kolekcji multimediw twojej stacji.',
'Create Station' => 'Utwrz stacj',
'Critical' => 'Krytyczny',
'Crossfade Duration (Seconds)' => 'Czas trwania przejcia (w sekundach)',
'Crossfade Method' => 'Metoda przejcia',
'Cue' => 'Kolejka',
'Current Configuration File' => 'Biecy plik konfiguracyjny',
'Current Custom Fallback File' => 'Obecny niestandardowy plik zastpczy',
'Current Installed Version' => 'Obecnie zainstalowana wersja',
'Current Intro File' => 'Biecy plik intra',
'Current Password' => 'Obecne haso',
'Current Podcast Media' => 'Biece pliki podcastw',
'Custom' => 'Ustawienia niestandardowe',
'Custom API Base URL' => 'Wasny bazowy URL API',
'Custom Branding' => 'Wasny branding',
'Custom Configuration' => 'Konfiguracja niestandardowa',
'Custom CSS for Internal Pages' => 'Wasny CSS dla stron wewntrznych',
'Custom CSS for Public Pages' => 'Wasny CSS dla stron publicznych',
'Custom Cues: Cue-In Point (seconds)' => 'Niestandardowe wskaniki: Wskanik pocztkowy przycicia (sekundy)',
'Custom Cues: Cue-Out Point (seconds)' => 'Niestandardowe wskaniki: Wskanik kocowy przycicia (sekundy)',
'Custom Fading: Fade-In Time (seconds)' => 'Niestandardowe zanikanie: Czas pynnego rozpoczcia (sekundy)',
'Custom Fading: Fade-Out Time (seconds)' => 'Niestandardowe zanikanie: Czas pynnego zakoczenia (sekundy)',
'Custom Fading: Start Next (seconds)' => 'Niestandardowe zanikanie (fading): Czas nakadania si (sekundy)',
'Custom Fallback File' => 'Niestandardowy plik zastpczy',
'Custom Fields' => 'Niestandardowe pola',
'Custom Frontend Configuration' => 'Niestandardowa konfiguracja Frontend',
'Custom HTML for Public Pages' => 'Niestandardowy HTML dla stron publicznych',
'Custom JS for Public Pages' => 'Wasny JS dla stron publicznych',
'Customize' => 'Dostosuj',
'Customize Administrator Password' => 'Dostosuj haso administratora',
'Customize AzuraCast Settings' => 'Dostosuj ustawienia AzuraCast',
'Customize Broadcasting Port' => 'Dostosuj port nadawania',
'Customize Copy' => 'Dostosuj kopi',
'Customize DJ/Streamer Mount Point' => 'Dostosuj punkt montowania prezentera',
'Customize DJ/Streamer Port' => 'Dostosuj port prezentera',
'Customize Internal Request Processing Port' => 'Dostosuj port wewntrznego przetwarzania dania',
'Customize Source Password' => 'Dostosuj haso rdla',
'Customize the number of songs that will appear in the "Song History" section for this station and in all public APIs.' => 'Dostosuj liczb utworw, ktre bd wywietlane w sekcji "Historia Utworw" (Song History) dla tej stacji i wszystkich publicznych interfejsw API.',
'Customize this setting to ensure you get the correct IP address for remote users. Only change this setting if you use a reverse proxy, either within Docker or a third-party service like CloudFlare.' => 'Dostosuj to ustawienie, aby upewni si, e otrzymasz poprawny adres IP dla uytkownikw zdalnych. Zmie to ustawienie tylko wtedy, gdy uywasz serwera proxy odwrotnego, zarwno w Dockerze, jak i w usugach innych firm, takich jak CloudFlare.',
'Dark' => 'Ciemny',
'Dashboard' => 'Panel',
'Date Played' => 'Data odtwarzania',
'Date Requested' => 'Data dania',
'Date/Time' => 'Data/Czas',
'Date/Time (Browser)' => 'Data/Czas (Przegldarka)',
'Date/Time (Station)' => 'Data/Czas (stacja)',
'Days of Playback History to Keep' => 'Ilo dni w historii odtwarzania',
'Deactivate Streamer on Disconnect (Seconds)' => 'Deaktywuj prezentera przy rozczeniu (w sekundach)',
'Debug' => 'Debuguj',
'Default Album Art' => 'Domylna okadka albumu',
'Default Album Art URL' => 'URL domylnej okadki',
'Default Avatar URL' => 'Domylny adres URL awatara',
'Default Live Broadcast Message' => 'Domylna wiadomo podczas nadawania na ywo',
'Default Mount' => 'Domylna instancja',
'Delete' => 'Usu',
'Delete %{ num } broadcasts?' => 'Usun %{ num } transmisji?',
'Delete %{ num } episodes?' => 'Usun %{ num } odcinkw?',
'Delete %{ num } media files?' => 'Usun %{ num } plikw multimedialnych?',
'Delete Album Art' => 'Usu okadk albumu',
'Delete API Key?' => 'Usun klucz API?',
'Delete Backup?' => 'Usun kopi zapasow?',
'Delete Broadcast?' => 'Usun transmisj?',
'Delete Custom Field?' => 'Usun pole niestandardowe?',
'Delete Episode?' => 'Usun odcinek?',
'Delete HLS Stream?' => 'Usun strumie HLS?',
'Delete Mount Point?' => 'Usun punkt montowania?',
'Delete Passkey?' => 'Usun klucz prywatny?',
'Delete Playlist?' => 'Usun playlist?',
'Delete Podcast?' => 'Usun Podcast?',
'Delete Queue Item?' => 'Usun element kolejki?',
'Delete Record?' => 'Usun rekord?',
'Delete Remote Relay?' => 'Usun zdalny relay?',
'Delete Request?' => 'Usun danie?',
'Delete Role?' => 'Usun rol?',
'Delete SFTP User?' => 'Usun uytkownika SFTP?',
'Delete Station?' => 'Usun stacj?',
'Delete Storage Location?' => 'Usun miejsce przechowywania?',
'Delete Streamer?' => 'Usun Streamera?',
'Delete User?' => 'Usun uytkownika?',
'Delete Web Hook?' => 'Usun webhook?',
'Description' => 'Opis',
'Desktop' => 'Pulpit',
'Details' => 'Szczegy',
'Directory' => 'Katalog',
'Directory Name' => 'Nazwa katalogu',
'Disable' => 'Dezaktywuj',
'Disable Crossfading' => 'Wycz przejcia',
'Disable Optimizations' => 'Wycz optymalizacje',
'Disable station?' => 'Wyczy stacj?',
'Disable Two-Factor' => 'Wycz uwierzytelnianie dwuskadnikowe',
'Disable two-factor authentication?' => 'Wyczy uwierzytelnianie dwuskadnikowe?',
'Disable?' => 'Wyczy?',
'Disabled' => 'Nieaktywne',
'Disconnect Streamer' => 'Odcz Streamera',
'Discord Web Hook URL' => 'URL webhook\'a Discorda',
'Discord Webhook' => 'Webhook Discord\'a',
'Disk caching makes a system much faster and more responsive in general. It does not take memory away from applications in any way since it will automatically be released by the operating system when needed.' => 'Buforowanie na dysku sprawia, e system jest znacznie szybszy i bardziej elastyczny. Nie odbiera ono w aden sposb pamici aplikacjom, poniewa w razie potrzeby zostanie ona automatycznie zwolniona przez system operacyjny.',
'Disk Space' => 'Miejsce na dysku',
'Display fields' => 'Wywietl pola',
'Display Name' => 'Nazwa wywetlana',
'DJ/Streamer Buffer Time (Seconds)' => 'Czas buforowania prezentera (w sekundach)',
'Do not collect any listener analytics' => 'Nie zbieraj adnych statystyk suchalnoci',
'Do not use a local broadcasting service.' => 'Nie uywaj lokalnej usugi nadawczej.',
'Do not use an AutoDJ service.' => 'Nie uywaj usugi AutoDJ.',
'Documentation' => 'Dokumentacja',
'Domain Name(s)' => 'Nazwa(-y) domeny',
'Donate to support AzuraCast!' => 'Wspom AzuraCast wpat!',
'Download' => 'Pobierz',
'Download CSV' => 'Pobierz CSV',
'Download M3U' => 'Pobierz plik .M3U',
'Download PLS' => 'Pobierz plik .PLS',
'Download the appropriate binary from the Stereo Tool downloads page:' => 'Pobierz odpowiedni plik binarny ze strony pobierania Stereo Tool:',
'Download the Linux x64 binary from the Shoutcast Radio Manager:' => 'Pobierz plik binarny Linux x64 z Shoutcast Radio Manager:',
'Drag file(s) here to upload or' => 'Przecignij plik(i) tutaj, aby przesa lub',
'Dropbox App Console' => 'Konsola aplikacji Dropbox',
'Dropbox Setup Instructions' => 'Instrukcje konfiguracji Dropbox',
'Duplicate' => 'Duplikuj',
'Duplicate Playlist' => 'Duplikuj playlist',
'Duplicate Prevention Time Range (Minutes)' => 'Zakres Czasu Zapobiegania Powtrzeniom (Minuty)',
'Duplicate Songs' => 'Zduplikowane utwory',
'E-Mail' => 'E-mail',
'E-mail Address' => 'Adres email',
'E-mail Address (Optional)' => 'Adres e-mail (opcjonalnie)',
'E-mail addresses can be separated by commas.' => 'Adresy e-mail mona rozdzieli przecinkami.',
'E-mail Delivery Service' => 'Usuga dorczania poczty elektronicznej',
'EBU R128' => 'EBU R128',
'Edit' => 'Edytuj',
'Edit Branding' => 'Edytuj branding',
'Edit Custom Field' => 'Edytuj pole niestandardowe',
'Edit Episode' => 'Edytuj odcinek',
'Edit HLS Stream' => 'Edytuj strumie HLS',
'Edit Liquidsoap Configuration' => 'Edytuj konfiguracj Liquidsoap',
'Edit Media' => 'Edytuj media',
'Edit Mount Point' => 'Edytuj punkt montowania',
'Edit Playlist' => 'Edytuj playlist',
'Edit Podcast' => 'Edytuj Podcast',
'Edit Profile' => 'Edytuj profil',
'Edit Remote Relay' => 'Edytuj zdalny relay',
'Edit Role' => 'Edytuj rol',
'Edit SFTP User' => 'Edytuj Uytkownika SFTP',
'Edit Station' => 'Edytuj stacj',
'Edit Station Profile' => 'Edytuj profil stacji',
'Edit Storage Location' => 'Edytuj lokalizacj przechowywania',
'Edit Streamer' => 'Edytuj streamera',
'Edit User' => 'Edytuj uytkownika',
'Edit Web Hook' => 'Edytuj webhook',
'Embed Code' => 'Kod osadzania',
'Embed Widgets' => 'Osad widety',
'Emergency' => 'Awaryjne',
'Empty' => 'Pusty',
'Enable' => 'Aktywuj',
'Enable Advanced Features' => 'Wcz zaawansowane funkcje',
'Enable AutoCue (Beta)' => 'Wcz AutoCue (Beta)',
'Enable AutoDJ' => 'Wcz AutoDJ\'a',
'Enable Broadcasting' => 'Wcz nadawanie',
'Enable certain advanced features in the web interface, including advanced playlist configuration, station port assignment, changing base media directories and other functionality that should only be used by users who are comfortable with advanced functionality.' => 'Wcz niektre zaawansowane funkcje w interfejsie WWW, w tym zaawansowan konfiguracj playlisty, przydzia portw stacji, zmian podstawowych katalogw multimediw i inne funkcje, ktre powinny by uywane tylko przez uytkownikw, ktrzy s zaznajomieni z zaawansowan funkcjonalnoci.',
'Enable Downloads on On-Demand Page' => 'Wcz pobieranie na stronie na danie',
'Enable HTTP Live Streaming (HLS)' => 'Wcz streamowanie HTTP na ywo (HLS)',
'Enable listeners to request a song for play on your station. Only songs that are already in your playlists are requestable.' => 'Pozwl suchaczom wysya proby o piosenki. Mona prosi tylko o utwory znajdujce si ju w Twoich playlistach.',
'Enable Mail Delivery' => 'Wcz Wysyanie Emaili',
'Enable on Public Pages' => 'Wcz na stronach publicznych',
'Enable On-Demand Streaming' => 'Wcz streaming na danie',
'Enable Public Pages' => 'Wcz strony publiczne',
'Enable ReplayGain' => 'Wcz ReplayGain',
'Enable station?' => 'Wczy stacj?',
'Enable this option if your S3 provider is using paths instead of sub-domains for their S3 endpoint; for example, when using MinIO or with other self-hosted S3 storage solutions that are accessible via a path on a domain/IP instead of a subdomain.' => 'Wcz t opcj, jeli dostawca S3 uywa cieek zamiast poddomen dla punktu kocowego S3; na przykad gdy uywasz MinIO lub z innymi samodzielnie hostowanymi rozwizaniami S3, ktre s dostpne poprzez ciek w domenie/IP zamiast poddomeny.',
'Enable this setting to prevent metadata from being sent to the AutoDJ for files in this playlist. This is useful if the playlist contains jingles or bumpers.' => 'Wcz to ustawienie, aby zapobiec wysyaniu metadanych do autopilota dla plikw na tej licie odtwarzania. Jest to przydatne, jeli playlista zawiera dingle lub przerywniki.',
'Enable to advertise this mount point on "Yellow Pages" public radio directories.' => 'Wcz rozgaszanie tego punktu montowania w publicznych katalogach stacji radiowych "Yellow Pages".',
'Enable to advertise this relay on "Yellow Pages" public radio directories.' => 'Wcz, aby reklamowa ten relay w publicznych katalogach radiowych "Yellow Pages".',
'Enable to allow listeners to select and play from this mount point on this station\'s public pages, including embedded widgets.' => 'Wcz, aby umoliwi suchaczom wybr i odtwarzanie z tego punktu montowania na publicznych stronach tej stacji, w tym wbudowanych widetw.',
'Enable to allow listeners to select this relay on this station\'s public pages.' => 'Wcz, aby pozwoli suchaczom wybra ten relay na stronach publicznych tej stacji.',
'Enable to allow this account to log in and stream.' => 'Wcz, aby pozwoli temu kontu na logowanie si i streamowanie.',
'Enable to have AzuraCast automatically run nightly backups at the time specified.' => 'Pozwala AzuraCast na automatyczne tworzenie nocnych kopii zapasowych w podanym czasie.',
'Enable Two-Factor' => 'Wcz uwierzytelnianie dwuskadnikowe',
'Enable Two-Factor Authentication' => 'Wcz weryfikacj dwuetapow',
'Enable?' => 'Wczy?',
'Enabled' => 'Aktywny',
'End Date' => 'Data zakoczenia',
'End Time' => 'Czas zakoczenia',
'Endpoint' => 'Punkt kocowy',
'Enforce Schedule Times' => 'Wymu czas harmonogramu',
'Enlarge Album Art' => 'Powiksz okadk albumu',
'Ensure the library matches your system architecture' => 'Upewnij si, e biblioteka jest zgodna z architektur systemu',
'Enter "AzuraCast" as the application name. You can leave the URL fields unchanged. For "Scopes", only "write:media" and "write:statuses" are required.' => 'Wpisz "AzuraCast" jako nazw aplikacji. Moesz pozostawi pola URL bez zmian. Dla "Scopes" wymagane s tylko "write:media" i "write:statuses".',
'Enter the access code you receive below.' => 'Wprowad kod dostpu, ktry otrzymasz poniej.',
'Enter the current code provided by your authenticator app to verify that it\'s working correctly.' => 'Podaj kod obecnie wywietlany przez aplikacj uwierzytelniajc, aby zweryfikowa, czy dziaa ona poprawnie.',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => 'Wprowad peny adres URL innego strumienia do przekazywania jego nadawanych przez ten punkt instancji.',
'Enter your app secret and app key below.' => 'Wprowad sekret i klucz aplikacji poniej.',
'Enter your e-mail address to receive updates about your certificate.' => 'Wprowad swj adres e-mail, aby otrzymywa zaktualizowane informacje o certyfikacie.',
'Enter your password' => 'Podaj swoje haso',
'Episode' => 'Odcinek',
'Episode Number' => 'Numer Odcinka',
'Episodes' => 'Odcinki',
'Episodes removed:' => 'Usunito odcinki:',
'Episodes updated:' => 'Zaktualizowano odcinki:',
'Error' => 'Bd',
'Error moving files:' => 'Bd podczas przenoszenia plikw:',
'Error queueing files:' => 'Bd podczas kolejkowania plikw:',
'Error removing broadcasts:' => 'Bd podczas usuwania transmisji:',
'Error removing episodes:' => 'Bd podczas usuwania odcinkw:',
'Error removing files:' => 'Bd podczas usuwania plikw:',
'Error reprocessing files:' => 'Bd podczas ponownego przetwarzania plikw:',
'Error updating episodes:' => 'Bd podczas aktualizacji odcinkw:',
'Error updating playlists:' => 'Bd podczas aktualizacji playlisty:',
'Example: if the remote radio URL is path_to_url enter "path_to_url".' => 'Przykad: jeli zdalnym adresem URL radia jest path_to_url wprowad path_to_url
'Exclude Media from Backup' => 'Wyklucz multimedia z kopii zapasowych',
'Excluding media from automated backups will save space, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => 'Wykluczenie multimediw z automatycznych kopii zapasowych oszczdzi miejsce, ale powiniene zrobi kopi zapasow swoich multimediw gdzie indziej. Miej na wzgldzie, e zapisywane w kopii zapasowej bd tylko lokalnie przechowywane multimedia.',
'Exit Fullscreen' => 'Zamknij widok penoekranowy',
'Expected to Play at' => 'Powinno zosta odtworzone w',
'Explicit' => 'Wulgarne',
'Export %{format}' => 'Eksportuj %{format}',
'Export Media to CSV' => 'Eksportuj multimedia do CSV',
'External' => 'Zewntrzne',
'Extra metadata cleared for files:' => 'Dodatkowe metadane wyczyszczone dla plikw:',
'Fallback Mount' => 'Rezerwowy Punkt Montowania',
'Field Name' => 'Nazwa pola',
'File Name' => 'Nazwa pliku',
'Files marked for reprocessing:' => 'Pliki oznaczone do ponownego przetworzenia:',
'Files moved:' => 'Przeniesione pliki:',
'Files played immediately:' => 'Pliki odtworzone natychmiast:',
'Files queued for playback:' => 'Pliki zakolejkowane do odtwarzania:',
'Files removed:' => 'Pliki usunite:',
'First Connected' => 'Poczony najpierw',
'Followers Only' => 'Tylko obserwujcy',
'Footer Text' => 'Tekst stopki',
'For ARM (Raspberry Pi, etc.) installations, choose "Raspberry Pi Thimeo-ST plugin".' => 'Dla instalacji ARM (Raspberry Pi, itp.) wybierz "Wtyczk Raspberry Pi Thimeo-ST".',
'For local filesystems, this is the base path of the directory. For remote filesystems, this is the folder prefix.' => 'Dla lokalnych systemw plikw, jest to bazowa cieka katalogu. Dla zdalnego systemu plikw jest to prefiks folderu.',
'For most cases, use the default UTF-8 encoding. The older ISO-8859-1 encoding can be used if accepting connections from Shoutcast 1 DJs or using other legacy software.' => 'W wikszoci przypadkw, uywaj domylnego kodowania UTF-8. Starsze kodowanie ISO-8859-1 moe by wykorzystywane w razie przyjmowania pocze od prezenterw korzystajcych z Shoutcast 1 lub uywajcych innego starego oprogramowania.',
'for selected period' => 'dla wybranego okresu',
'For simple updates where you want to keep your current configuration, you can update directly via your web browser. You will be disconnected from the web interface and listeners will be disconnected from all stations.' => 'W przypadku prostych aktualizacji, w ktrych chcesz zachowa aktualn konfiguracj, mona przeprowadzi aktualizacj bezporednio przy uyciu przegldarki internetowej. Zostaniesz odczony od interfejsu www, a suchacze zostan odczeni od wszystkich stacji.',
'For some clients, use port:' => 'Dla niektrych klientw uyj portu:',
'For the legacy version' => 'Dla starszej wersji',
'For x86/64 installations, choose "x86/64 Linux Thimeo-ST plugin".' => 'Dla instalacji x86/64 wybierz "x86/64 Linux Thimeo-ST plugin".',
'Forgot your password?' => 'Zapomniae hasa?',
'Format' => 'Format',
'Friday' => 'Pitek',
'From your smartphone, scan the code to the right using an authentication app of your choice (FreeOTP, Authy, etc).' => 'Uywajc smartfona, zeskanuj kod po prawej stronie, uywajc wybranej przez siebie aplikacji uwierzytelniajcej (FreeOTP, Authy, itp).',
'Full' => 'Peny',
'Full Volume' => 'Pena gono',
'General Rotation' => 'Oglna rotacja',
'Generate Access Code' => 'Wygeneruj kod dostpu',
'Generate Report' => 'Wygeneruj raport',
'Generate/Renew Certificate' => 'Wygeneruj/Odnw Certyfikat',
'Generic Web Hook' => 'Oglny webhook',
'Generic Web Hooks' => 'Oglne webhooki',
'Genre' => 'Gatunek',
'GeoLite is not currently installed on this installation.' => 'GeoLite nie jest obecnie zainstalowany w tej instalacji.',
'GeoLite version "%{ version }" is currently installed.' => 'Obecnie zainstalowana wersja GeoLite to "%{ version }".',
'Get Next Song' => 'Pobierz nastpn piosenk',
'Get Now Playing' => 'Pobierz informacj Teraz Odtwarzane',
'GetMeRadio' => 'GetMeRadio',
'GetMeRadio Station ID' => 'Identyfikator stacji w GetMeRadio',
'Global' => 'Globalne',
'Global Permissions' => 'Uprawnienia globalne',
'Go' => 'Przejd',
'Google Analytics V4 Integration' => 'Integracja z Google Analytics V4',
'Help' => 'Pomoc',
'Hide Album Art on Public Pages' => 'Ukryj okadki na stronach publicznych',
'Hide AzuraCast Branding on Public Pages' => 'Ukryj branding AzuraCast na publicznych stronach',
'Hide Charts' => 'Ukryj wykresy',
'Hide Credentials' => 'Ukryj dane logowania',
'Hide Metadata from Listeners ("Jingle Mode")' => 'Ukryj metadane przed suchaczami (Tryb Jingle Mode)',
'High CPU' => 'Wysokie uycie CPU',
'High I/O Wait can indicate a bottleneck with the server\'s hard disk, a potentially failing hard disk, or heavy load on the hard disk.' => 'Wysokie wartoci I/O mog wskazywa wskie gardo zwizane z twardym dyskiem serwera, potencjalnie uszkodzonym twardym dyskiem lub duym obcieniem dysku twardego.',
'Higher weight playlists are played more frequently compared to other lower-weight playlists.' => 'Wiksza waga playlist jest odtwarzana czciej ni inne mniejsze playlisty.',
'History' => 'Historia',
'HLS' => 'HLS',
'HLS Streams' => 'Strumienie HLS',
'Home' => 'Strona gwna',
'Homepage Redirect URL' => 'URL przekierowania strony gwnej',
'Hour' => 'Godzina',
'HTML' => 'HTML',
'HTTP Live Streaming (HLS)' => 'Streamowanie HTTP na ywo (HLS)',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate streaming technology. From this page, you can configure the individual bitrates and formats that are included in the combined HLS stream.' => 'Strumieniowanie HTTP Na ywo (HLS) to nowa technologia transmisji danych dostosowywanej do bitrate. Na tej stronie mona skonfigurowa indywidualne bitrate i formaty, ktre s zawarte w poczonym strumieniu HLS.',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate technology supported by some clients. It does not use the standard broadcasting frontends.' => 'HTTP Live Streaming (HLS) to nowa technologia dostosowywania bitrate, wspierana przez niektre klienty. Nie uywa ona standardowych frontendw transmisji.',
'Icecast Clients' => 'Klienty Icecast',
'Icecast/Shoutcast Stream URL' => 'URL strumienia Icecast/Shoutcast',
'Identifier' => 'Identyfikator',
'If a live DJ connects but has not yet sent metadata, this is the message that will display on player pages.' => 'Jeli DJ poczy si, ale nie wysa jeszcze metadanych, to jest to wiadomo, ktra bdzie wywietlana na stronach odtwarzaczy.',
'If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.' => 'Jeli utwr nie posiada okadki, zamiast tego bdzie wywietlany niniejszy URL. Pozostaw puste, aby ustawi domyln okadk standardow.',
'If a visitor is not signed in and visits the AzuraCast homepage, you can automatically redirect them to the URL specified here. Leave blank to redirect them to the login screen by default.' => 'Jeli odwiedzajcy nie jest zapisany i odwiedza stron gwn AzuraCast, moesz automatycznie przekierowa go na podany tutaj URL. Pozostaw puste, aby domylnie przekierowa go do strony logowania.',
'If disabled, the playlist will not be included in radio playback, but can still be managed.' => 'Jeli wyczone, playlista nie bdzie uwzgldniona w odtwarzaniu radiowym, ale nadal moe by zarzdzana.',
'If disabled, the station will not be visible on public-facing pages or APIs.' => 'Jeli wyczone, stacja nie bdzie widoczna na stronach publicznych lub API.',
'If disabled, the station will not broadcast or shuffle its AutoDJ.' => 'Jeli wyczone, stacja nie bdzie nadawaa ani mieszaa autopilota.',
'If enabled, a download button will also be present on the public "On-Demand" page.' => 'Jeli wczone, przycisk pobierania bdzie rwnie widoczny na publicznej stronie "Na danie" (On-Demand).',
'If enabled, AzuraCast will automatically record any live broadcasts made to this station to per-broadcast recordings.' => 'Jeli opcja jest wczona, AzuraCast bdzie automatycznie nagrywa wszystkie transmisje na ywo wykonane na tej stacji w celu nadawania nagra.',
'If enabled, AzuraCast will connect to the MusicBrainz database to attempt to find an ISRC for any files where one is missing. Disabling this may improve performance.' => 'Jeli wczone, AzuraCast poczy si z baz danych MusicBrainz, aby sprbowa znale ISRC dla kadego pliku, w ktrym brakuje tej wartoci. Wyczenie tego moe poprawi wydajno.',
'If enabled, music from playlists with on-demand streaming enabled will be available to stream via a specialized public page.' => 'Jeli wczone, muzyka z playlist z wczonym streamingiem na danie bdzie dostpna do strumieniowania przez specjaln stron publiczn.',
'If enabled, streamers (or DJs) will be able to connect directly to your stream and broadcast live music that interrupts the AutoDJ stream.' => 'Jeli wczone, prezenterzy bd mogli czy si bezporednio z Twoim strumieniem i nadawa utwory, przerywajc tym samym strumie autopilota.',
'If enabled, the AutoDJ on this installation will automatically play music to this mount point.' => 'Jeli wczone, autopilot w tej instalacji bdzie automatycznie odtwarza muzyk na ten punkt montowania.',
'If enabled, the AutoDJ will automatically play music to this mount point.' => 'Jeli wczone, autopilot bdzie automatycznie odtwarza muzyk na ten punkt montowania.',
'If enabled, this streamer will only be able to connect during their scheduled broadcast times.' => 'Jeli wczone, ten streamer bdzie mg poczy si tylko podczas zaplanowanych czasw transmisji.',
'If requests are enabled for your station, users will be able to request media that is on this playlist.' => 'Jeli dania s wczone dla Twojej stacji, uytkownicy bd mogli da mediw, ktre znajduj si na tej playlicie.',
'If requests are enabled, this specifies the minimum delay (in minutes) between a request being submitted and being played. If set to zero, a minor delay of 15 seconds is applied to prevent request floods.' => 'Jeli dania s wczone, podana warto okrela minimalne opnienie (w minutach) pomidzy daniem a odtwarzaniem. Jeli ustawiono na zero, stosuje si niewielkie opnienie 15 sekund, aby zapobiec floodowaniu daniami.',
'If selected, album art will not display on public-facing radio pages.' => 'Jeli zaznaczone, okadki nie bd wywietlane na publicznych stronach radiostacji.',
'If selected, this will remove the AzuraCast branding from public-facing pages.' => 'Jeli zaznaczone, branding AzuraCast zostanie usunity ze stron publicznych.',
'If the end time is before the start time, the playlist will play overnight.' => 'Jeli czas zakoczenia jest przed godzin pocztkow, playlista bdzie odtwarzana w cigu nocy.',
'If the end time is before the start time, the schedule entry will continue overnight.' => 'Jeli czas zakoczenia jest przed godzin rozpoczcia, harmonogram bdzie kontynuowany w cigu nocy.',
'If the mountpoint (i.e. /radio.mp3) or Shoutcast SID (i.e. 2) you broadcast to is different from the stream URL, specify the source mount point here.' => 'Jeli punkt montowania (np. /radio.mp3) lub Shoutcast SID (np. 2), na ktry nadajesz, rni si od URL-a strumienia, podaj tutaj punkt montowania rda.',
'If the port you broadcast to is different from the stream URL, specify the source port here.' => 'Jeli port, na ktry nadajesz, rni si od URL-a strumienia, podaj tutaj port rdowy.',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => 'Jeli ten punkt jest domylny, utwory bd grane w podgldzie radia oraz na publicznej stronie radia tego systemu.',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => 'Jeli ten punkt instalacji nie odtwarzania dwiku, suchacz bdzie automatycznie przekierowany na ten punkt instalacji. Wartoci domyln jest /error.mp3, wraz z powtarzanym komunikacie o bdzie.',
'If this setting is set to "Yes", the browser URL will be used instead of the base URL when it\'s available. Set to "No" to always use the base URL.' => 'Jeli ustawione na "Tak", tam gdzie to moliwe, bdzie wykorzystywany URL przegldarki zamiast podstawowego URL. Ustaw na "Nie", aby zawsze uywa podstawowego URL.',
'If this station has on-demand streaming and downloading enabled, only songs that are in playlists with this setting enabled will be visible.' => 'Jeli ta stacja ma wczone strumieniowanie i pobieranie na danie to widoczne bd tylko utwory, ktre znajduj si na playlistach z tym ustawieniem.',
'If you are broadcasting using AutoDJ, enter the source password here.' => 'Jeli nadajesz z wykorzystaniem autopilota, podaj tutaj haso rda.',
'If you are broadcasting using AutoDJ, enter the source username here. This may be blank.' => 'Jeli nadajesz z wykorzystaniem autopilota, podaj tutaj nazw uytkownika rda. Moesz zostawi puste.',
'If you\'re experiencing a bug or error, you can submit a GitHub issue using the link below.' => 'Jeli napotkae usterk lub bd, moesz wysa zgoszenie na GitHubie, korzystajc z poniszego linku.',
'If your installation is constrained by CPU or memory, you can change this setting to tune the resources used by Liquidsoap.' => 'Jeli twoja instalacja jest ograniczona przez moc procesora lub ilo dostpnej pamici, moesz zmieni to ustawienie w celu dostosowania zasobw uywanych przez Liquidsoap.',
'If your Mastodon username is "@test@example.com", enter "example.com".' => 'Jeli twoja nazwa uytkownika Mastodon to "@test@example.com", wprowad "example.com".',
'If your stream is set to advertise to YP directories above, you must specify an authorization hash. You can manage these on the Shoutcast web site.' => 'Jeli Twj strumie ma wczone rozgaszanie do katalogw YP podanych powyej, musisz poda hash autoryzacji. Moesz zarzdza hashami autoryzacji na stronie internetowej Shoutcast\'a.',
'If your streaming software requires a specific mount point path, specify it here. Otherwise, use the default.' => 'Jeli Twoje oprogramowanie nadawcze wymaga podania okrelonej cieki punktu montowania, podaj j tutaj. W przeciwnym razie, uyj domylnej.',
'If your web hook requires HTTP basic authentication, provide the password here.' => 'Jeli Twj webhook wymaga podstawowego uwierzytelnienia, podaj tutaj haso.',
'If your web hook requires HTTP basic authentication, provide the username here.' => 'Jeli Twj webhook wymaga podstawowego uwierzytelnienia HTTP, podaj tutaj nazw uytkownika.',
'Import Changes from CSV' => 'Importuj zmiany z CSV',
'Import from PLS/M3U' => 'Importuj z PLS/M3U',
'Import Results' => 'Importuj wyniki',
'Important: copy the key below before continuing!' => 'Wane: skopiuj poniszy klucz przed kontynuowaniem!',
'In order to install Shoutcast:' => 'Aby zainstalowa Shoutcast:',
'In order to install Stereo Tool:' => 'Aby zainstalowa Stereo Tool:',
'In order to process quickly, web hooks have a short timeout, so the responding service should be optimized to handle the request in under 2 seconds.' => 'W celu szybkiego przetworzenia, webhooki maj krtki limit czasu, tak wic usuga odpowiadajca powinna by zoptymalizowana, aby obsuy danie w cigu 2 sekund.',
'Include in On-Demand Player' => 'Docz do odtwarzacza na danie',
'Indefinitely' => 'Nieokrelony',
'Indicates the presence of explicit content (explicit language or adult content). Apple Podcasts displays an Explicit parental advisory graphic for your episode if turned on. Episodes containing explicit material aren\'t available in some Apple Podcasts territories.' => 'Wskazuje na obecno nieodpowiednich treci (wulgarny jzyk lub treci dla dorosych). Jeli jest to wczone, wwczas Apple Podcast wywietli stosown informacj o treciach nieodpowiednich dla modszych odbiorcw. Odcinki zawierajce materiay uznawane za nieodpowiednie nie s dostpne w Apple Podcasts na niektrych obszarach.',
'Info' => 'Informacje',
'Information about the current playing track will appear here once your station has started.' => 'Informacje o aktualnie odtwarzanym utworze pojawi si tutaj po uruchomieniu stacji.',
'Insert' => 'Wstaw',
'Install GeoLite IP Database' => 'Zainstaluj baz danych GeoLite IP',
'Install Shoutcast' => 'Zainstaluj Shoutcast',
'Install Shoutcast 2 DNAS' => 'Zainstaluj Shoutcast 2 DNAS',
'Install Stereo Tool' => 'Zainstaluj Stereo Tool',
'Instructions' => 'Instrukcje',
'Internal notes or comments about the user, visible only on this control panel.' => 'Wewntrzne uwagi lub komentarze na temat uytkownika, widoczny tylko na panelu sterowania.',
'International Standard Recording Code, used for licensing reports.' => 'Midzynarodowy kod ISRC, uywany dla licencjonowanych raportw.',
'Interrupt other songs to play at scheduled time.' => 'Przerywaj inne utwory, by odtworzy w ustalonym czasie.',
'Intro' => 'Intro',
'IP' => 'IP',
'IP Address Source' => 'rdo adresu IP',
'IP Geolocation is used to guess the approximate location of your listeners based on the IP address they connect with. Use the free built-in IP Geolocation library or enter a license key on this page to use MaxMind GeoLite.' => 'Geolokalizacja IP jest uywana do odgadnicia przyblionej lokalizacji suchaczy w oparciu o adres IP, z ktrego si cz. Uyj darmowej wbudowanej biblioteki Geolokalizacji IP lub wprowad klucz licencyjny na tej stronie, aby uy MaxMind GeoLite.',
'Is Public' => 'Publiczny',
'Is Published' => 'Opublikowany',
'ISRC' => 'ISRC',
'Items per page' => 'Ilo elementw na stronie',
'Jingle Mode' => 'Tryb Dingla',
'Language' => 'Jzyk',
'Last 14 Days' => 'Ostatnie 14 dni',
'Last 2 Years' => 'Ostatnie 2 lata',
'Last 24 Hours' => 'Ostatnie 24 godziny',
'Last 30 Days' => 'Ostatnie 30 dni',
'Last 60 Days' => 'Ostatnie 60 dni',
'Last 7 Days' => 'Ostatnie 7 dni',
'Last Modified' => 'Ostatnio zmodyfikowane',
'Last Month' => 'Ostatni miesic',
'Last Processed Time' => 'Czas ostatniego przetworzenia',
'Last Run' => 'Ostatnie uruchomienie',
'Last run:' => 'Ostatnie uruchomienie:',
'Last Year' => 'Ostatni rok',
'Last.fm API Key' => 'Klucz API Last.fm',
'Latest Update' => 'Najnowsza aktualizacja',
'Learn about Advanced Playlists' => 'Dowiedz si wicej o Zaawansowanych playlistach',
'Learn more about AutoCue' => 'Dowiedz si wicej o AutoCue',
'Learn More about Post-processing CPU Impact' => 'Dowiedz si wicej o wpywie postprodukcji na CPU',
'Learn more about release channels in the AzuraCast docs.' => 'Dowiedz si wicej o kanaach wydawniczych w dokumentacji AzuraCast.',
'Learn more about this header.' => 'Dowiedz si wicej o tym nagwku.',
'Leave blank to automatically generate a new password.' => 'Pozostaw puste, aby automatycznie wygenerowa nowe haso.',
'Leave blank to play on every day of the week.' => 'Pozostaw puste, aby gra kadego dnia tygodnia.',
'Leave blank to use the current password.' => 'Pozostaw puste, aby uy biecego hasa.',
'Leave blank to use the default Telegram API URL (recommended).' => 'Pozostaw puste, aby uy domylnego adresu API Telegram (zalecane).',
'Length' => 'Dugo',
'Let\'s get started by creating your Super Administrator account.' => 'Zacznijmy od utworzenia Twojego konta super administratora.',
'LetsEncrypt' => 'LetsEncrypt',
'LetsEncrypt provides simple, free SSL certificates allowing you to secure traffic through your control panel and radio streams.' => 'LetsEncrypt zapewnia atwe w instalacji i bezpatne certyfikaty SSL, co pozwala zabezpieczy ruch przez panel sterowania i strumienie radiowe.',
'Light' => 'Jasny',
'Like our software?' => 'Podoba ci si nasze oprogramowanie?',
'Limited' => 'Ograniczony',
'LiquidSoap is currently shuffling from %{songs} and %{playlists}.' => 'Obecnie LiquidSoap losuje spord %{songs} i %{playlists}.',
'Liquidsoap Performance Tuning' => 'Dostrajanie wydajnoci Liquidsoap',
'List one IP address or group (in CIDR format) per line.' => 'Podaj jeden adres IP lub grup (w formacie CIDR) na wiersz.',
'List one user agent per line. Wildcards (*) are allowed.' => 'Wpisz po jednym agencie na linijk. Dozwolone s znaki wieloznaczne (*).',
'Listener Analytics Collection' => 'Zbir analiz danych o suchaczach',
'Listener Gained' => 'Zyskani suchacze',
'Listener History' => 'Historia suchaczy',
'Listener Lost' => 'Utraceni suchacze',
'Listener Report' => 'Raport o suchaczach',
'Listener Request' => 'dania suchaczy',
'Listener Type' => 'Typy suchaczy',
'Listeners' => 'Suchacze',
'Listeners by Day' => 'Suchacze wedug dnia',
'Listeners by Day of Week' => 'Suchaczy przez dzie tygodnia',
'Listeners by Hour' => 'Suchacze wedug godziny',
'Listeners by Listening Time' => 'Suchacze wedug czasu suchania',
'Listeners By Time Period' => 'Suchacze wg okresu czasu',
'Listeners Per Station' => 'Suchaczy na stacji',
'Listening Time' => 'Czas suchania',
'Live' => 'Na ywo',
'Live Broadcast Recording Bitrate (kbps)' => 'Bitrate nagrania transmisji na ywo (kbps)',
'Live Broadcast Recording Format' => 'Format zapisu transmisji na ywo',
'Live Listeners' => 'Suchacze na ywo',
'Live Recordings Storage Location' => 'Lokalizacja zapisu nagra transmisji na ywo',
'Live Streamer:' => 'Nadajcy na ywo:',
'Live Streamer/DJ Connected' => 'Streamer/DJ poczony',
'Live Streamer/DJ Disconnected' => 'Streamer/DJ rozczony',
'Live Streaming' => 'Strumieniowanie na ywo',
'Load Average' => 'rednie obcienie',
'Loading' => 'adowanie',
'Local' => 'Lokalny',
'Local Broadcasting Service' => 'Lokalna usuga nadawania',
'Local Filesystem' => 'Lokalny system plikw',
'Local IP (Default)' => 'Lokalne IP (domylnie)',
'Local Streams' => 'Strumienie lokalne',
'Location' => 'Lokalizacja',
'Log In' => 'Zaloguj',
'Log Output' => 'Zapisuj wynik w dzienniku',
'Log Viewer' => 'Podgld dziennika',
'Logs' => 'Logi',
'Logs by Station' => 'Dzienniki wedug stacji',
'Loop Once' => 'Zaptl raz',
'Main Message Content' => 'Zawarto wiadomoci',
'Make HLS Stream Default in Public Player' => 'Ustaw strumie HLS jako domylny w publicznym odtwarzaczu',
'Make the selected media play immediately, interrupting existing media' => 'Odtwrz wybrane multimedia natychmiast, przerywajc to, co jest aktualnie nadawane',
'Manage' => 'Zarzdzanie',
'Manage Avatar' => 'Zarzdzaj awatarem',
'Manage SFTP Accounts' => 'Zarzdzaj kontami SFTP',
'Manage Stations' => 'Zarzdzanie stacjami',
'Manual AutoDJ Mode' => 'Rczny tryb AutoDJ',
'Manual Updates' => 'Aktualizacje rczne',
'Manually Add Episodes' => 'Rcznie dodaj odcinki',
'Manually define how this playlist is used in Liquidsoap configuration.' => 'Rcznie zdefiniuj jak ta playlista jest uywana w konfiguracji Liquidsoap.',
'Markdown' => 'Markdown',
'Master_me is an open-source automatic mastering plugin for streaming, podcasts and Internet radio.' => 'Master_me jest otwartordow automatyczn wtyczk dla strumieniowania, podcastw i radia internetowego.',
'Master_me Loudness Target (LUFS)' => 'Gono docelowa Master_me (LUFS)',
'Master_me Post-processing' => 'Postprodukcja w Master_me',
'Master_me Preset' => 'Preset Master_me',
'Master_me Project Homepage' => 'Strona domowa projektu Master_me',
'Mastodon Account Details' => 'Szczegy konta Mastodon',
'Mastodon Instance URL' => 'URL instancji Mastodon',
'Mastodon Post' => 'Post na Mastodonie',
'Matched' => 'Dopasowane',
'Matomo Analytics Integration' => 'Integracja z Matomo Analytics',
'Matomo API Token' => 'Token API Matomo',
'Matomo Installation Base URL' => 'Podstawowy URL instalacji Matomo',
'Matomo Site ID' => 'ID strony w Matomo',
'Max Listener Duration' => 'Maksymalny czas suchania dla pojedynczego suchacza',
'Max. Connected Time' => 'Max. czas poczenia',
'Maximum Listeners' => 'Maksymalna liczba suchaczy',
'Maximum number of total listeners across all streams. Leave blank to use the default.' => 'Maksymalna liczba wszystkich suchaczy we wszystkich strumieniach. Pozostaw puste, aby uy domylnej wartoci.',
'MaxMind Developer Site' => 'Strona developera MaxMind',
'Measurement ID' => 'Identyfikator pomiaru',
'Measurement Protocol API Secret' => 'Sekretny kod protokou pomiarowego API',
'Media' => 'Multimedia',
'Media File' => 'Plik multimedialny',
'Media Storage Location' => 'Lokalizacja przechowywania mediw',
'Memory' => 'Pami',
'Memory Stats Help' => 'Statystyki pamici - pomoc',
'Merge playlist to play as a single track.' => 'Scal playlist, aby odtworzy jako pojedynczy utwr.',
'Message Body' => 'Tre wiadomoci',
'Message Body on Song Change' => 'Tre wiadomoci przy zmianie utworu',
'Message Body on Song Change with Streamer/DJ Connected' => 'Tre wiadomoci o zmianie utworu przy podczonym Stramerze/DJ',
'Message Body on Station Offline' => 'Tre wiadomoci w trybie offline',
'Message Body on Station Online' => 'Tre wiadomoci przy przejciu stacji w tryb online',
'Message Body on Streamer/DJ Connect' => 'Tre wiadomoci przy podczeniu si Streamera/DJ',
'Message Body on Streamer/DJ Disconnect' => 'Tre wiadomoci przy rozdczeniu si Streamera/DJ',
'Message Customization Tips' => 'Porady dotyczce dostosowania wiadomoci',
'Message parsing mode' => 'Tryb przetwarzania wiadomoci',
'Message Queues' => 'Kolejki wiadomoci',
'Message Recipient(s)' => 'Odbiorca(y) wiadomoci',
'Message Subject' => 'Temat wiadomoci',
'Message Visibility' => 'Widoczno wiadomoci',
'Metadata updated.' => 'Metadane zaktualizowane.',
'Microphone' => 'Mikrofon',
'Microphone Source' => 'rdo mikrofonu',
'Min. Connected Time' => 'Min. czas poczenia',
'Minute of Hour to Play' => 'Odtwarzanie w podanej minucie godziny',
'Mixer' => 'Mikser',
'Mobile' => 'Urzdzenie mobilne',
'Modified' => 'Zmodyfikowano',
'Monday' => 'Poniedziaek',
'More' => 'Wicej',
'Most hosting providers will put more Virtual Machines (VPSes) on a server than the hardware can handle when each VM is running at full CPU load. This is called over-provisioning, which can lead to other VMs on the server "stealing" CPU time from your VM and vice-versa.' => 'Wikszo dostawcw hostingu umieszcza na pojedynczym serwerze wicej maszyn wirtualnych (VPS), ni pozwala na to sprzt w momencie gdy kady VPS uywa peni przydzielonej mu mocy procesora. Nazywa si to nadmiernym dostarczaniem (z ang. over-provisioning) i moe to doprowadzi do "wykradania" czasu CPU z Twojego VPS-a i vice-versa.',
'Most Played Songs' => 'Najczciej odtwarzane utwory',
'Most Recent Backup Log' => 'Najwieszy dziennik kopii zapasowej',
'Mount Name:' => 'Nazwa montowania:',
'Mount Point URL' => 'URL punktu montowania',
'Mount Points' => 'Punkty montowania',
'Mount points are how listeners connect and listen to your station. Each mount point can be a different audio format or quality. Using mount points, you can set up a high-quality stream for broadband listeners and a mobile stream for phone users.' => 'Punkty montowania umoliwiaj suchaczom poczenie si i suchanie stacji. Kady punkt moe mie inny format i jako dwiku. Wykorzystujc punkty montowania, moesz ustawi wysokiej jakoci strumie dla uytkownikw szerokopasmowego Internetu oraz strumie mobilny dla suchajcych w smartfonach.',
'Move' => 'Przenie',
'Move %{ num } File(s) to' => 'Przenie %{ num } plik(i) do',
'Move Down' => 'Przesu w d',
'Move to Bottom' => 'Przesu na sam d',
'Move to Directory' => 'Przenie do katalogu',
'Move to Top' => 'Przesu na sam gr',
'Move Up' => 'Przesu w gr',
'Music Files' => 'Pliki muzyczne',
'Music General' => 'Muzyka oglnie',
'Must match new password.' => 'Musi pasowa do nowego hasa.',
'Mute' => 'Wycisz',
'My Account' => 'Moje konto',
'N/A' => 'Nie dotyczy',
'Name' => 'Nazwa',
'name@example.com' => 'kto@domena.pl',
'Name/Type' => 'Nazwa/Typ',
'Need Help?' => 'Potrzebujesz pomocy?',
'Network Interfaces' => 'Interfejsy sieciowe',
'Never run' => 'Nigdy nie uruchamiane',
'New Directory' => 'Nowy katalog',
'New directory created.' => 'Nowy katalog utworzony.',
'New File Name' => 'Nazwa nowego pliku',
'New Folder' => 'Nowy folder',
'New Key Generated' => 'Wygenerowano nowy klucz',
'New Password' => 'Nowe Haso',
'New Playlist' => 'Nowa lista odtwarzania',
'New Playlist Name' => 'Nazwa Nowej Playlisty',
'New Station Description' => 'Opis nowej stacji',
'New Station Name' => 'Nazwa nowej stacji',
'Next Run' => 'Nastpne uruchomienie',
'No' => 'Nie',
'No AutoDJ Enabled' => 'aden autopilot nie jest aktywowany',
'No files selected.' => 'Nie wybrano plikw.',
'No Limit' => 'Bez limitu',
'No Match' => 'Brak dopasowania',
'No other program can be using this port. Leave blank to automatically assign a port.' => 'aden inny program nie moe korzysta z tego portu. Pozostaw puste, aby automatycznie przypisa port.',
'No Post-processing' => 'Bez postprodukcji',
'No records to display.' => 'Brak rekordw do wywietlenia.',
'No records.' => 'Brak rekordw.',
'None' => 'Brak',
'Normal Mode' => 'Tryb normalny',
'Not Played' => 'Nie odtwarzane',
'Not Run' => 'Nie uruchomiono',
'Not Running' => 'Nie uruchomiono',
'Not Scheduled' => 'Nie zaplanowane',
'Note that restoring a backup will clear your existing database. Never restore backup files from untrusted users.' => 'Miej na uwadze, e przywrcenie kopii zapasowej wyczyci Twoj obecn baz danych. Nigdy nie przywracaj kopii zapasowych pochodzcych od uytkownikw, ktrym nie ufasz.',
'Note that Stereo Tool can be resource-intensive for both CPU and Memory. Please ensure you have sufficient resources before proceeding.' => 'Miej na uwadze, e Stereo Tool moe by zasoboerny zarwno dla procesora, jak i dla pamici. Upewnij si, e masz wystarczajce zasoby przed kontynuowaniem.',
'Note: If your media metadata has UTF-8 characters, you should use a spreadsheet editor that supports UTF-8 encoding, like OpenOffice.' => 'Uwaga: Jeli twoje media metadane maj znaki UTF-8, powiniene uy edytora arkusza kalkulacyjnego, ktry obsuguje kodowanie UTF-8, na przykad OpenOffice.',
'Note: the port after this one will automatically be used for legacy connections.' => 'Uwaga: port nastpujcy po tym porcie bdzie automatycznie uywany do pocze przy pomocy starszego oprogramowania.',
'Note: This should be the public-facing homepage of the radio station, not the AzuraCast URL. It will be included in broadcast details.' => 'Uwaga: Powinna to by dostpna publicznie strona gwna radiostacji, nie adres URL AzuraCast. Bdzie ona zawarta w szczegach nadawania.',
'Notes' => 'Notatki',
'Notice' => 'Uwaga',
'Now' => 'Teraz',
'Now Playing' => 'Teraz
Odtwarzane',
'Now playing on %{ station }:' => 'Teraz odtwarzane na %{ station }:',
'Now playing on %{ station }: %{ title } by %{ artist } with your host, %{ dj }! Tune in now: %{ url }' => 'Teraz odtwarzane w %{ station }: %{ title } autorstwa %{ artist } z Twoim prezenterem, %{ dj }! Suchaj teraz: %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now: %{ url }' => 'Teraz odtwarzane na %{ station }: %{ title } z repertuaru %{ artist }! Wcz teraz: %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now.' => 'Teraz odtwarzane w %{ station }: %{ title } z repertuaru %{ artist }! Wcz teraz.',
'NowPlaying API Response' => 'Odpowied NowPlaying API',
'Number of Backup Copies to Keep' => 'Liczba kopii zapasowych przechowywanych na dysku',
'Number of Minutes Between Plays' => 'Liczba minut midzy odtwarzaniem',
'Number of seconds to overlap songs.' => 'Dugo nakadania si utworw w sekundach.',
'Number of Songs Between Plays' => 'Liczba utworw midzy odtworzeniami',
'Number of Visible Recent Songs' => 'Liczba widocznych ostatnio nadawanych utworw',
'On the Air' => 'W eterze',
'On-Demand' => 'Na danie',
'On-Demand Media' => 'Media na danie',
'On-Demand Streaming' => 'Strumieniowanie na danie',
'Once per %{minutes} Minutes' => 'Raz na %{minutes} minut',
'Once per %{songs} Songs' => 'Raz na %{songs} utworw',
'Once per Hour' => 'Raz na godzin',
'Once per Hour (at %{minute})' => 'Raz na godzin (w %{minute})',
'Once per x Minutes' => 'Raz na x minut',
'Once per x Songs' => 'Raz na x utworw',
'Once these steps are completed, enter the "Access Token" from the application\'s page into the field below.' => 'Kiedy te kroki zostan ukoczone, wprowad "Token dostpu" ze strony aplikacji w polu znajdujcym poniej.',
'One important note on I/O Wait is that it can indicate a bottleneck or problem but also may be completely meaningless, depending on the workload and general available resources. A constantly high I/O Wait should prompt further investigation with more sophisticated tools.' => 'Wan rzecz odnoszc si do Oczekiwania Wejcia/Wyjcia (I/O Wait) jest to, e moe to wskazywa na wskie gardo lub inny problem, rwnie dobrze moe jednak nie mie adnego znaczenia, a zaley to od obcienia i oglnie od dostpnych zasobw. Nieustannie wysokie wartoci Oczekiwania Wejcia/Wyjcia powinny zmotywowa ci do przeprowadzenia inspekcji z uyciem wyspecjalizowanych narzdzi.',
'Only collect aggregate listener statistics' => 'Zbieraj tylko zbiorcze statystyki suchalnoci',
'Only loop through playlist once.' => 'Tylko jeden raz przez playlist.',
'Only play one track at scheduled time.' => 'Odtwarzaj tylko jeden utwr w zaplanowanym czasie.',
'Only Post Once Every...' => 'Publikuj tylko raz na...',
'Operation' => 'Operacja',
'Optional: HTTP Basic Authentication Password' => 'Opcjonalnie: Haso uwierzytelniania podstawowego HTTP',
'Optional: HTTP Basic Authentication Username' => 'Opcjonalne: Nazwa uytkownika podstawowego uwierzytelnienia HTTP',
'Optional: Request Timeout (Seconds)' => 'Opcjonalnie: Limit czasu dania (w sekundach)',
'Optionally list this episode as part of a season in some podcast aggregators.' => 'Opcjonalnie wywietla ten odcinek jako cz sezonu w niektrych agregatorach podcastw.',
'Optionally select an ID3v2 metadata field that, if present, will be used to set this field\'s value.' => 'Opcjonalnie wybierz pole metadanych ID3v2 (jeli s), ktre zostanie uyte do ustawienia wartoci tego pola.',
'Optionally set a specific episode number in some podcast aggregators.' => 'Opcjonalnie ustaw okrelony numer odcinka w niektrych agregatorach podcastw.',
'Optionally specify a short URL-friendly name, such as "my_station_name", that will be used in this station\'s URLs. Leave this field blank to automatically create one based on the station name.' => 'Opcjonalnie mona okreli krtk nazw przyjaznego adresu URL, tak jak "my_station_name", ktra bdzie uywana w adresach URL tej stacji. Pozostaw to pole puste, aby automatycznie utworzy URL\'a w oparciu o nazw stacji.',
'Optionally specify an API-friendly name, such as "field_name". Leave this field blank to automatically create one based on the name.' => 'Opcjonalnie zdefiniuj nazw przyjazn dla API, jak na przykad "field_name". Pozostaw puste, aby automatycznie wygenerowa nazw w oparciu o podan wczeniej.',
'Optionally supply an API token to allow IP address overriding.' => 'Opcjonalnie podaj token API, aby umoliwi nadpisywanie adresu IP.',
'Optionally supply SSH public keys this user can use to connect instead of a password. Enter one key per line.' => 'Opcjonalnie podaj klucze publiczne SSH, jakich ten uytkownik moe uywa do czenia si zamiast hasa. Wprowad kady klucz w osobnej linii.',
'or' => 'lub',
'Original Path' => 'Pierwotna cieka',
'Other Remote URL (File, HLS, etc.)' => 'Inny zdalny adres URL (plik, HLS, itp.)',
'Owner' => 'Waciciel',
'Page' => 'Strona',
'Passkey Authentication' => 'Autoryzacja kluczem prywatnym',
'Passkey Nickname' => 'Nazwa klucza prywatnego',
'Password' => 'Haso',
'Password:' => 'Haso:',
'Paste the generated license key into the field on this page.' => 'Wklej wygenerowany klucz licencyjny do pola na tej stronie.',
'Path/Suffix' => 'cieka/Sufix',
'Pending Requests' => 'Oczekujce proby',
'Permissions' => 'Uprawnienia',
'Play' => 'Odtwrz',
'Play Now' => 'Odtwrz teraz',
'Play once every $x minutes.' => 'Odtwarzaj raz na $x minut.',
'Play once every $x songs.' => 'Odtwarzaj co $x utworw.',
'Play once per hour at the specified minute.' => 'Odtwarzaj raz na godzin w okrelonej minucie.',
'Playback Queue' => 'Kolejka odtwarzania',
'Playing Next' => 'Nastpne w kolejce',
'Playlist' => 'Lista odtwarzania',
'Playlist (M3U/PLS) URL' => 'URL playlisty (M3U/PLS)',
'Playlist 1' => 'Lista odtwarzania 1',
'Playlist 2' => 'Lista odtwarzania 2',
'Playlist Name' => 'Nazwa listy odtwarzania',
'Playlist order set.' => 'Kolejno playlisty ustawiona.',
'Playlist queue cleared.' => 'Kolejka playlisty wyczyszczona.',
'Playlist successfully applied to folders.' => 'Playlista zostaa pomylnie zastosowana do folderw.',
'Playlist Type' => 'Typ listy odtwarzania',
'Playlist Weight' => 'Waga listy odtwarzania',
'Playlist-Based' => 'Oparte na licie odtwarzania',
'Playlist-Based Podcast' => 'Podcast oparty na licie odtwarzania',
'Playlist-based podcasts will automatically sync with the contents of a playlist, creating new podcast episodes for any media added to the playlist.' => 'Podcasty oparte na licie odtwarzania bd automatycznie synchronizowane z zawartoci playlisty, tworzc nowe odcinki podcastw dla wszystkich mediw dodanych do listy odtwarzania.',
'Playlist:' => 'Lista odtwarzania:',
'Playlists' => 'Listy odtwarzania',
'Playlists cleared for selected files:' => 'Playlisty wyczyszczone dla wybranych plikw:',
'Playlists updated for selected files:' => 'Playlisty zaktualizowane dla wybranych plikw:',
'Plays' => 'Odtwarzaj',
'Please log in to continue.' => 'Prosz, zaloguj si, aby kontynuowa.',
'Podcast' => 'Podcast',
'Podcast media should be in the MP3 or M4A (AAC) format for the greatest compatibility.' => 'Podcast powinien by w formacie MP3 lub M4A (AAC), aby zapewni jak najwiksz kompatybilno.',
'Podcast Title' => 'Tytu Podcastu',
'Podcasts' => 'Podcasty',
'Podcasts Storage Location' => 'Lokalizacja Przechowywania Podcastw',
'Port' => 'Port',
'Port:' => 'Port:',
'Powered by' => 'Wspierane przez',
'Powered by AzuraCast' => 'Wspierane przez AzuraCast',
'Prefer Browser URL (If Available)' => 'Preferuj URL przegldarki (jeli dostpne)',
'Prefer System Default' => 'Uyj domylnych ustawie systemowych',
'Preview' => 'Podgld',
'Previous' => 'Poprzedni',
'Privacy' => 'Prywatno',
'Profile' => 'Profil',
'Programmatic Name' => 'Nazwa programowa',
'Provide a valid license key from Thimeo. Functionality is limited without a license key.' => 'Podaj wany klucz licencyjny z Thimeo. Bez klucza licencyjnego funkcjonalno jest ograniczona.',
'Public' => 'Publiczne',
'Public Page' => 'Strona Publiczna',
'Public Page Background' => 'To strony publicznej',
'Public Pages' => 'Strony publiczne',
'Publish At' => 'Data publikacji',
'Publish to "Yellow Pages" Directories' => 'Opublikuj w katalogach "Yellow Pages"',
'Queue' => 'Zakolejkuj',
'Queue the selected media to play next' => 'Dodaj wybrany plik do kolejki utworw do odtworzenia',
'Radio Player' => 'Odtwarzacz radiowy',
'Radio.de' => 'Radio.de',
'Radio.de API Key' => 'Klucz API Radio.de',
'Radio.de Broadcast Subdomain' => 'Poddomena nadawania w Radio.de',
'RadioRed Organization API Key' => 'Klucz API organizacji RadioRed',
'RadioReg Webhook URL' => 'Webhook URL RadioReg',
'RadioReg.net' => 'RadioReg.net',
'Random' => 'Losowo',
'Ready to start broadcasting? Click to start your station.' => 'Gotw by rozpocz nadawanie? Kliknij, aby uruchomi stacj.',
'Received' => 'Otrzymano',
'Record Live Broadcasts' => 'Nagrywaj transmisje na ywo',
'Recover Account' => 'Odzyskaj konto',
'Refresh' => 'Odwie',
'Refresh rows' => 'Odwie wiersze',
'Region' => 'Region',
'Relay' => 'Relay',
'Relay Stream URL' => 'Adres URL przekazania strumienia',
'Release Channel' => 'Kana Wydawniczy',
'Reload' => 'Przeaduj',
'Reload Configuration' => 'Przeaduj konfiguracj',
'Reload to Apply Changes' => 'Przeaduj, aby zastosowa zmiany',
'Reloading broadcasting will not disconnect your listeners.' => 'Przeadowanie nadawania nie rozczy twoich suchaczy.',
'Remember me' => 'Zapamitaj mnie',
'Remote' => 'Zdalny',
'Remote Playback Buffer (Seconds)' => 'Bufor zdalnego odtwarzania (w sekundach)',
'Remote Relays' => 'Zdalne relaye',
'Remote relays let you work with broadcasting software outside this server. Any relay you include here will be included in your station\'s statistics. You can also broadcast from this server to remote relays.' => 'Zdalne relaye pozwalaj na prac z oprogramowaniem nadawczym poza niniejszym serwerem. Kady podany tutaj relay bdzie ujty w statystykach Twojej stacji. Moesz rwnie nadawa z tego serwera na zewntrzne relaye.',
'Remote Station Administrator Password' => 'Haso zdalnego administratora stacji',
'Remote Station Listening Mountpoint/SID' => 'Punkt montowania/SID odsuchu zdalnej stacji',
'Remote Station Listening URL' => 'URL do suchania stacji zdalnej',
'Remote Station Source Mountpoint/SID' => 'Punkt montowania lub SID rda zdalnej stacji',
'Remote Station Source Password' => 'Haso rda stacji zdalnej',
'Remote Station Source Port' => 'Port rdowy zdalnej stacji',
'Remote Station Source Username' => 'Nazwa uytkownika zdalnej stacji',
'Remote Station Type' => 'Typ zdalnej stacji',
'Remote URL' => 'Zdalny URL',
'Remote URL Playlist' => 'URL zdalnej listy odtwarzania',
'Remote URL Type' => 'Typ zdalnego adresu URL',
'Remote: Dropbox' => 'Zdalny: Dropbox',
'Remote: S3 Compatible' => 'Zdalne: Kompatybilny S3',
'Remote: SFTP' => 'Zdalny: SFTP',
'Remove' => 'Usu',
'Remove any extra metadata (fade points, cue points, etc.) from the selected media' => 'Usu dodatkowe metadane (punkty przenikania, punkty pocztku/koca, itp.) z wybranych mediw',
'Remove Key' => 'Usu klucz',
'Rename' => 'Zmie nazw',
'Rename File/Directory' => 'Zmie nazw pliku/katalogu',
'Reorder' => 'Zmie kolejno',
'Reorder Playlist' => 'Zmie kolejno playlisty',
'Repeat' => 'Powtrz',
'Replace Album Cover Art' => 'Zastp okadk albumu',
'Reports' => 'Raporty',
'Reprocess' => 'Przetwrz ponownie',
'Request' => 'danie',
'Request a Song' => 'danie utworu',
'Request History' => 'Historia prb',
'Request Last Played Threshold (Minutes)' => 'Prg da dla listy ostatnio odtwarzanych utworw (w minutach)',
'Request Minimum Delay (Minutes)' => 'Minimalne opnienie midzy daniami (w minutach)',
'Request Song' => 'danie utworu',
'Requester IP' => 'Adres IP dajcego',
'Requests' => 'dania',
'Required' => 'Wymagane',
'Reshuffle' => 'Przetasuj ponownie',
'Restart' => 'Uruchom ponownie',
'Restart Broadcasting' => 'Ponowne uruchomienie nadawania',
'Restarting broadcasting will briefly disconnect your listeners.' => 'Ponowne uruchomienie nadawania spowoduje krtkotrwae rozczenie suchaczy.',
'Restarting broadcasting will rewrite all configuration files and restart all services.' => 'Ponowne uruchomienie nadawania spowoduje nadpisanie wszystkich plikw konfiguracyjnych i ponowne uruchomienie wszystkich usug.',
'Restoring Backups' => 'Przywracanie kopii zapasowych',
'Reverse Proxy (X-Forwarded-For)' => 'Proxy Odwrotne (X-Forwarded-For)',
'Role Name' => 'Nazwa roli',
'Roles' => 'Role',
'Roles & Permissions' => 'Role i uprawnienia',
'Rolling Release' => 'Wydanie Rolling Release',
'RSS' => 'RSS',
'RSS Feed' => 'Kana RSS',
'Run Automatic Nightly Backups' => 'Uruchom automatyczne nocne tworzenie kopii zapasowych',
'Run Manual Backup' => 'Uruchom rczne tworzenie kopii zapasowej',
'Run Task' => 'Uruchom zadanie',
'Running' => 'Uruchomione',
'Sample Rate' => 'Czstotliwo prbkowania',
'Saturday' => 'Sobota',
'Save' => 'Zapisz',
'Save and Continue' => 'Zapisz i kontynuuj',
'Save Changes' => 'Zapisz zmiany',
'Save Changes first' => 'Najpierw zapisz zmiany',
'Schedule' => 'Harmonogram',
'Schedule View' => 'Widok harmonogramu',
'Scheduled' => 'Zaplanowane',
'Scheduled Backup Time' => 'Zaplanowany czas tworzenia kopii zapasowych',
'Scheduled Play Days of Week' => 'Zaplanuj granie w dni tygodnia',
'Scheduled playlists and other timed items will be controlled by this time zone.' => 'Zaplanowane playlisty i inne elementy zwizane z czasem bd kontrolowane przez t stref czasow.',
'Scheduled Time #%{num}' => 'Zaplanowany czas #%{num}',
'Scheduling' => 'Planowanie',
'Search' => 'Szukaj',
'Season Number' => 'Numer Sezonu',
'Seconds from the start of the song that the AutoDJ should start playing.' => 'Sekund od pocztku utworu, ktry autopilot powinien zacz odtwarza.',
'Seconds from the start of the song that the AutoDJ should stop playing.' => 'Sekund od pocztku utworu, ktry autopilot powinien przesta odtwarza.',
'Seconds from the start of the song that the next song should begin when fading. Leave blank to use the system default.' => 'Sekundy od pocztku utworu, ktry powinien si rozpoczyna podczas zanikania. Pozostaw puste, aby uy domylnej wartoci systemowej.',
'Secret Key' => 'Tajny klucz',
'Security' => 'Bezpieczestwo',
'Security & Privacy' => 'Bezpieczestwo i prywatno',
'See the Telegram documentation for more details.' => 'Wicej szczegw znajduje si w dokumentacji Telegramu.',
'See the Telegram Documentation for more details.' => 'Wicej szczegw znajduje si w dokumentacji Telegramu.',
'Seek' => 'Szukaj',
'Segment Length (Seconds)' => 'Dugo segmentu (w sekundach)',
'Segments in Playlist' => 'Segmenty w playlicie',
'Segments Overhead' => 'Nadmiarowe segmenty (segments overhead)',
'Select' => 'Wybierz',
'Select a theme to use as a base for station public pages and the login page.' => 'Wybierz skrk do zastosowania dla publicznych stron stacji radiowych oraz na stronie logowania.',
'Select All Rows' => 'Zaznacz wszystkie wiersze',
'Select an option here to apply post-processing using an easy preset or tool. You can also manually apply post-processing by editing your Liquidsoap configuration manually.' => 'Zaznacz tutaj opcj, aby zastosowa postprodukcj przy uyciu prostego presetu lub narzdzia. Moesz rwnie rcznie zastosowa postprodukcj poprzez rczn edycj konfiguracji Liquidsoap.',
'Select Configuration File' => 'Wybierz plik konfiguracyjny',
'Select CSV File' => 'Wybierz plik CSV',
'Select Custom Fallback File' => 'Wybierz niestandardowy plik zastpczy',
'Select File' => 'Wybierz plik',
'Select Intro File' => 'Wybierz plik intra',
'Select Media File' => 'Wybierz plik',
'Select Passkey' => 'Wybierz klucz prywatny',
'Select Playlist' => 'Wybierz list odtwarzania',
'Select PLS/M3U File to Import' => 'Wybierz plik PLS/M3U do importu',
'Select PNG/JPG artwork file' => 'Wybierz plik okadki PNG/JPG',
'Select Row' => 'Wybierz wiersz',
'Select the category/categories that best reflects the content of your podcast.' => 'Wybierz kategori/kategorie, ktre najlepiej odzwierciedlaj zawarto podcastu.',
'Select the countries that are not allowed to connect to the streams.' => 'Wybierz kraje, ktre nie mog czy si ze strumieniami.',
'Select Web Hook Type' => 'Wybierz typ webhooka',
'Selected directory:' => 'Wybrany katalog:',
'Send an e-mail to specified address(es).' => 'Wylij e-mail na okrelony adres(y).',
'Send E-mail' => 'Wylij e-mail',
'Send song metadata changes to %{service}' => 'Wysyaj aktualizacje metadanych utworu do %{service}',
'Send song metadata changes to %{service}.' => 'Wysyaj aktualizacje metadanych utworu do %{service}.',
'Send stream listener details to Google Analytics.' => 'Wylij szczegy suchalnoci streamu do Google Analytics.',
'Send stream listener details to Matomo Analytics.' => 'Wylij szczegy suchalnoci streamu do Matomo Analytics.',
'Send Test Message' => 'Wylij wiadomo testow',
'Sender E-mail Address' => 'Adres e-mail nadawcy',
'Sender Name' => 'Nazwa nadawcy',
'Sequential' => 'Sekwencyjny',
'Server Status' => 'Status serwera',
'Server:' => 'Serwer:',
'Services' => 'Usugi',
'Set a maximum disk space that this storage location can use. Specify the size with unit, i.e. "8 GB". Units are measured in 1024 bytes. Leave blank to default to the available space on the disk.' => 'Ustaw maksymaln przestrze dyskow, z ktrej moe korzysta ta lokalizacja pamici. Okrel rozmiar z jednostk, np. "8 GB". Jednostki s mierzone w 1024 bajtach. Pozostaw puste do domylnego miejsca na dysku.',
'Set as Default Mount Point' => 'Ustaw jako domylny punkt montowania',
'Set cue and fade points using the visual editor. The timestamps will be saved to the corresponding fields in the advanced playback settings.' => 'Ustaw punkty wskanikw i przenikania za pomoc edytora wizualnego. Znaczniki czasu zostan zapisane w odpowiednich polach w zaawansowanych ustawieniach odtwarzania.',
'Set Cue In' => 'Ustaw wskanik pocztku',
'Set Cue Out' => 'Ustaw wskanik koca',
'Set Fade In' => 'Ustaw pynny pocztek',
'Set Fade Out' => 'Ustaw pynne zakoczenie',
'Set Fade Start Next' => 'Nastpnie ustaw pocztek punktu przenikania',
'Set longer to preserve more playback history and listener metadata for stations. Set shorter to save disk space.' => 'Ustaw dusze, aby zachowa wicej historii odtwarzania i metadanych suchacza dla stacji. Ustaw krtsze, aby zaoszczdzi miejsce na dysku.',
'Set the length of time (seconds) a listener will stay connected to the stream. If set to 0, listeners can stay connected infinitely.' => 'Ustaw maksymalny czas podczenia suchacza do strumienia (w sekundach). Jeli ustawione na 0, suchacze mog pozostawa podczeni przez nieograniczony czas.',
'Set to "Yes" to always use "https://" secure URLs, and to automatically redirect to the secure URL when an insecure URL is visited (HSTS).' => 'Ustaw "Tak", aby zawsze uywa szyfrowanego adresu URL "https://" i automatycznie przekierowa do szyfrowanego adresu URL w przypadku odwiedzenia nieszyfrowanego URL.',
'Set to * to allow all sources, or specify a list of origins separated by a comma (,).' => 'Ustaw * aby zezwoli na wszystkie rda lub okreli list rde oddzielonych przecinkami (,).',
'Settings' => 'Ustawienia',
'Setup instructions for broadcasting software are available on the AzuraCast wiki.' => 'Instrukcje dotyczce instalacji oprogramowania do nadawania s dostpne na wiki AzuraCast.',
'SFTP Host' => 'Host SFTP',
'SFTP Password' => 'Haso SFTP',
'SFTP Port' => 'Port SFTP',
'SFTP Private Key' => 'Klucz prywatny SFTP',
'SFTP Private Key Pass Phrase' => 'Haso (Pass Phrase) klucza prywatnego SFTP',
'SFTP Username' => 'Nazwa uytkownika SFTP',
'SFTP Users' => 'Uytkownicy SFTP',
'Share Media Storage Location' => 'Wspdziel lokalizacj przechowywania multimediw',
'Share Podcasts Storage Location' => 'Wspdziel miejsce przechowywania podcastw',
'Share Recordings Storage Location' => 'Wspdziel miejsce przechowywania nagra',
'Shoutcast 2 DNAS is not currently installed on this installation.' => 'Shoutcast 2 DNAS nie jest obecnie zainstalowany w tej instalacji.',
'Shoutcast 2 DNAS is not free software, and its restrictive license does not allow AzuraCast to distribute the Shoutcast binary.' => 'Shoutcast 2 DNAS nie jest wolnym oprogramowaniem, a jego restrykcyjna licencja nie pozwala AzuraCast na dystrybucj binarki Shoutcast.',
'Shoutcast Clients' => 'Klienty ShoutCast',
'Shoutcast Radio Manager' => 'Meneder Radia Shoutcast',
'Shoutcast User ID' => 'ID Uytkownika Shoutcast',
'Shoutcast version "%{ version }" is currently installed.' => 'Obecnie zainstalowany jest Shoutcast w wersji "%{ version }".',
'Show Charts' => 'Poka wykresy',
'Show Credentials' => 'Poka dane logowania',
'Show HLS Stream on Public Player' => 'Poka strumie HLS w publicznym odtwarzaczu',
'Show new releases within your update channel on the AzuraCast homepage.' => 'Poka nowe wydania na swoim kanale aktualizacji na stronie gwnej AzuraCast.',
'Show on Public Pages' => 'Poka na publicznych stronach',
'Show the station in public pages and general API results.' => 'Umie stacj na stronach publicznych i w oglnych wynikach API.',
'Show Update Announcements' => 'Poka ogoszenia aktualizacji',
'Shuffled' => 'Losowane w trybie shuffle',
'Sidebar' => 'Panel boczny',
'Sign In' => 'Zaloguj si',
'Sign In with Passkey' => 'Zaloguj si przez klucz prywatny',
'Sign Out' => 'Wyloguj si',
'Site Base URL' => 'Podstawowy adres URL witryny',
'Size' => 'Rozmiar',
'Skip Song' => 'Pomi utwr',
'Skip to main content' => 'Skocz do treci gwnej',
'Smart Mode' => 'Tryb inteligentny',
'SMTP Host' => 'Host SMTP',
'SMTP Password' => 'Haso SMTP',
'SMTP Port' => 'Port SMTP',
'SMTP Username' => 'Nazwa uytkownika SMTP',
'Social Media' => 'Media spoecznociowe',
'Some clients may require that you enter a port number that is either one above or one below this number.' => 'Niektre klienty mog wymaga wprowadzenia numeru portu, ktry jest jeden powyej lub jeden poniej tego numeru.',
'Some stream licensing providers may have specific rules regarding song requests. Check your local regulations for more information.' => 'Niektrzy dostawcy licencji na strumieniowanie mog mie szczegowe zasady dotyczce da utworw. Aby uzyska wicej informacji, sprawd obowizujce w twoim kraju przepisy.',
'Song' => 'Utwr',
'Song Album' => 'Album piosenki',
'Song Artist' => 'Artysta',
'Song Change' => 'Zmiana utworu',
'Song Change (Live Only)' => 'Zmiana utworu (tylko na ywo)',
'Song Genre' => 'Gatunek utworu',
'Song History' => 'Historia utworw',
'Song Length' => 'Dugo utworu',
'Song Lyrics' => 'Tekst utworu',
'Song Playback Order' => 'Kolejno odtwarzania utworu',
'Song Playback Timeline' => 'Historia utworw',
'Song Requests' => 'danie piosenki',
'Song Title' => 'Tytu utworu',
'Song-based' => 'Oparte na utworach',
'Song-Based' => 'Oparte na utworach',
'Song-Based Playlist' => 'Lista odtwarzania oparta na utworach',
'SoundExchange Report' => 'Raport SoundExchange',
'SoundExchange Royalties' => 'Tantiemy SoundExchange',
'Source' => 'rdo',
'Space Used' => 'Uyta przestrze',
'Specify a mountpoint (i.e. "/radio.mp3") or a Shoutcast SID (i.e. "2") to specify a specific stream to use for statistics or broadcasting.' => 'Podaj punkt montowania (np. "/radio.mp3") lub Shoutcast SID (np. "2"), aby okreli strumie do wykorzystania w statystykach lub nadawaniu.',
'Specify the minute of every hour that this playlist should play.' => 'Okrel minut kadej godziny, kiedy ta playlista ma by odtwarzana.',
'Speech General' => 'Treci mwione',
'SSH Public Keys' => 'Klucze Publiczne SSH',
'Stable' => 'Stabilny',
'Standard playlist, shuffles with other standard playlists based on weight.' => 'Standardowa playlista, losowanie z innymi standardowymi playlistami na podstawie wagi.',
'Start' => 'Uruchom',
'Start Date' => 'Data rozpoczcia',
'Start Station' => 'Uruchom stacj',
'Start Streaming' => 'Rozpocznij streamowanie',
'Start Time' => 'Czas rozpoczcia',
'Station Directories' => 'Katalogi stacji',
'Station Disabled' => 'Stacja wyczona',
'Station Goes Offline' => 'Stacja przechodzi w tryb offline',
'Station Goes Online' => 'Stacja przechodzi w tryb online',
'Station Media' => 'Media stacji',
'Station Name' => 'Nazwa stacji',
'Station Offline' => 'Stacja Offline',
'Station Offline Display Text' => 'Tekst do wywietlenia, gdy stacja jest offline',
'Station Overview' => 'Przegld stacji',
'Station Permissions' => 'Uprawnienia stacji',
'Station Podcasts' => 'Podcasty stacji',
'Station Recordings' => 'Nagrania stacji',
'Station Statistics' => 'Statystyki stacji',
'Station Time' => 'Czas stacji',
'Station Time Zone' => 'Strefa czasowa stacji',
'Station-Specific Debugging' => 'Debugowanie Dla Poszczeglnych Stacji',
'Station(s)' => 'Stacja(e)',
'Stations' => 'Stacje',
'Stations using Icecast can soft-reload the station configuration, applying changes while keeping the stream broadcast running.' => 'Stacje korzystajce z Icecast mog przeadowa konfiguracj stacji, stosujc zmiany bez przerywania strumienia nadawczego.',
'Steal' => 'Ukradnij',
'Steal (St)' => 'Ukradnij (St)',
'Step %{step}' => 'Krok %{step}',
'Step 1: Scan QR Code' => 'Krok 1: Zeskanuj kod QR',
'Step 2: Verify Generated Code' => 'Krok 2: Zweryfikuj wygenerowany kod',
'Steps for configuring a Mastodon application:' => 'Kroki konfiguracji aplikacji Mastodon:',
'Stereo Tool' => 'Stereo Tool',
'Stereo Tool documentation.' => 'Dokumentacja Stereo Tool.',
'Stereo Tool Downloads' => 'Strona pobierania Stereo Tool',
'Stereo Tool is a popular, proprietary tool for software audio processing. Using Stereo Tool, you can customize the sound of your stations using preset configuration files.' => 'Stereo Tool jest popularnym, wasnociowym narzdziem do programowego przetwarzania dwiku. Uywajc Stereo Tool, moesz dostosowa brzmienie swoich stacji za pomoc plikw konfiguracyjnych presetw.',
'Stereo Tool is an industry standard for software audio processing. For more information on how to configure it, please refer to the' => 'Stereo Tool jest branowym standardem oprogramowania do przetwarzania dwiku. Wicej informacji na temat konfiguracji tego narzdzia znajduje si na stronie',
'Stereo Tool is not currently installed on this installation.' => 'Stereo Tool nie jest obecnie zainstalowany w tej instalacji.',
'Stereo Tool is not free software, and its restrictive license does not allow AzuraCast to distribute the Stereo Tool binary.' => 'Stereo Tool nie jest darmowym oprogramowaniem, a jego restrykcyjna licencja nie pozwala AzuraCast na dystrybucj binarki Stereo Tool.',
'Stereo Tool version %{ version } is currently installed.' => 'Obecnie zainstalowana wersja Stereo Tool to "%{ version }".',
'Stop' => 'Zatrzymaj',
'Stop Streaming' => 'Zatrzymaj stream',
'Storage Adapter' => 'Adapter pamici',
'Storage Location' => 'Lokalizacja przechowywania',
'Storage Locations' => 'Lokalizacje pamici',
'Storage Quota' => 'Limit przestrzeni',
'Stream' => 'Strumie',
'Streamer Broadcasts' => 'Audycje Prezentera',
'Streamer Display Name' => 'Nazwa wywietlana prezentera',
'Streamer password' => 'Haso streamera',
'Streamer Username' => 'Nazwa uytkownika Streamera',
'Streamer/DJ' => 'Streamer/DJ',
'Streamer/DJ Accounts' => 'Konta streamer/DJ',
'Streamers/DJs' => 'Streamerzy/DJe',
'Streams' => 'Strumienie',
'Submit Code' => 'Wylij kod',
'Sunday' => 'Niedziela',
'Support Documents' => 'Dokumentacja pomocy technicznej',
'Supported file formats:' => 'Obsugiwane formaty plikw:',
'Switch Theme' => 'Przecz motyw',
'Synchronization Tasks' => 'Zadania synchronizacji',
'Synchronize with Playlist' => 'Synchronizuj z playlist',
'System Administration' => 'Administracja systemem',
'System Debugger' => 'Debuger systemowy',
'System Logs' => 'Dziennik systemowy',
'System Maintenance' => 'Konserwacja systemu',
'System Settings' => 'Ustawienia systemu',
'Target' => 'Cel',
'Task Name' => 'Nazwa zadania',
'Telegram Chat Message' => 'Wiadomo czatu w Telegramie',
'Test' => 'Test',
'Test message sent.' => 'Wiadomo testowa wysana.',
'Thanks for listening to %{ station }!' => 'Dzikujemy za suchanie %{ station }!',
'The amount of memory Linux is using for disk caching.' => 'Ilo pamici, jak Linux uywa do buforowania na dysku.',
'The average target loudness (measured in LUFS) for the broadcasted stream. Values between -14 and -18 LUFS are common for Internet radio stations.' => 'redni docelowy poziom gonoci (mierzony w LUFS) dla nadawanego strumienia. Wartoci midzy -14 a -18 LUFS s powszechne dla internetowych stacji radiowych.',
'The base URL where this service is located. Use either the external IP address or fully-qualified domain name (if one exists) pointing to this server.' => 'Podstawowy adres URL, pod ktrym znajduje si ta usuga. Uyj zewntrznego adresu IP lub penej nazwy domeny (jeli istnieje) wskazujcej na ten serwer.',
'The body of the POST message is the exact same as the NowPlaying API response for your station.' => 'Tre wiadomoci POST jest dokadnie taka sama jak odpowied API NowPlaying dla Twojej stacji.',
'The contact person of the podcast. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => 'Osoba kontaktowa podcastu. Ta informacja moe by wymagana, aby wywietli podcast w serwisach takich jak Apple Podcasts, Spotify, Google Podcasts, itp.',
'The current CPU usage including I/O Wait and Steal.' => 'Biece uycie CPU, w tym oczekiwanie i kradzie I/O.',
'The current Memory usage excluding cached memory.' => 'Aktualne uycie pamici bez uwzgldniania pamici podrcznej.',
'The date and time when the episode should be published.' => 'Data i godzina, kiedy odcinek powinien zosta opublikowany.',
'The description of the episode. The typical maximum amount of text allowed for this is 4000 characters.' => 'Opis odcinka. Typowa maksymalna dozwolona dugo tekstu wynosi 4000 znakw.',
'The description of your podcast. The typical maximum amount of text allowed for this is 4000 characters.' => 'Opis Twojego podcastu. Typowa maksymalna dozwolona dugo tekstu wynosi 4000 znakw.',
'The display name assigned to this mount point when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Nazwa wywietlana jest przypisana do tego punktu montowania podczas wywietlania jej na podstronach panelu administracyjnego lub na stronach publicznych. Pozostaw puste, aby wygenerowa j automatycznie.',
'The display name assigned to this relay when viewing it on administrative or public pages. Leave blank to automatically generate one.' => 'Nazwa wywietlana przypisana do tego relaya przy wywietlaniu w panelu administracyjnym lub na stronach publicznych. Pozostaw puste, aby wygenerowa automatycznie.',
'The editable text boxes are areas where you can insert custom configuration code. The non-editable sections are automatically generated by AzuraCast.' => 'Edytowalne pola tekstowe to obszary, w ktrych moesz wstawi wasny kod konfiguracyjny. Sekcje nieedytowalne s generowane automatycznie przez AzuraCast.',
'The email of the podcast contact. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => 'E-mail kontaktowy do autora podcastu. Moe by wymagany, aby wywietli podcasty w usugach takich jak Apple Podcasts, Spotify, Google Podcasts, itp.',
'The file name should look like:' => 'Nazwa pliku powinna wyglda tak:',
'The format and headers of this CSV should match the format generated by the export function on this page.' => 'Format i nagwki tego CSV powinny odpowiada formatowi wygenerowanemu przez funkcj eksportu na tej stronie.',
'The full base URL of your Matomo installation.' => 'Peny podstawowy adres URL Twojej instalacji Matomo.',
'The full playlist is shuffled and then played through in the shuffled order.' => 'Pena playlista jest przetasowana, a nastpnie odtwarzana w porzdku losowym.',
'The I/O Wait is the percentage of time that the CPU is waiting for disk access before it can continue the work that depends on the result of this.' => 'Oczekiwanie I/O to procent czasu, w ktrym procesor czeka na dostp do dysku, zanim bdzie mg kontynuowa prac zalen od rezultatu.',
'The language spoken on the podcast.' => 'Jzyk uywany w podcacie.',
'The length of playback time that Liquidsoap should buffer when playing this remote playlist. Shorter times may lead to intermittent playback on unstable connections.' => 'Dugo czasu odtwarzania, ktry Liquidsoap powinien buforowa podczas odtwarzania tej zdalnej playlisty. Krtsze czasy mog prowadzi do przerywanego odtwarzania na niestabilnych poczeniach.',
'The number of seconds of signal to store in case of interruption. Set to the lowest value that your DJs can use without stream interruptions.' => 'Dugo sygnau w sekundach, jaka bdzie przechowywana w razie usterki. Ustaw najnisz warto, jak mog wykorzystywa Twoi prezenterzy w razie przerwania si strumienia.',
'The number of seconds to wait for a response from the remote server before cancelling the request.' => 'Liczba sekund oczekiwania na odpowied zdalnego serwera przed anulowaniem dania.',
'The numeric site ID for this site.' => 'Numeryczny identyfikator witryny dla tej witryny.',
'The order of the playlist is manually specified and followed by the AutoDJ.' => 'Kolejno playlisty jest okrelona rcznie i nastpuje przez AutoDJ.',
'The parent directory where station playlist and configuration files are stored. Leave blank to use default directory.' => 'Katalog nadrzdny, w ktrym s przechowywane pliki listy odtwarzania i konfiguracji stacji. Pozostaw puste, aby uy domylnego katalogu.',
'The relative path of the file in the station\'s media directory.' => 'cieka wzgldna pliku w katalogu multimediw stacji.',
'The station ID will be a numeric string that starts with the letter S.' => 'Identyfikator stacji bdzie cigiem liczbowym, zaczynajcym si na liter S.',
'The streamer will use this password to connect to the radio server.' => 'Nadajcy uyje tego hasa, by poczy si z serwerem radiowym.',
'The streamer will use this username to connect to the radio server.' => 'Streamer uyje tej nazwy uytkownika do czenia si z serwerem radia.',
'The time period that the song should fade in. Leave blank to use the system default.' => 'Czas, w ktrym piosenka powinna pynnie si zaczyna. Pozostaw puste, aby uy domylnego ustawienia systemu.',
'The time period that the song should fade out. Leave blank to use the system default.' => 'Czas, w ktrym piosenka powinna pynnie si koczy. Pozostaw puste, aby uy domylnego ustawienia systemu.',
'The URL that will receive the POST messages any time an event is triggered.' => 'URL, ktry bdzie odbiera wiadomo POST za kadym razem, gdy zdarzenie bdzie wywoywane.',
'The volume in decibels to amplify the track with. Leave blank to use the system default.' => 'Gono w decybelach, aby zwikszy gono utworu. Pozostaw puste, aby uy domylnego ustawienia systemu.',
'The WebDJ lets you broadcast live to your station using just your web browser.' => 'WebDJ umoliwia nadawanie na ywo stacji za pomoc przegldarki internetowej.',
'Theme' => 'Motyw',
'There is no existing custom fallback file associated with this station.' => 'Nie ma istniejcego niestandardowego pliku zastpczego powizanego z t stacj.',
'There is no existing intro file associated with this mount point.' => 'Brak pliku intra powizanego z tym punktem montowania.',
'There is no existing media associated with this episode.' => 'Nie ma adnych multimediw powizanych z tym odcinkiem.',
'There is no Stereo Tool configuration file present.' => 'Brak pliku konfiguracyjnego Stereo Tool.',
'This account will have full access to the system, and you\'ll automatically be logged in to it for the rest of setup.' => 'To konto bdzie posiadao peny dostp do systemu, i zostaniesz na nie zalogowany automatycznie aby dokoczy instalacj.',
'This can be generated in the "Events" section for a measurement.' => 'Dla celw pomiaru mona to wygenerowa w sekcji Wydarzenia.',
'This can be retrieved from the GetMeRadio dashboard.' => 'Mona to pobra z panelu GetMeRadio.',
'This can make it look like your memory is low while it actually is not. Some monitoring solutions/panels include cached memory in their used memory statistics without indicating this.' => 'Moe to spowodowa, e bdzie ci si wydawao, e masz mao pamici, mimo i tak nie jest. Niektre narzdzia lub panele do monitorowania obejmuj w swoich statystykach uycia pamici rwnie pami buforowan, nie informujc o tym.',
'This code will be included in the frontend configuration. Allowed formats are:' => 'Ten kod zostanie doczony do konfiguracji frontendu. Dozwolone formaty:',
'This configuration file should be a valid .sts file exported from Stereo Tool.' => 'Ten plik konfiguracyjny powinien by poprawnym plikiem .sts eksportowanym z Stereo Tool.',
'This CSS will be applied to the main management pages, like this one.' => 'Niniejszy CSS zostanie zastosowany na gwnych stronach panelu zarzdzania, w tym na tej.',
'This CSS will be applied to the station public pages and login page.' => 'Ten CSS zostanie zastosowany na publicznych stronach stacji oraz na stronie logowania.',
'This CSS will be applied to the station public pages.' => 'Ten CSS zostanie zastosowany na publicznych stronach stacji.',
'This determines how many songs in advance the AutoDJ will automatically fill the queue.' => 'Ta warto okrela, ile piosenek z gry bdzie automatycznie wypenia kolejk.',
'This feature requires the AutoDJ feature to be enabled.' => 'Ta funkcja wymaga wczenia funkcjonalnoci AutoDJ.',
'This field is required.' => 'To pole jest wymagane.',
'This field must be a valid decimal number.' => 'To pole musi zawiera poprawn liczb dziesitn.',
'This field must be a valid e-mail address.' => 'To pole musi zawiera poprawny adres e-mail.',
'This field must be a valid integer.' => 'To pole musi zawiera poprawn liczb cakowit.',
'This field must be a valid IP address.' => 'To pole musi zawiera poprawny adres IP.',
'This field must be a valid URL.' => 'To pole musi zawiera poprawny adres URL.',
'This field must be between %{ min } and %{ max }.' => 'To pole musi zawiera si w przedziale od %{ min } do %{ max }.',
'This field must have at least %{ min } letters.' => 'To pole musi mie co najmniej %{ min } liter.',
'This field must have at most %{ max } letters.' => 'To pole musi mie maksymalnie %{ max } liter.',
'This field must only contain alphabetic characters.' => 'To pole moe zawiera tylko znaki alfabetyczne.',
'This field must only contain alphanumeric characters.' => 'To pole musi zawiera tylko znaki alfanumeryczne.',
'This field must only contain numeric characters.' => 'To pole musi zawiera tylko znaki numeryczne.',
'This file will be played on your radio station any time no media is scheduled to play or a critical error occurs that interrupts regular broadcasting.' => 'Ten plik bdzie odtwarzany na stacji radiowej w dowolnym momencie, gdy nie zaplanowano odtwarzania mediw lub wystpi krytyczny bd, ktry przerywa regularne nadawanie.',
'This image will be used as the default album art when this streamer is live.' => 'Ten obraz bdzie uywany jako domylna okadka albumu kiedy ten streamer bdzie nadawa na ywo.',
'This introduction file should exactly match the bitrate and format of the mount point itself.' => 'Plik intra powinien mie dokadnie taki sam bitrate i format, co punkt montowania.',
'This is a 3-5 digit number.' => 'Jest to liczba 3-5 cyfrowa.',
'This is an advanced feature and custom code is not officially supported by AzuraCast. You may break your station by adding custom code, but removing it should fix any issues.' => 'To jest zaawansowana funkcja i niestandardowy kod nie jest oficjalnie obsugiwany przez AzuraCast. Moesz zepsu swoj stacj, dodajc niestandardowy kod, ale usunicie go powinno rozwiza wszelkie problemy.',
'This is the informal display name that will be shown in API responses if the streamer/DJ is live.' => 'Nieformalna nazwa wywietlana, ktra bdzie si ukazywaa w odpowiedziach API jeli prezenter bdzie nadawa na ywo.',
'This is the number of seconds until a streamer who has been manually disconnected can reconnect to the stream. Set to 0 to allow the streamer to immediately reconnect.' => 'Jest to liczba sekund do momentu, gdy streamer, ktry zosta odczony rcznie, moe ponownie poczy si z strumieniem. Ustaw 0 aby umoliwi natychmiastowe ponowne poczenie streamera.',
'This javascript code will be applied to the station public pages and login page.' => 'Niniejszy kod JavaScript zostanie zastosowany na publicznych stronach stacji oraz stronie logowania.',
'This javascript code will be applied to the station public pages.' => 'Niniejszy kod JavaScript zostanie zastosowany na publicznych stronach stacji.',
'This mode disables AzuraCast\'s AutoDJ management, using Liquidsoap itself to manage song playback. "next song" and some other features will not be available.' => 'Ten tryb wycza zarzdzanie AutoDJ-em przez AzuraCast, uywajc samego Liquidsoap do zarzdzania odtwarzaniem utworw. "Nastpna piosenka" i niektre inne funkcje nie bd dostpne.',
'This Month' => 'W tym miesicu',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => 'T nazw zawsze naley zaczyna ukonikiem (/) i musi by prawidowym adresem URL, np. /autodj.mp3',
'This name will appear as a sub-header next to the AzuraCast logo, to help identify this server.' => 'Ta nazwa bdzie wywietlana jako nagwek podrzdny obok loga AzuraCast, aby pomc zidentyfikowa ten serwer.',
'This page lists all API keys assigned to all users across the system. To manage your own API keys, visit your account profile.' => 'Ta strona zawiera list wszystkich kluczy API przypisanych do wszystkich uytkownikw w systemie. Aby zarzdza wasnymi kluczami API, przejd do profilu konta.',
'This password is too common or insecure.' => 'To haso jest zbyt czsto spotykane lub niebezpieczne.',
'This playlist currently has no scheduled times. It will play at all times. To add a new scheduled time, click the button below.' => 'Ta playlista nie ma obecnie zaplanowanych czasw odtwarzania. Bdzie gra przez cay czas. Aby doda nowy zaplanowany czas, kliknij przycisk poniej.',
'This playlist will play every $x minutes, where $x is specified here.' => 'Ta playlista bdzie odtwarzana co $x minut, przy czym warto $x jest okrelona tutaj.',
'This playlist will play every $x songs, where $x is specified here.' => 'Ta playlista bdzie odtwarzana co $x utworw, przy czym warto $x jest okrelona tutaj.',
'This podcast is automatically synchronized with a playlist. Episodes cannot be manually added or removed via this panel.' => 'Ten podcast jest automatycznie zsynchronizowany z playlist. Odcinki nie mog by rcznie dodane lub usunite przez ten panel.',
'This port is not used by any external process. Only modify this port if the assigned port is in use. Leave blank to automatically assign a port.' => 'Ten port nie jest wykorzystywany przez aden proces zewntrzny. Zmie port tylko wtedy, gdy ten przypisany jest ju uywany. Pozostaw puste, aby przypisa port automatycznie.',
'This queue contains the remaining tracks in the order they will be queued by the AzuraCast AutoDJ (if the tracks are eligible to be played).' => 'Ta kolejka zawiera pozostae utwory w kolejnoci, w ktrej zostan umieszczone w kolejce przez autopilota AzuraCast (jeli utwory kwalifikuj si do odtworzenia).',
'This service can provide album art for tracks where none is available locally.' => 'Ta usuga moe dostarcza okadki albumw dla utworw, dla ktrych lokalnie nie s dostpne adne okadki.',
'This setting can result in excessive CPU consumption and should be used with caution.' => 'To ustawienie moe skutkowa nadmiernym uyciem procesora i powinno by stosowane z rozwag.',
'This software is traditionally used to deliver your broadcast to your listeners. You can still broadcast remotely or via HLS if this service is disabled.' => 'To oprogramowanie jest tradycyjnie uywane do dostarczania Twojej transmisji do suchaczy. Nadal moesz nadawa zdalnie lub za porednictwem HLS, jeli ta usuga jest wyczona.',
'This software shuffles from playlists of music constantly and plays when no other radio source is available.' => 'To oprogramowanie nieprzerwanie losuje utwory z playlisty i odtwarza je, gdy nie jest dostpne adne inne rdo sygnau radia.',
'This specifies the minimum time (in minutes) between a song playing on the radio and being available to request again. Set to 0 for no threshold.' => 'Okrela minimalny czas (w minutach) midzy odtwarzaniem piosenki w radiu a ponownym daniem tej samej piosenki. Ustaw 0 dla braku progu.',
'This specifies the time range (in minutes) of the song history that the duplicate song prevention algorithm should take into account.' => 'Okrela zakres czasowy (w minutach) w historii utworw, ktry powinien zosta uwzgldniony przez algorytm zapobiegania powtrzeniom piosenek.',
'This station\'s time zone is currently %{tz}.' => 'Strefa czasowa tej stacji to obecnie %{tz}.',
'This streamer is not scheduled to play at any times.' => 'Dla tego prezentera nie okrelono adnych czasw adawania.',
'This URL is provided within the Discord application.' => 'Ten URL jest podany w aplikacji Discord.',
'This web hook is no longer supported. Removing it is recommended.' => 'Ten webhook nie jest ju obsugiwany. Zalecamy usunicie go.',
'This web hook will only run when the selected event(s) occur on this specific station.' => 'Ten webhook zostanie uruchomiony tylko wtedy, gdy wybrane zdarzenie(a) wystpi() na tej konkretnej stacji.',
'This will be shown on public player pages if the station is offline. Leave blank to default to a localized version of "%{message}".' => 'Zostanie wywietlone na stronach publicznego odtwarzacza, jeli stacja jest offline. Pozostaw puste, aby wywietla domyln zlokalizowan wersj "%{message}".',
'This will be the file name for your backup, include the extension for file type you wish to use. Leave blank to have a name generated automatically.' => 'Bdzie to nazwa pliku kopii zapasowej, docz rozszerzenie dla typu pliku, ktrego chcesz uy. Pozostaw puste, aby wygenerowa nazw automatycznie.',
'This will be used as the label when editing individual songs, and will show in API results.' => 'Zostanie uyte jako nazwa pola podczas edytowania pojedynczych piosenek, i zostanie wywietlone w wynikach API.',
'This will clear any pending unprocessed messages in all message queues.' => 'Spowoduje to wyczyszczenie oczekujcych nieprzetworzonych wiadomoci we wszystkich kolejkach wiadomoci.',
'This will produce a significantly smaller backup, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => 'To spowoduje znacznie mniejsz kopi zapasow, ale powiniene zrobi kopi zapasow swoich mediw gdzie indziej. Zauwa, e tylko lokalnie przechowywane media bd zapisywane w kopii zapasowej.',
'Thumbnail Image URL' => 'Adres URL miniatury obrazu',
'Thursday' => 'Czwartek',
'Time' => 'Czas',
'Time (sec)' => 'Czas (sek)',
'Time Display' => 'Wywietlanie czasu',
'Time spent waiting for disk I/O to be completed.' => 'Czas spdzony na czekaniu na ukoczenie operacji I/O.',
'Time stolen by other virtual machines on the same physical server.' => 'Czas skradziony przez inne maszyny wirtualne na tym samym fizycznym serwerze.',
'Time Zone' => 'Strefa czasowa',
'Title' => 'Tytu',
'To alleviate this potential problem with shared CPU resources, hosts assign "credits" to a VPS which are used up according to an algorithm based on the CPU load as well as the time over which the CPU load is generated. If your VM\'s assigned credit is used up, they will take CPU time from your VM and assign it to other VMs on the machine. This is seen as the "Steal" or "St" value.' => 'Aby zagodzi ten potencjalny problem ze wspdzielonymi zasobami CPU, hosty przypisuj "kredyty" do VPS-a, ktre s uywane zgodnie z algorytmem na podstawie obcienia CPU oraz czasu, w ktrym generowane jest obcienie procesora. Jeli kredyt przypisany do Twojego VPS-a jest wykorzystany, to zabierze to czas CPU z Twojego VPS-a i przypisze go do innych maszyn wirtualnych na serwerze. Jest to warto Steal (kradzie) lub St.',
'To customize installation settings, or if automatic updates are disabled, you can follow our standard update instructions to update via your SSH console.' => 'Aby dostosowa ustawienia instalacji, lub jeli automatyczne aktualizacje s wyczone, moesz postpowa zgodnie ze standardowymi instrukcjami aktualizacji, aby zaktualizowa je przez konsol SSH.',
'To download the GeoLite database:' => 'Aby pobra baz danych GeoLite:',
'To play once per day, set the start and end times to the same value.' => 'Aby odtwarza raz dziennie, ustaw godziny pocztkowe i kocowe na t sam warto.',
'To restore a backup from your host computer, run:' => 'Aby przywrci kopi zapasow z wasnego komputera, uruchom:',
'To retrieve detailed unique listeners and client details, an administrator password is often required.' => 'Aby pobra szczegowe unikalne suchacze i dane klienta, czsto wymagane jest haso administratora.',
'To set this schedule to run only within a certain date range, specify a start and end date.' => 'Aby ustawi ten harmonogram do uruchomienia tylko w okrelonym przedziale dat, okrel dat rozpoczcia i zakoczenia.',
'To use this feature, a secure (HTTPS) connection is required. Firefox is recommended to avoid static when broadcasting.' => 'Aby korzysta z tej funkcji, wymagane jest szyfrowane poczenie (HTTPS). Aby unikn metalicznych usterek dwikowych, zalecane jest uycie przegldarki Firefox.',
'To verify that the code was set up correctly, enter the 6-digit code the app shows you.' => 'Aby sprawdzi, czy kod zosta ustawiony poprawnie, wpisz tutaj szeciocyfrowy kod wywietlany przez aplikacj.',
'Today' => 'Dzi',
'Toggle Menu' => 'Przecz menu',
'Toggle Sidebar' => 'Przecz panel boczny',
'Top Browsers by Connected Time' => 'Najlepsze przegldarki wg czasu podczenia',
'Top Browsers by Listeners' => 'Najlepsze przegldarki wg liczby suchaczy',
'Top Countries by Connected Time' => 'Najlepsze kraje wg czasu poczenia',
'Top Countries by Listeners' => 'Najlepsze kraje wg liczby suchaczy',
'Top Streams by Connected Time' => 'Najlepsze strumienie wedug czasu poczenia',
'Top Streams by Listeners' => 'Najlepsze strumienie wg liczby suchaczy',
'Total Disk Space' => 'Cakowita przestrze dyskowa',
'Total Listener Hours' => 'cznie godziny suchania',
'Total RAM' => 'Cakowita ilo pamici RAM',
'Transmitted' => 'Przesane',
'Triggers' => 'Wyzwalacze',
'Tuesday' => 'Wtorek',
'TuneIn AIR' => 'TuneIn AIR',
'TuneIn Partner ID' => 'ID Partnera w TuneIn',
'TuneIn Partner Key' => 'Klucz Partnera w TuneIn',
'TuneIn Station ID' => 'ID stacji w TuneIn',
'Two-Factor Authentication' => 'Uwierzytelnianie dwuskadnikowe',
'Two-factor authentication improves the security of your account by requiring a second one-time access code in addition to your password when you log in.' => 'Uwierzytelnianie dwuskadnikowe poprawia bezpieczestwo Twojego konta, poniewa wymaga podania kodu jednorazowego dostpu oprcz hasa podczas logowania.',
'Typically a website with content about the episode.' => 'Zwykle strona internetowa z treci dotyczc odcinka.',
'Typically the home page of a podcast.' => 'Zazwyczaj strona gwna podcastu.',
'Unable to update.' => 'Nie mona zaktualizowa.',
'Unassigned Files' => 'Nieprzypisane pliki',
'Uninstall' => 'Odinstaluj',
'Unique' => 'Unikalne',
'Unique identifier for the target chat or username of the target channel (in the format @channelusername).' => 'Unikalny identyfikator docelowego czata lub nazwa uytkownika na docelowym kanale (w formacie @nazwa_uytkownika_lub_kanau).',
'Unique Listeners' => 'Unikalni suchacze',
'Unknown' => 'Nieznany',
'Unknown Artist' => 'Nieznany wykonawca',
'Unknown Title' => 'Nieznany tytu',
'Unlisted' => 'Niewymienione',
'Unmute' => 'Wycz wyciszenie',
'Unprocessable Files' => 'Pliki nieprzetwarzalne',
'Unpublished' => 'Nieopublikowane',
'Unselect All Rows' => 'Odznacz wszystkie wiersze',
'Unselect Row' => 'Odznacz wiersz',
'Upcoming Song Queue' => 'Kolejka nastpnych utworw',
'Update' => 'Zaktualizuj',
'Update AzuraCast' => 'Zaktualizuj AzuraCast',
'Update AzuraCast via Web' => 'Zaktualizuj AzuraCast przez WWW',
'Update AzuraCast? Your installation will restart.' => 'Zaktualizowa AzuraCast? Instalacja zostanie uruchomiona ponownie.',
'Update Details' => 'Szczegy aktualizacji',
'Update Instructions' => 'Instrukcje aktualizacji',
'Update Metadata' => 'Aktualizuj metadane',
'Update started. Your installation will restart shortly.' => 'Aktualizacja rozpoczta. Instalacja zostanie wkrtce zrestartowana.',
'Update Station Configuration' => 'Aktualizuj konfiguracj stacji',
'Update via Web' => 'Aktualizuj przez WWW',
'Updated' => 'Zaktualizowano',
'Updated successfully.' => 'Zaktualizowano pomylnie.',
'Upload a Stereo Tool configuration file from the "Broadcasting" submenu in the station profile.' => 'Przelij plik konfiguracyjny Stereo Tool z podmenu "Nadawanie" w profilu stacji.',
'Upload Custom Assets' => 'Przelij niestandardowe zasoby',
'Upload Stereo Tool Configuration' => 'Przelij konfiguracj Stereo Tool',
'Upload the file on this page to automatically extract it into the proper directory.' => 'Przelij plik na tej stronie, aby automatycznie rozpakowa go do odpowiedniego katalogu.',
'Uploaded Time' => 'Czas przesania',
'URL' => 'URL',
'URL Stub' => 'Krtki URL',
'Use' => 'Uycie',
'Use (Us)' => 'Uycie (Us)',
'Use API keys to authenticate with the AzuraCast API using the same permissions as your user account.' => 'Uyj kluczy API do uwierzytelniania z API AzuraCast przy uyciu tych samych uprawnie co konto uytkownika.',
'Use Browser Default' => 'Uyj domylnej wartoci w przegldarce',
'Use High-Performance Now Playing Updates' => 'Uyj aktualizacji pola Teraz Odtwarzane o wysokiej wydajnoci',
'Use Icecast 2.4 on this server.' => 'Uyj Icecast 2.4 na tym serwerze.',
'Use Less CPU (Uses More Memory)' => 'Uyj mniej CPU (uywa wicej pamici)',
'Use Less Memory (Uses More CPU)' => 'Uyj mniej pamici (Uywa wicej CPU)',
'Use Liquidsoap on this server.' => 'Uyj Liquidsoap na tym serwerze.',
'Use Path Instead of Subdomain Endpoint Style' => 'Uyj cieki zamiast stylu punktu kocowego subdomeny',
'Use Secure (TLS) SMTP Connection' => 'Uyj bezpiecznego poczenia SMTP (TLS)',
'Use Shoutcast DNAS 2 on this server.' => 'Uyj Shoutcast DNAS 2 na tym serwerze.',
'Use the Telegram Bot API to send a message to a channel.' => 'Wylij wiadomo do kanau za pomoc interfejsu Telegram Bot API.',
'Use this form to send a manual metadata update. Note that this will override any existing metadata on the stream.' => 'Uyj tego formularza, aby wysa rczn aktualizacj metadanych. Miej na wzgldzie, e spowoduje to nadpisanie wszystkich istniejcych metadanych w strumieniu.',
'Use Web Proxy for Radio' => 'Uyj sieciowego serwera proxy dla radia',
'Used' => 'Uywane',
'Used for "Forgot Password" functionality, web hooks and other functions.' => 'Uywane do funkcji "Zapomniae hasa", webhookw i innych funkcji.',
'User' => 'Uytkownik',
'User Accounts' => 'Konto uytkownika',
'User Agent' => 'Agent uytkownika',
'User Name' => 'Nazwa uytkownika',
'User Permissions' => 'Uprawnienia uytkownika',
'Username' => 'Nazwa uytkownika',
'Username:' => 'Nazwa uytkownika:',
'Users' => 'Uytkownicy',
'Users with this role will have these permissions across the entire installation.' => 'Uytkownicy z t rol bd mieli te uprawnienia w caej instalacji.',
'Users with this role will have these permissions for this single station.' => 'Uytkownicy z t rol bd mieli te uprawnienia w tej jednej stacji.',
'Uses either Websockets, Server-Sent Events (SSE) or static JSON files to serve Now Playing data on public pages. This improves performance, especially with large listener volume. Disable this if you are encountering problems with the service or use multiple URLs to serve your public pages.' => 'Uywa websocketw, zdarze wysyanych przez serwer (Server-Sent Events, w skrcie SSE) lub statycznych plikw JSON, aby dostarczy dane Teraz Odtwarzane na stronach publicznych. Podnosi to wydajno, szczeglnie przy duych liczbach suchaczy. Wycz to, jeli napotykasz na problemy z usug lub uywasz wielu URL-i do dostarczania stron publicznych.',
'Using a passkey (like Windows Hello, YubiKey, or your smartphone) allows you to securely log in without needing to enter your password or two-factor code.' => 'Korzystanie z klucza prywatnego (np. Windows Hello, YubiKey, lub smartfona) pozwala bezpiecznie zalogowa si bez potrzeby wprowadzania hasa lub kodu weryfikacji dwuetapowej.',
'Using this page, you can customize several sections of the Liquidsoap configuration. This allows you to add advanced functionality to your station\'s AutoDJ.' => 'Korzystajc z tej strony, moesz dostosowa kilka sekcji konfiguracji Liquidsoap. Pozwala to na dodanie zaawansowanych funkcji do autopilota.',
'Usually enabled for port 465, disabled for ports 587 or 25.' => 'Zazwyczaj wczone dla portu 465, wyczone dla portw 587 lub 25.',
'Variables are in the form of: ' => 'Zmienne maj posta: ',
'View' => 'Wywietl',
'View Fullscreen' => 'Wcz widok penoekranowy',
'View Listener Report' => 'Wywietl raport o suchaczach',
'View Profile' => 'Wywietl profil',
'View tracks in playlist' => 'Zobacz utwory na licie odtwarzania',
'Visit the Dropbox App Console:' => 'Odwied konsol aplikacji Dropbox:',
'Visit the link below to sign in and generate an access code:' => 'Odwied poniszy link, aby si zalogowa i wygenerowa kod dostpu:',
'Visit your Mastodon instance.' => 'Odwied swoj instancj Mastodon.',
'Visual Cue Editor' => 'Wizualny edytor wskanikw',
'Volume' => 'Gono',
'Wait' => 'Czekanie',
'Wait (Wa)' => 'Czekanie (Wa)',
'Warning' => 'Ostrzeenie',
'Waveform Zoom' => 'Powikszenie Fali Dwikowej',
'Web DJ' => 'Web DJ',
'Web Hook Details' => 'Szczegy webhook\'a',
'Web Hook Name' => 'Nazwa webhooka',
'Web Hook Triggers' => 'Wyzwalacze webhook\'a',
'Web Hook URL' => 'URL webhook\'a',
'Web Hooks' => 'Narzdzia dla stron www',
'Web hooks automatically send a HTTP POST request to the URL you specify to notify it any time one of the triggers you specify occurs on your station.' => 'Webhooki automatycznie wysyaj danie POST HTTP na wskazany adres URL, aby powiadomi go w dowolnym momencie o jednym z podanych przez Ciebie wyzwalaczy.',
'Web hooks let you connect to external web services and broadcast changes to your station to them.' => 'Webhooki pozwalaj czy si z zewntrznymi serwisami internetowymi i wysya do nich zmiany dotyczce Twojej stacji.',
'Web Site URL' => 'Adres URL strony www',
'Web updates are not available for your installation. To update your installation, perform the manual update process instead.' => 'Aktualizacje przez WWW nie s dostpne dla Twojej instalacji. Aby zaktualizowa instalacj, wykonaj rczn aktualizacj.',
'WebDJ' => 'WebDJ',
'WebDJ connected!' => 'WebDJ poczony!',
'Website' => 'Strona internetowa',
'Wednesday' => 'roda',
'Weight' => 'Waga',
'Welcome to AzuraCast!' => 'Witaj w AzuraCast!',
'Welcome!' => 'Witaj!',
'When making API calls, you can pass this value in the "X-API-Key" header to authenticate as yourself.' => 'Podczas wykonywania wywoa API, moesz przekaza t warto w nagwku "X-API-Key" aby dokona uwierzytelnienia.',
'When the song changes and a live streamer/DJ is connected' => 'Gdy zmienia si piosenka i podczony jest Streamer/DJ',
'When the station broadcast comes online' => 'Kiedy sygna stacji przechodzi w tryb online',
'When the station broadcast goes offline' => 'Kiedy sygna stacji przechodzi w tryb offline',
'Whether new episodes should be marked as published or held for review as unpublished.' => 'Czy nowe odcinki powinny by oznaczone jako opublikowane lub przechowywane w celu sprawdzenia jako nieopublikowane.',
'Whether the AutoDJ should attempt to avoid duplicate artists and track titles when playing media from this playlist.' => 'Czy AutoDJ powinien prbowa unikn duplikowania artystw i tytuw podczas odtwarzania multimediw z tej listy odtwarzania.',
'Widget Type' => 'Typ widetu',
'With selected:' => 'Zaznaczone:',
'Worst Performing Songs' => 'Najmniej popularne utwory',
'Yes' => 'Tak',
'Yesterday' => 'Wczoraj',
'You' => 'Ty',
'You can also upload files in bulk via SFTP.' => 'Moesz rwnie przesya pliki zbiorowo za porednictwem SFTP.',
'You can find answers for many common questions in our support documents.' => 'W naszej dokumentacji pomocy technicznej znajdziesz odpowiedzi na wiele czsto zadawanych pyta.',
'You can include any special mount point settings here, in either JSON { key: \'value\' } format or XML <key>value</key>' => 'Moesz tu poda specjalne ustawienia punktu montowania w formacie JSON { key: \'value\' } lub <key>warto klucza</key> XML',
'You can only perform the actions your user account is allowed to perform.' => 'Moesz wykona tylko akcje dozwolone dla Twojego konta uytkownika.',
'You can set a custom URL for this stream that AzuraCast will use when referring to it on the web interface and in the Now Playing API return data. Leave empty to use the default value.' => 'Moesz ustawi niestandardowy adres URL dla tego streamu, ktry AzuraCast bdzie uywa przy odwoywaniu si do niego w interfejsie internetowym i w danych zwracanych przez Now Playing API. Pozostaw puste, aby uy wartoci domylnej.',
'You may need to connect directly to your IP address:' => 'Moesz potrzebowa poczenia bezporednio z Twoim adresem IP:',
'You may need to connect directly via your IP address:' => 'By moe musisz poczy si bezporednio przez swj adres IP:',
'You will not be able to retrieve it again.' => 'Nie bdziesz w stanie odzyska go ponownie.',
'Your browser does not support passkeys. Consider updating your browser to the latest version.' => 'Twoja przegldarka nie obsuguje kluczy prywatnych. Rozwa aktualizacj przegldarki do najnowszej wersji.',
'Your full API key is below:' => 'Oto Twj peny klucz API:',
'Your installation is currently on this release channel:' => 'Obecnie twoja instalacja korzysta z nastpujcego kanau wydawniczego:',
'Your installation is up to date! No update is required.' => 'Twoja instalacja jest aktualna! Aktualizacja nie jest wymagana.',
'Your installation needs to be updated. Updating is recommended for performance and security improvements.' => 'Twoja instalacja musi zosta zaktualizowana. Aktualizowanie jest zalecane w celu poprawy wydajnoci i bezpieczestwa.',
'Your station does not support reloading configuration. Restart broadcasting instead to apply changes.' => 'Twoja stacja nie obsuguje przeadowania konfiguracji. Uruchom ponownie nadawanie, aby zastosowa zmiany.',
'Your station has changes that require a reload to apply.' => 'Twoja stacja ma zmiany, ktre wymagaj przeadowania.',
'Your station is currently not enabled for broadcasting. You can still manage media, playlists, and other station settings. To re-enable broadcasting, edit your station profile.' => 'Dla Twojej stacji nadawanie jest obecnie wyczone. Nadal moesz zarzdza multimediami, playlistami i innymi ustawieniami stacji. Aby wczy nadawanie ponownie, edytuj profil swojej stacji.',
'Your station supports reloading configuration.' => 'Twoja stacja obsuguje przeadowanie konfiguracji.',
'YouTube' => 'YouTube',
'YP Directory Authorization Hash' => 'Hash autoryzacji katalogu YP',
'Select...' => 'Wybierz...',
'Too many forgot password attempts' => 'Zbyt wiele prb uycia funkcji "Zapomniaem hasa"',
'You have attempted to reset your password too many times. Please wait 30 seconds and try again.' => 'Prbowae zresetowa haso zbyt wiele razy. Prosz odczeka 30 sekund i sprbowa ponownie.',
'Account Recovery' => 'Odzyskiwanie konta',
'Account recovery e-mail sent.' => 'E-mail z odzyskiwaniem konta wysany.',
'If the e-mail address you provided is in the system, check your inbox for a password reset message.' => 'Jeli podany adres e-mail jest w systemie, sprawd swoj skrzynk w poszukiwaniu wiadomoci z informacj na temat resetowania hasa.',
'Too many login attempts' => 'Zbyt wiele prb logowania',
'You have attempted to log in too many times. Please wait 30 seconds and try again.' => 'Prbowano zalogowa zbyt wiele razy. Odczekaj 30 sekund i sprbuj ponownie.',
'Logged in successfully.' => 'Zalogowany pomylnie.',
'Complete the setup process to get started.' => 'Ukocz proces instalacji, aby rozpocz.',
'Login unsuccessful' => 'Logowanie nieudane',
'Your credentials could not be verified.' => 'Nie mona zweryfikowa powiadcze.',
'User not found.' => 'Nie znaleziono uytkownika.',
'Invalid token specified.' => 'Okrelono nieprawidowy token.',
'Logged in using account recovery token' => 'Zalogowany przy uyciu tokenu odzyskiwania konta',
'Your password has been updated.' => 'Twoje haso zostao zaktualizowane.',
'Set Up AzuraCast' => 'Skonfiguruj AzuraCast',
'Setup has already been completed!' => 'Instalacja zostaa ju ukoczona!',
'All Stations' => 'Wszystkie stacje',
'AzuraCast Application Log' => 'Dziennik aplikacji AzuraCast',
'AzuraCast Now Playing Log' => 'Dziennik Teraz Odtwarzane w AzuraCast',
'AzuraCast Synchronized Task Log' => 'Dziennik Zada Zsynchronizowanych w AzuraCast',
'AzuraCast Queue Worker Log' => 'Dziennik Pracownika Kolejki w AzuraCast',
'Service Log: %s (%s)' => 'Dziennik usugi: %s (%s)',
'Nginx Access Log' => 'Dziennik dostpu Nginx',
'Nginx Error Log' => 'Dziennik bdw Nginx',
'PHP Application Log' => 'Dziennik aplikacji PHP',
'Supervisord Log' => 'Supervisord dziennika',
'Create a new storage location based on the base directory.' => 'Utwrz now lokalizacj przechowywania na podstawie katalogu bazowego.',
'You cannot modify yourself.' => 'Nie moesz modyfikowa samego siebie.',
'You cannot remove yourself.' => 'Nie moesz usun samego siebie.',
'Test Message' => 'Wiadomo testowa',
'This is a test message from AzuraCast. If you are receiving this message, it means your e-mail settings are configured correctly.' => 'To jest wiadomo testowa z AzuraCast. Jeli otrzymae t wiadomo, oznacza to, e ustawienia poczty e-mail s poprawnie skonfigurowane.',
'Test message sent successfully.' => 'Wiadomo testowa wysana pomylnie.',
'Less than Thirty Seconds' => 'Mniej ni trzydzieci sekund',
'Thirty Seconds to One Minute' => 'Trzydzieci sekund do jednej minuty',
'One Minute to Five Minutes' => 'Jedna minuta do piciu minut',
'Five Minutes to Ten Minutes' => 'Pi minut do dziesiciu minut',
'Ten Minutes to Thirty Minutes' => 'Dziesi minut do trzydziestu minut',
'Thirty Minutes to One Hour' => 'Trzydzieci minut do godziny',
'One Hour to Two Hours' => 'Od godziny do dwch godzin',
'More than Two Hours' => 'Wicej ni dwie godziny',
'Mobile Device' => 'Urzdzenie mobilne',
'Desktop Browser' => 'Przegldarka',
'Non-Browser' => 'Nie-przegldarka',
'Connected Seconds' => 'Czas poczenia w sekundach',
'File Not Processed: %s' => 'Plik nie zosta przetworzony: %s',
'Cover Art' => 'Okadka',
'File Processing' => 'Przetwarzanie pliku',
'No directory specified' => 'Nie okrelono katalogu',
'File not specified.' => 'Plik nie zosta okrelony.',
'New path not specified.' => 'Nie okrelono nowej cieki.',
'This station is out of available storage space.' => 'Przestrze dyskowa dla tej stacji jest zapeniona.',
'Web hook enabled.' => 'Wczono webhook.',
'Web hook disabled.' => 'Webhook wyczony.',
'Station reloaded.' => 'Stacja przeadowana.',
'Station restarted.' => 'Stacja uruchomiona ponownie.',
'Service stopped.' => 'Usuga zatrzymana.',
'Service started.' => 'Usuga uruchomiona.',
'Service reloaded.' => 'Usuga przeadowana.',
'Service restarted.' => 'Usuga uruchomiona ponownie.',
'Song skipped.' => 'Pominity utwr.',
'Streamer disconnected.' => 'Streamer odczony.',
'Station Nginx Configuration' => 'Konfiguracja Nginx stacji',
'Liquidsoap Log' => 'Dziennik Liquidsoap',
'Liquidsoap Configuration' => 'Konfiguracja Liquidsoap',
'Icecast Access Log' => 'Dziennik dostpu Icecast',
'Icecast Error Log' => 'Dziennik bdw Icecast',
'Icecast Configuration' => 'Konfiguracja Icecast',
'Shoutcast Log' => 'Log shoutcast',
'Shoutcast Configuration' => 'Konfiguracja Shoutcast',
'Search engine crawlers are not permitted to use this feature.' => 'Wyszukiwarki nie mog uywa tej funkcji.',
'You are not permitted to submit requests.' => 'Nie masz uprawnie do wysyania da.',
'This track is not requestable.' => 'Nie mona prosic o ten utwr.',
'This song was already requested and will play soon.' => 'Wysano ju prob o ten utwr i zostanie on wkrtce odtworzony.',
'This song or artist has been played too recently. Wait a while before requesting it again.' => 'Ta piosenka lub artysta zostaa odtworzona niedawno. Poczekaj chwil przed ponownym daniem.',
'You have submitted a request too recently! Please wait before submitting another one.' => 'Zbyt szybko wysyasz kolejne dania! Poczekaj chwil zanim wylesz nastpne.',
'Your request has been submitted and will be played soon.' => 'Twoje danie zostao przesane i zostanie wkrtce odtworzone.',
'This playlist is not song-based.' => 'Ta playlista nie jest oparta na utworach.',
'Playlist emptied.' => 'Playlista oprniona.',
'This playlist is not a sequential playlist.' => 'Ta lista odtwarzania nie jest list odtwarzania sekwencyjnego.',
'Playlist reshuffled.' => 'Lista odtwarzania przetasowana.',
'Playlist enabled.' => 'Playlista wczona.',
'Playlist disabled.' => 'Playlista wyczona.',
'Playlist successfully imported; %d of %d files were successfully matched.' => 'Lista odtwarzania pomylnie zaimportowana; %d z %d plikw zostao pomylnie dopasowanych.',
'Playlist applied to folders.' => 'Playlista zastosowana do folderw.',
'%d files processed.' => 'Przetworzono %d plikw.',
'No recording available.' => 'Nagrywanie nie jest dostpne.',
'Record not found' => 'Nie znaleziono wpisu',
'The uploaded file exceeds the upload_max_filesize directive in php.ini.' => 'Wgrany plik przekracza limit okrelony przez dyrektyw upload_max_filesize w pliku php.ini.',
'The uploaded file exceeds the MAX_FILE_SIZE directive from the HTML form.' => 'Przesany plik przekracza imit okrelony przez dyrektyw MAX_FILE_SIZE z formularza HTML.',
'The uploaded file was only partially uploaded.' => 'Wysyany plik zosta przesany tylko czciowo.',
'No file was uploaded.' => 'Nie przesano adnego pliku.',
'No temporary directory is available.' => 'Brak katalogu tymczasowego.',
'Could not write to filesystem.' => 'Nie udao si zapisa do systemu plikw.',
'Upload halted by a PHP extension.' => 'Przesyanie wstrzymane przez rozszerzenie PHP.',
'Unspecified error.' => 'Nieokrelony bd.',
'Changes saved successfully.' => 'Zmiany zostay pomylnie zapisane.',
'Record created successfully.' => 'Rekord utworzony pomylnie.',
'Record updated successfully.' => 'Rekord zaktualizowany pomylnie.',
'Record deleted successfully.' => 'Rekord zosta pomylnie usunity.',
'Playlist: %s' => 'Playlista: %s',
'Streamer: %s' => 'Streamer: %s',
'The account associated with e-mail address "%s" has been set as an administrator' => 'Konto poczone z adresem e-mail "%s" zostao ustawione jako administrator',
'Account not found.' => 'Nie znaleziono konta.',
'Roll Back Database' => 'Przywr baz danych',
'Running database migrations...' => 'Uruchamianie migracji bazy danych...',
'Database migration failed: %s' => 'Migracja bazy danych nie powioda si: %s',
'Database rolled back to stable release version "%s".' => 'Baza danych przywrcona do stabilnej wersji "%s".',
'AzuraCast Settings' => 'Ustawienia AzuraCast',
'Setting Key' => 'Ustawianie klucza',
'Setting Value' => 'Ustawianie wartoci',
'Fixtures loaded.' => 'Konfiguracje zaadowane.',
'Backing up initial database state...' => 'Tworzenie kopii zapasowej pocztkowego stanu bazy danych...',
'We detected a database restore file from a previous (possibly failed) migration.' => 'Wykrylimy plik przywracania bazy danych z poprzedniej (prawdopodobnie nieudanej) migracji.',
'Attempting to restore that now...' => 'Prbujemy to teraz przywrci...',
'Attempting to roll back to previous database state...' => 'Prba powrotu do poprzedniego stanu bazy danych...',
'Your database was restored due to a failed migration.' => 'Twoja baza danych zostaa przywrcona z powodu nieudanej migracji.',
'Please report this bug to our developers.' => 'Prosimy zgosi ten bd naszym programistom.',
'Restore failed: %s' => 'Przywracanie nie powiodo si: %s',
'AzuraCast Backup' => 'Kopia zapasowa AzuraCast',
'Please wait while a backup is generated...' => 'Prosz czeka na wygenerowanie kopii zapasowej...',
'Creating temporary directories...' => 'Tworzenie katalogw tymczasowych...',
'Backing up MariaDB...' => 'Tworzenie kopii zapasowej MariaDB...',
'Creating backup archive...' => 'Tworzenie archiwum kopii zapasowej...',
'Cleaning up temporary files...' => 'Czyszczenie plikw tymczasowych...',
'Backup complete in %.2f seconds.' => 'Do ukoczenia kopii zapasowej pozostao %.2f sekund.',
'Backup path %s not found!' => 'Nie znaleziono cieki kopii zapasowej %s!',
'Imported locale: %s' => 'Zaimportowano jzyk: %s',
'Database Migrations' => 'Migracje bazy danych',
'Database is already up to date!' => 'Baza danych jest ju aktualna!',
'Database migration completed!' => 'Migracja bazy danych ukoczona!',
'AzuraCast Initializing...' => 'Inicjowanie AzuraCast...',
'AzuraCast Setup' => 'Instalacja AzuraCast',
'Welcome to AzuraCast. Please wait while some key dependencies of AzuraCast are set up...' => 'Witamy w AzuraCast. Poczekaj, a niektre kluczowe zalenoci AzuraCast zostan skonfigurowane...',
'Running Database Migrations' => 'Uruchamianie migracji bazy danych',
'Generating Database Proxy Classes' => 'Generowanie klas proxy bazy danych',
'Reload System Data' => 'Przeaduj dane systemowe',
'Installing Data Fixtures' => 'Instalowanie Danych Konfiguracyjnych',
'Refreshing All Stations' => 'Odwieanie wszystkich stacji',
'AzuraCast is now updated to the latest version!' => 'AzuraCast zosta zaktualizowany do najnowszej wersji!',
'AzuraCast installation complete!' => 'Instalacja AzuraCast zakoczona!',
'Visit %s to complete setup.' => 'Odwied %s aby zakoczy konfiguracj.',
'%s is not recognized as a service.' => '%s nie jest rozpoznany jako usuga.',
'It may not be registered with Supervisor yet. Restarting broadcasting may help.' => 'Nie moe by jeszcze zarejestrowana przez Inspektora. Ponowne uruchomienie nadawania moe okaza si pomocne.',
'%s cannot start' => '%s nie moe si uruchomi',
'It is already running.' => 'Wskazany element ju zosta uruchomiony.',
'%s cannot stop' => '%s nie moe si zatrzyma',
'It is not running.' => 'Wskazany element nie dziaa.',
'%s encountered an error: %s' => '%s napotka bd: %s',
'Check the log for details.' => 'Sprawd dziennik, aby uzyska szczegowe informacje.',
'You do not have permission to access this portion of the site.' => 'Nie masz uprawnie do dostpu do tej czci witryny.',
'Cannot submit request: %s' => 'Nie mona przesa dania: %s',
'You must be logged in to access this page.' => 'Musisz by zalogowany aby korzysta z tej strony.',
'Record not found.' => 'Nie znaleziono rekordu.',
'File not found.' => 'Nie odnaleziono pliku.',
'Station not found.' => 'Stacja nie znaleziona.',
'Podcast not found.' => 'Nie znaleziono podcastu.',
'This station does not currently support this functionality.' => 'Obecnie ta stacja nie obsuguje tej funkcji.',
'This station does not currently support on-demand media.' => 'Obecnie ta stacja nie obsuguje mediw na danie.',
'This station does not currently accept requests.' => 'Obecnie ta stacja nie przyjmuje prb o utwory.',
'This value is already used.' => 'Ta warto ju jest uywana.',
'The port %s is in use by another station (%s).' => 'Port %s jest wykorzystywany przez inn stacj (%s).',
'Storage location %s could not be validated: %s' => 'Lokalizacja przechowywania %s nie moga zosta zweryfikowana: %s',
'Storage location %s already exists.' => 'Lokalizacja przechowywania %s ju istnieje.',
'All Permissions' => 'Wszystkie uprawnienia',
'View Station Page' => 'Wywietl stron stacji',
'View Station Reports' => 'Wywietl raport suchalnoci stacji',
'View Station Logs' => 'Wywietl logi stacji',
'Manage Station Profile' => 'Edytuj profil stacji',
'Manage Station Broadcasting' => 'Zarzdzaj nadawaniem stacji',
'Manage Station Streamers' => 'Zarzdzaj streamerami stacji',
'Manage Station Mount Points' => 'Zarzdzaj punktami montowania stacji',
'Manage Station Remote Relays' => 'Zarzdzaj zdalnymi przekanikami stacji',
'Manage Station Media' => 'Zarzdzaj plikami dwikowymi stacji',
'Manage Station Automation' => 'Zarzdzaj automatyzacj stacji',
'Manage Station Web Hooks' => 'Zarzdzaj webhookami stacji',
'Manage Station Podcasts' => 'Zarzdzaj Podcastami Stacji',
'View Administration Page' => 'Poka panel administracyjny',
'View System Logs' => 'Przejrzyj dziennik systemowy',
'Administer Settings' => 'Zarzdzaj ustawieniami',
'Administer API Keys' => 'Zarzdzaj kluczami API',
'Administer Stations' => 'Zarzdzaj stacjami',
'Administer Custom Fields' => 'Zarzdzaj polami niestandardowymi',
'Administer Backups' => 'Zarzdzaj kopiami zapasowymi',
'Administer Storage Locations' => 'Zarzdzaj Lokalizacjami Przechowywania',
'Runs routine synchronized tasks' => 'Uruchamia rutynowe zsynchronizowane zadania',
'Database' => 'Baza danych',
'Web server' => 'Serwer WWW',
'PHP FastCGI Process Manager' => 'PHP FastCGI Process Manager',
'Now Playing manager service' => 'Menader usugi Teraz Odtwarzane',
'PHP queue processing worker' => 'Pracownik przetwarzania kolejki PHP',
'Cache' => 'Pami podrczna',
'SFTP service' => 'Usuga SFTP',
'Live Now Playing updates' => 'Aktualizacje Teraz Odtwarzane',
'Frontend Assets' => 'Zasoby frontendu',
'This product includes GeoLite2 data created by MaxMind, available from %s.' => 'Ten produkt zawiera dane z GeoLite2 utworzone przez MaxMind, dostpne od %s.',
'IP Geolocation by DB-IP' => 'Geolokalizacja IP przez DB-IP',
'GeoLite database not configured for this installation. See System Administration for instructions.' => 'Baza danych GeoLite nie jest skonfigurowana dla tej instalacji. Zobacz instrukcje Administracji Systemu.',
'Installation Not Recently Backed Up' => 'Nie wykonano najnowszej kopii zapasowej tej instalacji',
'This installation has not been backed up in the last two weeks.' => 'Ta instalacja w cigu 2 tygodni nie utworzya kopii zapasowej.',
'Service Not Running: %s' => 'Usuga nie jest uruchomiona: %s',
'One of the essential services on this installation is not currently running. Visit the system administration and check the system logs to find the cause of this issue.' => 'Jedna z podstawowych usug w tej instalacji nie jest obecnie uruchomiona. Odwied panel administracyjny systemu i sprawd dzienniki systemu, aby znale przyczyn tego problemu.',
'New AzuraCast Stable Release Available' => 'Dostpne jest nowe stabilne wydanie AzuraCast',
'Version %s is now available. You are currently running version %s. Updating is recommended.' => 'Wersja %s jest teraz dostpna. Aktualnie uywasz wersji %s. Zaleca si aktualizacj.',
'New AzuraCast Rolling Release Available' => 'Dostpne jest nowe testowe wydanie AzuraCast',
'Your installation is currently %d update(s) behind the latest version. Updating is recommended.' => 'Twoja instalacja jest obecnie %d aktualizacji za najnowsz wersj. Zalecana jest aktualizacja.',
'Switch to Stable Channel Available' => 'Przeczenie na stabilny kana dostpne',
'Your Rolling Release installation is currently older than the latest Stable release. This means you can switch releases to the "Stable" release channel if desired.' => 'Twoja instalacja Rolling Release jest obecnie starsza ni najnowsza wersja stabilna. Oznacza to, e w razie potrzeby mona zmieni wersje na "Stabilny" kana wydania.',
'Synchronization Disabled' => 'Synchronizacja wyczona',
'Routine synchronization is currently disabled. Make sure to re-enable it to resume routine maintenance tasks.' => 'Rutynowa synchronizacja jest obecnie wyczona. Upewnij si, e wczysz j ponownie, aby wznowi rutynowe zadania konserwacyjne.',
'Synchronization Not Recently Run' => 'Synchronizacja nie zostaa ostatnio uruchomiona',
'The routine synchronization task has not run recently. This may indicate an error with your installation.' => 'Rutynowe zadanie synchronizacji "%s" nie zostao ostatnio uruchomione. Moe to wskazywa na bd instalacji.',
'The performance profiling extension is currently enabled on this installation.' => 'Rozszerzenie suce do profilowania wydajnoci jest obecnie wczone w tej instalacji.',
'You can track the execution time and memory usage of any AzuraCast page or application from the profiler page.' => 'Moesz ledzi czas wykonania i uycie pamici kadej strony AzuraCast lub aplikacji na stronie profilera.',
'Profiler Control Panel' => 'Panel Sterowania Profilera',
'Performance profiling is currently enabled for all requests.' => 'Profilowanie wydajnoci jest obecnie wczone dla wszystkich da.',
'This can have an adverse impact on system performance. You should disable this when possible.' => 'Moe to mie niekorzystny wpyw na wydajno systemu. Powiniene to wyczy, jeli to moliwe.',
'You may want to update your base URL to ensure it is correct.' => 'Moe by konieczne uaktualnienie podstawowego adresu URL, aby upewni si, e jest poprawny.',
'If you regularly use different URLs to access AzuraCast, you should enable the "Prefer Browser URL" setting.' => 'Jeli do uzyskiwania dostpu do AzuraCast regularnie uywasz rnych adresw URL, powiniene wczy ustawienie "Preferuj adres URL przegldarki".',
'Your "Base URL" setting (%s) does not match the URL you are currently using (%s).' => 'Twoje ustawienie "Podstawowego URL" (%s) nie pasuje do aktualnie uywanego adresu URL (%s).',
'AzuraCast is free and open-source software.' => 'AzuraCast jest darmowym oprogramowaniem open source.',
'If you are enjoying AzuraCast, please consider donating to support our work. We depend on donations to build new features, fix bugs, and keep AzuraCast modern, accessible and free.' => 'Jeli podoba Ci si AzuraCast, rozwa darowizn na wsparcie naszej pracy. Jestemy uzalenieni od darowizn do budowania nowych funkcji, naprawiania bdw i utrzymywania AzuraCast nowoczesnym, dostpnym i darmowym.',
'Donate to AzuraCast' => 'Przeka datek dla AzuraCast',
'AzuraCast Installer' => 'Instalator AzuraCast',
'Welcome to AzuraCast! Complete the initial server setup by answering a few questions.' => 'Witamy w AzuraCast! Ukocz konfiguracj serwera odpowiadajc na kilka pyta.',
'AzuraCast Updater' => 'Narzdzie Aktualizacji AzuraCast',
'Change installation settings?' => 'Zmieni ustawienia instalacji?',
'AzuraCast is currently configured to listen on the following ports:' => 'AzuraCast jest obecnie skonfigurowany do nasuchiwania na nastpujcych portach:',
'HTTP Port: %d' => 'Port HTTP: %d',
'HTTPS Port: %d' => 'Port HTTPS: %d',
'SFTP Port: %d' => 'Port SFTP: %d',
'Radio Ports: %s' => 'Porty radiowe: %s',
'Customize ports used for AzuraCast?' => 'Dostosowa uywane porty dla AzuraCast?',
'Writing configuration files...' => 'Zapisywanie plikw konfiguracyjnych...',
'Server configuration complete!' => 'Konfiguracja serwera zakoczona!',
'This file was automatically generated by AzuraCast.' => 'Ten plik zosta wygenerowany automatycznie przez AzuraCast.',
'You can modify it as necessary. To apply changes, restart the Docker containers.' => 'Moesz zmodyfikowa to w razie potrzeby. Aby zastosowa zmiany, uruchom ponownie kontenery Dockera.',
'Remove the leading "#" symbol from lines to uncomment them.' => 'Usu poprzedzajcy symbol "#" z linii, aby je odkomentowa.',
'Valid options: %s' => 'Prawidowe opcje: %s',
'Default: %s' => 'Domylnie: %s',
'Additional Environment Variables' => 'Dodatkowe zmienne rodowiskowe',
'(Docker Compose) All Docker containers are prefixed by this name. Do not change this after installation.' => '(Docker Compose) Wszystkie kontenery Dockera s poprzedzone t nazw. Nie zmieniaj tego po zainstalowaniu.',
'(Docker Compose) The amount of time to wait before a Docker Compose operation fails. Increase this on lower performance computers.' => '(Docker Compose) Czas oczekiwania przed operacj Docker Compose jest niewystarczajcy. Zwiksz t warto na komputerach o niszej wydajnoci.',
'HTTP Port' => 'Port HTTP',
'The main port AzuraCast listens to for insecure HTTP connections.' => 'Gwny port, jakiego AzuraCast uywa do nasuchiwania niezabezpieczonych pocze HTTP.',
'HTTPS Port' => 'Port HTTPS',
'The main port AzuraCast listens to for secure HTTPS connections.' => 'Gwny port, jakiego AzuraCast uywa do nasuchiwania zabezpieczonych pocze HTTPS.',
'The port AzuraCast listens to for SFTP file management connections.' => 'Port, na jakim AzuraCast nasuchuje pocze zarzdzania plikami poprzez SFTP.',
'Station Ports' => 'Porty stacji',
'The ports AzuraCast should listen to for station broadcasts and incoming DJ connections.' => 'Porty, na ktrych AzuraCast powinien nasuchiwa strumieni stacji oraz przychodzcych pocze prezenterw.',
'Docker User UID' => 'Identyfikator (UID) Uytkownika Dockera',
'Set the UID of the user running inside the Docker containers. Matching this with your host UID can fix permission issues.' => 'Ustaw UID uytkownika dziaajcego wewntrz kontenerw Dockera. Dopasowanie tego do UID hosta moe rozwiza problemy z uprawnieniami.',
'Docker User GID' => 'Identyfikator GID Uytkownika Dockera',
'Set the GID of the user running inside the Docker containers. Matching this with your host GID can fix permission issues.' => 'Ustaw GID uytkownika dziaajcego wewntrz kontenerw Dockera. Dopasowanie tego do GID hosta moe rozwiza problemy z uprawnieniami.',
'Use Podman instead of Docker.' => 'Uyj Podmana zamiast Dockera.',
'Advanced: Use Privileged Docker Settings' => 'Zaawansowane: Uyj Uprzywilejowanych Ustawie Dockera',
'The locale to use for CLI commands.' => 'Plik (locale) do uycia dla polece CLI.',
'The application environment.' => 'rodowisko aplikacji.',
'Manually modify the logging level.' => 'Rczna modyfikacja poziomu zapisywania w dzienniku.',
'This allows you to log debug-level errors temporarily (for problem-solving) or reduce the volume of logs that are produced by your installation, without needing to modify whether your installation is a production or development instance.' => 'Pozwala to na tymczasowe rejestrowanie bdw poziomu debugowania (dla rozwizywania problemw) lub zmniejszenie iloci logw generowanych przez instalacj, bez koniecznoci modyfikowania czy twoja instalacja dziaa w rodowisku produkcyjnym czy rozwojowym.',
'Enable Custom Code Plugins' => 'Wcz Wtyczki z Wasnym Kodem',
'Enable the composer "merge" functionality to combine the main application\'s composer.json file with any plugin composer files. This can have performance implications, so you should only use it if you use one or more plugins with their own Composer dependencies.' => 'Wcz funkcj "scalanie" composera aby poczy plik composer.json gwnej aplikacji z plikami wtyczek composera. Moe to mie wpyw na wydajno, wic powiniene go uywa tylko wtedy, gdy uywasz jednej lub wicej wtyczek z ich wasnymi zalenociami composera.',
'Minimum Port for Station Port Assignment' => 'Minimalny Port dla Przypisania Portu Stacji',
'Modify this if your stations are listening on nonstandard ports.' => 'Zmodyfikuj to, jeli twoje stacje nasuchuj na niestandardowych portach.',
'Maximum Port for Station Port Assignment' => 'Maksymalny Port dla Przypisania Portu Stacji',
'Show Detailed Slim Application Errors' => 'Poka szczegowe bdy aplikacji Slim',
'This allows you to debug Slim Application Errors you may encounter. Please report any Slim Application Error logs to the development team on GitHub.' => 'Pozwala to debugowa bdy aplikacji Slim, ktre moesz napotka. Prosimy o zgoszenie logw bdw aplikacji Slim do zespou programistw na GitHubie.',
'MariaDB Host' => 'Host MariaDB',
'Do not modify this after installation.' => 'Nie zmieniaj tego po instalacji.',
'MariaDB Port' => 'Port MariaDB',
'MariaDB Username' => 'Nazwa uytkownika MariaDB',
'MariaDB Password' => 'Haso MariaDB',
'MariaDB Database Name' => 'Nazwa bazy danych MariaDB',
'Auto-generate Random MariaDB Root Password' => 'Automatycznie generuj losowe haso roota MariaDB',
'MariaDB Root Password' => 'Haso gwne MariaDB',
'Enable MariaDB Slow Query Log' => 'Wcz Rejestr Powolnych Zapyta w MariaDB',
'Log slower queries to diagnose possible database issues. Only turn this on if needed.' => 'Rejestruj wolniejsze zapytania, aby zdiagnozowa moliwe problemy z baz danych. Wcz to tylko w razie potrzeby.',
'MariaDB Maximum Connections' => 'Maksymalna liczba pocze z MariaDB',
'Set the amount of allowed connections to the database. This value should be increased if you are seeing the "Too many connections" error in the logs.' => 'Ustaw ilo dozwolonych pocze do bazy danych. Ta warto powinna zosta zwikszona, jeli widzisz w logach bd "Zbyt wiele pocze".',
'MariaDB InnoDB Buffer Pool Size' => 'Rozmiar puli buforw MariaDB InnoDB',
'The InnoDB buffer pool size controls how much data & indexes are kept in memory. Making sure that this value is as large as possible reduces the amount of disk IO.' => 'Rozmiar bufora InnoDB kontroluje ilo danych i indeksw przechowywanych w pamici. Upewnij si, e warto ta jest jak najwiksza, zmniejsza ilo dysku IO.',
'MariaDB InnoDB Log File Size' => 'Rozmiar pliku dziennika MariaDB InnoDB',
'The InnoDB log file is used to achieve data durability in case of crashes or unexpected shutoffs and to allow the DB to better optimize IO for write operations.' => 'Plik dziennika InnoDB jest uywany do osignicia trwaoci danych w przypadku awarii lub niespodziewanych shutofw oraz do umoliwienia bazy danych lepszej optymalizacji IO do operacji zapisu.',
'Enable Redis' => 'Wcz Redis',
'Disable to use a flatfile cache instead of Redis.' => 'Wycz, aby uywa pamici podrcznej plikw paskich (flatfiles) zamiast Redis.',
'Redis Host' => 'Host Redis',
'Redis Port' => 'Port Redis',
'PHP Maximum POST File Size' => 'Maksymalny rozmiar pliku w daniu POST w PHP',
'PHP Memory Limit' => 'Limit pamici PHP',
'PHP Script Maximum Execution Time (Seconds)' => 'Maksymalny czas wykonania skryptu PHP (w sekundach)',
'Short Sync Task Execution Time (Seconds)' => 'Czas wykonywania zadania Krtkiej Synchronizacji (Short Sync Task) (w sekundach)',
'The maximum execution time (and lock timeout) for the 15-second, 1-minute and 5-minute synchronization tasks.' => 'Maksymalny czas wykonania (i czas blokowania) dla 15-sekundowych, 1-minutowych i 5-minutowych zada synchronizacji.',
'Long Sync Task Execution Time (Seconds)' => 'Czas wykonywania zadania Dugiej Synchronizacji (Long Sync Task) (w sekundach)',
'The maximum execution time (and lock timeout) for the 1-hour synchronization task.' => 'Maksymalny czas wykonania (i czas blokowania) dla zadania synchronizacji 1-godzinnej.',
'Now Playing Delay Time (Seconds)' => 'Opnienie wywietlania Teraz Odtwarzane (w sekundach)',
'The delay between Now Playing checks for every station. Decrease for more frequent checks at the expense of performance; increase for less frequent checks but better performance (for large installations).' => 'Opnienie pomidzy sprawdzeniami Teraz Odtwarzane dla kadej stacji. Zmniejsz dla czstszych kontroli kosztem wydajnoci; zwiksz dla mniej czstych kontroli, ale lepszej wydajnoci (w przypadku duych instalacji).',
'Now Playing Max Concurrent Processes' => 'Maksymalna jednoczesna liczba procesw Teraz Odtwarzane',
'The maximum number of concurrent processes for now playing updates. Increasing this can help reduce the latency between updates now playing updates on large installations.' => 'Maksymalna liczba rwnoczesnych procesw dla aktualizacji tytuu aktualnie odtwarzanego utworu. Zwikszanie tego moe pomc zmniejszy opnienie pomidzy aktualizacjami na duych instalacjach.',
'Maximum PHP-FPM Worker Processes' => 'Maksymalna ilo procesw pracy PHP-FPM',
'Enable Performance Profiling Extension' => 'Wcz Rozszerzenie Profilowania Wydajnoci',
'Profiling data can be viewed by visiting %s.' => 'Dane profilowe mona przeglda odwiedzajc %s.',
'Profile Performance on All Requests' => 'Profiluj wydajno na wszystkich daniach',
'This will have a significant performance impact on your installation.' => 'Bdzie to miao znaczcy wpyw na wydajno twojej instalacji.',
'Profiling Extension HTTP Key' => 'Klucz HTTP Rozszerzenia Profilowania',
'The value for the "SPX_KEY" parameter for viewing profiling pages.' => 'Warto parametru "SPX_KEY" do przegldania stron profilowania.',
'Profiling Extension IP Allow List' => 'Lista dozwolonych adresw IP majcych dostp do rozszerzenia profilowania',
'Nginx Max Client Body Size' => 'Maksymalny Rozmiar Zawartoci Klienta Nginx (Max Client Body Size)',
'This is the total size any single request body can be. AzuraCast chunks its uploads into smaller file sizes, so this only applies when doing custom uploads via the API. Sizes should be listed in a format like "100K", "128M", "1G" for kilobytes, megabytes, and gigabytes respectively.' => 'Jest to cakowita wielko zawartoci kadego pojedynczego zapytania. AzuraCast dzieli pliki na mniejsze rozmiary, wic dotyczy to tylko robienia niestandardowych przesa za porednictwem API. Rozmiary powinny by podane w formacie 100K, 128M, 1G odpowiednio dla kilobajtw, megabajtw i gigabajtw.',
'Enable web-based Docker image updates' => 'Wcz aktualizacje obrazw Dockera poprzez WWW',
'Extra Ubuntu packages to install upon startup' => 'Dodatkowe pakiety Ubuntu do zainstalowania przy starcie',
'Separate package names with a space. Packages will be installed during container startup.' => 'Oddziel nazwy pakietw spacj. Pakiety zostan zainstalowane podczas uruchamiania kontenera.',
'Album Artist' => 'Wykonawca Albumu',
'Album Artist Sort Order' => 'Kolejno sortowania wykonawcw albumw',
'Album Sort Order' => 'Kolejno sortowania albumw',
'Band' => 'Zesp',
'BPM' => 'BPM',
'Comment' => 'Komentarz',
'Commercial Information' => 'Informacje handlowe',
'Composer' => 'Kompozytor',
'Composer Sort Order' => 'Kolejno sortowania kompozytorw',
'Conductor' => 'Dyrygent',
'Content Group Description' => 'Opis grupy treci',
'Encoded By' => 'Kodowane przez',
'Encoder Settings' => 'Ustawienia enkodera',
'Encoding Time' => 'Czas kodowania',
'File Owner' => 'Waciciel pliku',
'File Type' => 'Typ pliku',
'Initial Key' => 'Pocztkowy klucz',
'Internet Radio Station Name' => 'Nazwa internetowej stacji radiowej',
'Internet Radio Station Owner' => 'Waciciel internetowej stacji radiowej',
'Involved People List' => 'Lista zaangaowanych osb',
'Linked Information' => 'Powizane informacje',
'Lyricist' => 'Autor tekstu',
'Media Type' => 'Typ multimediw',
'Mood' => 'Nastrj',
'Music CD Identifier' => 'Identyfikator CD muzyki',
'Musician Credits List' => 'Lista Muzykw',
'Original Album' => 'Oryginalny album',
'Original Artist' => 'Oryginalny Artysta',
'Original Filename' => 'Oryginalna nazwa pliku',
'Original Lyricist' => 'Oryginalny autor tekstu',
'Original Release Time' => 'Oryginalny czas wydania',
'Original Year' => 'Pierwotny rok',
'Part of a Compilation' => 'Cz skadanki',
'Part of a Set' => 'Cz zestawu',
'Performer Sort Order' => 'Kolejno sortowania wykonawcw',
'Playlist Delay' => 'Opnienie Playlisty',
'Produced Notice' => 'Powiadomienie o wydaniu (produced notice)',
'Publisher' => 'Wydawca',
'Recording Time' => 'Czas nagrywania',
'Release Time' => 'Czas wydania',
'Remixer' => 'Remikser',
'Set Subtitle' => 'Ustaw podtytu',
'Subtitle' => 'Podtytu',
'Tagging Time' => 'Czas tagowania',
'Terms of Use' => 'Warunki Uytkowania',
'Title Sort Order' => 'Kolejno sortowania tytuw',
'Track Number' => 'Numeru cieki',
'Unsynchronised Lyrics' => 'Niezsynchronizowany tekst utworu',
'URL Artist' => 'URL Artysty',
'URL File' => 'URL Pliku',
'URL Payment' => 'URL Patnoci',
'URL Publisher' => 'URL Wydawcy',
'URL Source' => 'URL rda',
'URL Station' => 'URL Stacji',
'URL User' => 'URL Uytkownika',
'Year' => 'Rok',
'An account recovery link has been requested for your account on "%s".' => 'Poproszono o link odzyskiwania konta na "%s".',
'Click the link below to log in to your account.' => 'Kliknij poniszy link, aby zalogowa si do swojego konta.',
'Footer' => 'Stopka',
'Powered by %s' => 'Powered by %s',
'Forgot Password' => 'Zapomniaem haso',
'Sign in' => 'Zaloguj si',
'Send Recovery E-mail' => 'Wylij e-mail odzyskiwania',
'Enter Two-Factor Code' => 'Wprowad kod jednorazowy weryfikacji dwuetapowej',
'Your account uses a two-factor security code. Enter the code your device is currently showing below.' => 'Twoje konto wykorzystuje jednorazowe kody weryfikacji dwuetapowej. Podaj poniej kod aktualnie wywietlony na Twoim urzdzeniu.',
'Security Code' => 'Kod bezpieczestwa',
'This installation\'s administrator has not configured this functionality.' => 'Administrator tej instalacji nie skonfigurowa tej funkcji.',
'Contact an administrator to reset your password following the instructions in our documentation:' => 'Skontaktuj si z administratorem, aby zresetowa haso zgodnie z instrukcjami zawartymi w naszej dokumentacji:',
'Password Reset Instructions' => 'Instrukcje resetowania hasa',
),
),
);
``` | /content/code_sandbox/translations/pl_PL.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 50,013 |
```php
<?php return array (
'domain' => 'default',
'plural-forms' => 'nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 && n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 && n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));',
'messages' =>
array (
'' =>
array (
'# Episodes' => '# ',
'# Songs' => '# ',
'%{ dj } is now live on %{ station }! Tune in now: %{ url }' => '%{ dj } %{ station }! : %{ url }',
'%{ hours } hours' => '%{ hours } ',
'%{ minutes } minutes' => '%{ minutes } ',
'%{ seconds } seconds' => '%{ seconds } ',
'%{ station } is back online! Tune in now: %{ url }' => '%{ station } ! : %{ url }',
'%{ station } is going offline for now.' => '%{ station } .',
'%{filesCount} File' =>
array (
0 => '%{filesCount} ',
1 => '',
2 => '',
3 => '%{filesCount} ',
),
'%{listeners} Listener' =>
array (
0 => '%{listeners} ',
1 => '%{listeners} ',
2 => '%{listeners} ',
3 => '%{listeners} ',
),
'%{messages} queued messages' => '%{messages} ',
'%{name} - Copy' => '%{name} - ',
'%{numPlaylists} playlist' =>
array (
0 => '%{numPlaylists} ',
1 => '%{numPlaylists} ',
2 => '%{numPlaylists} ',
3 => '%{numPlaylists} ',
),
'%{numSongs} uploaded song' =>
array (
0 => '%{numSongs} ',
1 => '%{numSongs} ',
2 => '%{numSongs} ',
3 => '%{numSongs} ',
),
'%{spaceUsed} of %{spaceTotal} Used' => '%{spaceUsed} %{spaceTotal} ',
'%{spaceUsed} Used' => '%{spaceUsed} ',
'%{station} - Copy' => '%{station} - ',
'12 Hour' => '12 ',
'24 Hour' => '24 ',
'A completely random track is picked for playback every time the queue is populated.' => ' , , .',
'A name for this stream that will be used internally in code. Should only contain letters, numbers, and underscores (i.e. "stream_lofi").' => ' . , (, "stream_lofi").',
'A passkey has been selected. Submit this form to add it to your account.' => ' . .',
'A playlist containing media files hosted on this server.' => ', -, .',
'A playlist that instructs the station to play from a remote URL.' => ', URL-.',
'A unique identifier (i.e. "G-A1B2C3D4") for this measurement stream.' => ' ( "G-A1B2C3D4") .',
'About AzuraRelay' => ' AzuraRelay',
'About Master_me' => ' Master_me',
'About Release Channels' => ' ',
'Access Code' => ' ',
'Access Key ID' => 'ID ',
'Access Token' => ' ',
'Account Details' => ' ',
'Account is Active' => ' ',
'Account List' => ' ',
'Actions' => '',
'Adapter' => '',
'Add API Key' => ' API ',
'Add Custom Field' => ' ',
'Add Episode' => ' ',
'Add Files to Playlist' => ' ',
'Add HLS Stream' => ' HLS ',
'Add Mount Point' => ' ',
'Add New GitHub Issue' => ' GitHub',
'Add New Passkey' => ' ',
'Add Playlist' => ' ',
'Add Podcast' => ' ',
'Add Remote Relay' => ' ',
'Add Role' => ' ',
'Add Schedule Item' => ' ',
'Add SFTP User' => ' SFTP ',
'Add Station' => ' ',
'Add Storage Location' => ' ',
'Add Streamer' => ' ',
'Add User' => ' ',
'Add Web Hook' => ' ',
'Administration' => ' ',
'Advanced' => ' ',
'Advanced Configuration' => ' ',
'Advanced Manual AutoDJ Scheduling Options' => ' AutoDJ ',
'Aggregate listener statistics are used to show station reports across the system. IP-based listener statistics are used to view live listener tracking and may be required for royalty reports.' => ' , , . IP- .',
'Album' => '',
'Album Art' => ' ',
'Alert' => '',
'All Days' => ' ',
'All listed domain names should point to this AzuraCast installation. Separate multiple domain names with commas.' => ' AzuraCast. .',
'All Playlists' => ' ',
'All Podcasts' => ' ',
'All Types' => ' ',
'All values in the NowPlaying API response are available for use. Any empty fields are ignored.' => ' NowPlaying API . - .',
'Allow Requests from This Playlist' => ' ',
'Allow Song Requests' => ' ',
'Allow Streamers / DJs' => ' DJ',
'Allowed IP Addresses' => ' IP ',
'Always Use HTTPS' => ' HTTPS',
'Always Write Playlists to Liquidsoap' => ' Liquidsoap',
'Amplify: Amplification (dB)' => ': ()',
'An error occurred and your request could not be completed.' => ' , .',
'An error occurred while loading the station profile:' => ' :',
'An error occurred with the WebDJ socket.' => ' WebDJ.',
'Analytics' => '',
'Analyze and reprocess the selected media' => ' ',
'Any of the following file types are accepted:' => ' - :',
'Any time a live streamer/DJ connects to the stream' => ' , /DJ ',
'Any time a live streamer/DJ disconnects from the stream' => ' , /DJ ',
'Any time the currently playing song changes' => ' , ',
'Any time the listener count decreases' => ' , ',
'Any time the listener count increases' => ' , ',
'API "Access-Control-Allow-Origin" Header' => 'API "Access-Control-Allow-Origin"',
'API Documentation' => ' API',
'API Key Description/Comments' => ' API ',
'API Keys' => ' API',
'API Token' => 'API Token',
'API Version' => ' API',
'App Key' => 'App Key',
'App Secret' => 'App Secret',
'Apple Podcasts' => 'Apple Podcasts',
'Apply audio processors (like compressors, limiters, or equalizers) to your stream to create a more uniform sound or enhance the listening experience. Processing requires extra CPU resources, so it may slow down your server.' => ' ( , , ) , , . , .',
'Apply for an API key at Last.fm' => ' API Last.fm',
'Apply Playlist to Folders' => ' ',
'Apply Post-processing to Live Streams' => ' ',
'Apply to Folders' => ' ',
'Are you sure?' => ' ?',
'Art' => '',
'Artist' => '',
'Artwork' => ' ',
'Artwork must be a minimum size of 1400 x 1400 pixels and a maximum size of 3000 x 3000 pixels for Apple Podcasts.' => ' 1400 x 1400 3000 x 3000 Apple .',
'Attempt to Automatically Retrieve ISRC When Missing' => ' ISRC ',
'Audio Bitrate (kbps)' => 'Audio Bitrate (kbps)',
'Audio Format' => ' ',
'Audio Post-processing Method' => ' ',
'Audio Processing' => ' ',
'Audio transcoding applications like Liquidsoap use a consistent amount of CPU over time, which gradually drains this available credit. If you regularly see stolen CPU time, you should consider migrating to a VM that has CPU resources dedicated to your instance.' => ' , Liquidsoap, , . , VM, , .',
'Audit Log' => ' ',
'Author' => '',
'Auto-Assign Value' => ' ',
'AutoCue analyzes your music and automatically calculates cue points, fade points, and volume levels for a consistent listening experience.' => 'AutoCue Cue , .',
'AutoDJ' => 'AutoDJ',
'AutoDJ Bitrate (kbps)' => 'AutoDJ Bitrate (kbps)',
'AutoDJ Disabled' => 'AutoDJ ',
'AutoDJ Format' => ' AutoDJ',
'AutoDJ has been disabled for this station. No music will automatically be played when a source is not live.' => 'AutoDJ . , .',
'AutoDJ Queue' => ' AutoDJ',
'AutoDJ Queue Length' => ' AutoDJ',
'AutoDJ Service' => ' AutoDJ',
'Automatic Backups' => ' ',
'Automatically create new podcast episodes when media is added to a specified playlist.' => ' podcast- .',
'Automatically publish to a Mastodon instance.' => ' Mastodon.',
'Automatically Scroll to Bottom' => ' ',
'Automatically send a customized message to your Discord server.' => ' Discord.',
'Automatically send a message to any URL when your station data changes.' => ' - URL .',
'Automatically Set from ID3v2 Value' => ' ID3v2',
'Available Logs' => ' ',
'Avatar Service' => ' ',
'Avatars are retrieved based on your e-mail address from the %{ service } service. Click to manage your %{ service } settings.' => ' %{ service }. , %{ service }.',
'Average Listeners' => ' ',
'Avoid Duplicate Artists/Titles' => ' /',
'AzuraCast First-Time Setup' => ' AzuraCast',
'AzuraCast Instance Name' => 'AzuraCast: ',
'AzuraCast ships with a built-in free IP geolocation database. You may prefer to use the MaxMind GeoLite service instead to achieve more accurate results. Using MaxMind GeoLite requires a license key, but once the key is provided, we will automatically keep the database updated.' => 'AzuraCast IP-. MaxMind . MaxMind GeoLite , , .',
'AzuraCast Update Checks' => ' AzuraCast',
'AzuraCast User' => ' AzuraCast',
'AzuraCast uses a role-based access control system. Roles are given permissions to certain sections of the site, then users are assigned into those roles.' => 'AzuraCast . , .',
'AzuraCast Wiki' => 'AzuraCast Wiki',
'AzuraCast will scan the uploaded file for matches in this station\'s music library. Media should already be uploaded before running this step. You can re-run this tool as many times as needed.' => 'AzuraCast . . , .',
'AzuraRelay is a standalone service that connects to your AzuraCast instance, automatically relays your stations via its own server, then reports the listener details back to your main instance. This page shows all currently connected instances.' => 'AzuraRelay - , AzuraCast, , . .',
'Back' => '',
'Backing up your installation is strongly recommended before any update.' => ' .',
'Backup' => ' ',
'Backup Format' => ' ',
'Backups' => ' ',
'Balanced' => '',
'Banned Countries' => ' ',
'Banned IP Addresses' => ' IP-',
'Banned User Agents' => ' ',
'Base Directory' => ' ',
'Base Station Directory' => ' ',
'Base Theme for Public Pages' => ' ',
'Basic Info' => ' ',
'Basic Information' => ' ',
'Basic Normalization and Compression' => ' ',
'Best & Worst' => ' ',
'Best Performing Songs' => ' ',
'Bit Rate' => 'Bit Rate',
'Bitrate' => '',
'Bot Token' => 'Bot Token',
'Bot/Crawler' => '/',
'Branding' => '',
'Branding Settings' => ' ',
'Broadcast AutoDJ to Remote Station' => ' AutoDJ ',
'Broadcasting' => '',
'Broadcasting Service' => ' ',
'Broadcasts' => '',
'Browser' => '',
'Browser Default' => ' ',
'Browser Icon' => ' ',
'Browsers' => '',
'Bucket Name' => ' ',
'Bulk Media Import/Export' => ' / ',
'by' => '',
'By default, all playlists are written to Liquidsoap as a backup in case the normal AutoDJ fails. This can affect CPU load, especially on startup. Disable to only write essential playlists to Liquidsoap.' => ' , Liquidsoap, , , AutoDJ . , . , Liquidsoap.',
'By default, radio stations broadcast on their own ports (i.e. 8000). If you\'re using a service like CloudFlare or accessing your radio station by SSL, you should enable this feature, which routes all radio through the web ports (80 and 443).' => ' ( 8000). CloudFlare SSL, , (80 443).',
'Cached' => '',
'Calculate and use normalized volume level metadata for each track.' => ' .',
'Cancel' => '',
'Categories' => '',
'Change' => '',
'Change Password' => ' ',
'Changes' => '',
'Changes saved.' => ' .',
'Character Set Encoding' => ' ',
'Chat ID' => 'ID ',
'Check for Updates' => ' ',
'Check this box to apply post-processing to all audio, including live streams. Uncheck this box to only apply post-processing to the AutoDJ.' => ' , , . , AutoDJ.',
'Check Web Services for Album Art for "Now Playing" Tracks' => ' "Now Playing"',
'Check Web Services for Album Art When Uploading Media' => ' ',
'Choose a method to use when transitioning from one song to another. Smart Mode considers the volume of the two tracks when fading for a smoother effect, but requires more CPU resources.' => ' . , .',
'Choose a name for this webhook that will help you distinguish it from others. This will only be shown on the administration page.' => ' , . .',
'Choose a new password for your account.' => ' .',
'City' => '',
'Clear' => '',
'Clear all media from playlist?' => ' ?',
'Clear All Message Queues' => ' ',
'Clear All Pending Requests?' => ' ?',
'Clear Artwork' => ' ',
'Clear Cache' => ' ',
'Clear Extra Metadata' => ' ',
'Clear Field' => ' ',
'Clear File' => ' ',
'Clear Filters' => ' ',
'Clear Image' => ' ',
'Clear List' => ' ',
'Clear Media' => ' ',
'Clear Pending Requests' => ' ',
'Clear Queue' => ' ',
'Clear Upcoming Song Queue' => ' ',
'Clear Upcoming Song Queue?' => ' ?',
'Clearing the application cache may log you out of your session.' => ' .',
'Click "Generate new license key".' => ' " ".',
'Click "New Application"' => ' " "',
'Click the "Preferences" link, then "Development" on the left side menu.' => ' "", "" .',
'Click the button below to generate a CSV file with all of this station\'s media. You can make any necessary changes, and then import the file using the file picker on the right.' => ' , CSV- . - , .',
'Click the button below to open your browser window to select a passkey.' => ' , .',
'Click the button below to retry loading the page.' => ' , .',
'Client' => '',
'Clients' => '',
'Clients by Connected Time' => ' \'',
'Clients by Listeners' => ' ',
'Clone' => '',
'Clone Station' => ' ',
'Close' => '',
'CloudFlare (CF-Connecting-IP)' => 'CloudFlare (CF-Connecting-IP)',
'Code from Authenticator App' => ' ',
'Collect aggregate listener statistics and IP-based listener statistics' => ' IP-',
'Comments' => '',
'Complete the setup process by providing some information about your broadcast environment. These settings can be changed later from the administration panel.' => ' , . .',
'Configure' => '',
'Configure Backups' => ' ',
'Confirm' => '',
'Confirm New Password' => ' ',
'Connected AzuraRelays' => ' AzuraRelays',
'Connection Information' => ' ',
'Contains explicit content' => ' ',
'Continue the setup process by creating your first radio station below. You can edit any of these details later.' => ' , . - .',
'Continuous Play' => ' ',
'Control how this playlist is handled by the AutoDJ software.' => ' AutoDJ.',
'Copied!' => '!',
'Copies older than the specified number of days will automatically be deleted. Set to zero to disable automatic deletion.' => ' . , .',
'Copy associated media and folders.' => ' \' .',
'Copy scheduled playback times.' => ' .',
'Copy to Clipboard' => ' ',
'Copy to New Station' => ' ',
'Could not upload file.' => ' .',
'Countries' => '',
'Country' => '',
'CPU Load' => 'CPU Load',
'CPU Stats Help' => ' ',
'Create a new application. Choose "Scoped Access", select your preferred level of access, then name your app. Do not name it "AzuraCast", but rather use a name specific to your installation.' => ' . , , . "AzuraCast", , .',
'Create a New Radio Station' => ' ',
'Create Account' => ' ',
'Create an account on the MaxMind developer site.' => ' MaxMind.',
'Create and Continue' => ' ',
'Create custom fields to store extra metadata about each media file uploaded to your station libraries.' => ' .',
'Create Directory' => ' ',
'Create New Key' => ' ',
'Create New Playlist for Each Folder' => ' ',
'Create podcast episodes independent of your station\'s media collection.' => ' podcast- .',
'Create Station' => ' ',
'Critical' => '',
'Crossfade Duration (Seconds)' => ' ( )',
'Crossfade Method' => ' ',
'Cue' => '',
'Current Configuration File' => ' ',
'Current Custom Fallback File' => ' ',
'Current Installed Version' => ' ',
'Current Intro File' => ' Intro',
'Current Password' => ' ',
'Current Podcast Media' => ' ',
'Custom' => '',
'Custom API Base URL' => ' URL- API',
'Custom Branding' => ' ',
'Custom Configuration' => ' ',
'Custom CSS for Internal Pages' => ' CSS ',
'Custom CSS for Public Pages' => ' CSS ',
'Custom Cues: Cue-In Point (seconds)' => ' ( )',
'Custom Cues: Cue-Out Point (seconds)' => ' ( )',
'Custom Fading: Fade-In Time (seconds)' => ' ( )',
'Custom Fading: Fade-Out Time (seconds)' => ' ( )',
'Custom Fallback File' => ' ',
'Custom Fields' => ' ',
'Custom Frontend Configuration' => ' Frontend',
'Custom JS for Public Pages' => ' JavaScript ',
'Customize' => '',
'Customize Administrator Password' => ' ',
'Customize AzuraCast Settings' => ' AzuraCast',
'Customize Broadcasting Port' => ' ',
'Customize Copy' => ' ',
'Customize DJ/Streamer Mount Point' => ' /DJ',
'Customize DJ/Streamer Port' => ' DJ/Streamer',
'Customize Internal Request Processing Port' => ' ',
'Customize Source Password' => ' ',
'Customize the number of songs that will appear in the "Song History" section for this station and in all public APIs.' => ' , " " API.',
'Customize this setting to ensure you get the correct IP address for remote users. Only change this setting if you use a reverse proxy, either within Docker or a third-party service like CloudFlare.' => ' , IP- . -, Docker , CloudFlare.',
'Dark' => '',
'Dashboard' => ' ',
'Date Played' => ' ',
'Date Requested' => ' ',
'Date/Time' => '/',
'Date/Time (Browser)' => '/ ()',
'Date/Time (Station)' => '/ ()',
'Days of Playback History to Keep' => ' , ',
'Deactivate Streamer on Disconnect (Seconds)' => ' ( )',
'Debug' => '',
'Default Album Art' => ' ',
'Default Album Art URL' => 'URL- ',
'Default Avatar URL' => 'URL- ',
'Default Live Broadcast Message' => ' ',
'Default Mount' => ' ',
'Delete' => '',
'Delete %{ num } broadcasts?' => ' %{ num } ?',
'Delete %{ num } episodes?' => ' %{ num } ?',
'Delete %{ num } media files?' => ' %{ num } -?',
'Delete Album Art' => ' ',
'Delete API Key?' => ' API?',
'Delete Backup?' => ' ?',
'Delete Broadcast?' => ' ?',
'Delete Custom Field?' => ' ?',
'Delete Episode?' => ' ?',
'Delete HLS Stream?' => ' HLS ?',
'Delete Mount Point?' => ' ?',
'Delete Passkey?' => ' ?',
'Delete Playlist?' => ' ?',
'Delete Podcast?' => ' ?',
'Delete Queue Item?' => ' ?',
'Delete Record?' => ' ?',
'Delete Remote Relay?' => ' Remote Relay?',
'Delete Request?' => ' ?',
'Delete Role?' => ' ?',
'Delete SFTP User?' => ' SFTP?',
'Delete Station?' => ' ?',
'Delete Storage Location?' => ' ?',
'Delete Streamer?' => ' ?',
'Delete User?' => ' ?',
'Delete Web Hook?' => ' -?',
'Description' => '',
'Details' => '',
'Directory' => '',
'Directory Name' => '\' ',
'Disable' => '',
'Disable Crossfading' => ' ',
'Disable Optimizations' => ' ',
'Disable station?' => ' ?',
'Disable Two-Factor' => ' ',
'Disable two-factor authentication?' => ' ?',
'Disable?' => '?',
'Disabled' => '',
'Disconnect Streamer' => ' ',
'Discord Web Hook URL' => 'URL- - Discord',
'Discord Webhook' => '- Discord',
'Disk caching makes a system much faster and more responsive in general. It does not take memory away from applications in any way since it will automatically be released by the operating system when needed.' => '- . \' , , .',
'Disk Space' => ' ',
'Display fields' => ', ',
'Display Name' => '\' ',
'DJ/Streamer Buffer Time (Seconds)' => ' / ( )',
'Do not collect any listener analytics' => ' ',
'Do not use a local broadcasting service.' => ' .',
'Do not use an AutoDJ service.' => ' AutoDJ.',
'Documentation' => '',
'Domain Name(s)' => ' ',
'Donate to support AzuraCast!' => ' AzuraCast!',
'Download' => '',
'Download CSV' => ' CSV',
'Download M3U' => ' M3U',
'Download PLS' => ' PLS',
'Download the appropriate binary from the Stereo Tool downloads page:' => ' Stereo Tool:',
'Download the Linux x64 binary from the Shoutcast Radio Manager:' => ' Linux x64 Shoutcast Radio Manager:',
'Drag file(s) here to upload or' => ' () ',
'Dropbox App Console' => ' Dropbox',
'Dropbox Setup Instructions' => ' Dropbox',
'Duplicate' => '',
'Duplicate Playlist' => ' ',
'Duplicate Prevention Time Range (Minutes)' => ' ()',
'Duplicate Songs' => ' ',
'E-Mail' => ' ',
'E-mail Address' => ' ',
'E-mail Address (Optional)' => ' (\')',
'E-mail addresses can be separated by commas.' => ' .',
'E-mail Delivery Service' => ' E-mail',
'EBU R128' => 'EBU R128',
'Edit' => '',
'Edit Branding' => ' ',
'Edit Custom Field' => ' ',
'Edit Episode' => ' ',
'Edit HLS Stream' => ' HLS',
'Edit Liquidsoap Configuration' => ' Liquidsoap',
'Edit Media' => ' ',
'Edit Mount Point' => ' ',
'Edit Playlist' => ' ',
'Edit Podcast' => ' ',
'Edit Profile' => ' ',
'Edit Remote Relay' => ' Remote Relay',
'Edit Role' => ' ',
'Edit SFTP User' => ' SFTP',
'Edit Station' => ' ',
'Edit Station Profile' => ' ',
'Edit Storage Location' => ' ',
'Edit Streamer' => ' ',
'Edit User' => ' ',
'Edit Web Hook' => ' -',
'Embed Code' => ' ',
'Embed Widgets' => ' ',
'Emergency' => ' ',
'Empty' => '',
'Enable' => '',
'Enable Advanced Features' => ' ',
'Enable AutoDJ' => ' AutoDJ',
'Enable Broadcasting' => ' ',
'Enable certain advanced features in the web interface, including advanced playlist configuration, station port assignment, changing base media directories and other functionality that should only be used by users who are comfortable with advanced functionality.' => ' -, , , , , .',
'Enable Downloads on On-Demand Page' => ' ',
'Enable HTTP Live Streaming (HLS)' => ' HTTP Live Streaming (HLS)',
'Enable listeners to request a song for play on your station. Only songs that are already in your playlists are requestable.' => ' . , .',
'Enable Mail Delivery' => ' ',
'Enable On-Demand Streaming' => ' ',
'Enable Public Pages' => ' ',
'Enable this option if your S3 provider is using paths instead of sub-domains for their S3 endpoint; for example, when using MinIO or with other self-hosted S3 storage solutions that are accessible via a path on a domain/IP instead of a subdomain.' => ' , S3 , S3-; , MinIO S3, /IP, .',
'Enable this setting to prevent metadata from being sent to the AutoDJ for files in this playlist. This is useful if the playlist contains jingles or bumpers.' => ' , AutoDJ . , .',
'Enable to advertise this mount point on "Yellow Pages" public radio directories.' => ' , "Yellow Pages".',
'Enable to advertise this relay on "Yellow Pages" public radio directories.' => ' , "Yellow Pages".',
'Enable to allow listeners to select this relay on this station\'s public pages.' => ' , .',
'Enable to allow this account to log in and stream.' => ' .',
'Enable to have AzuraCast automatically run nightly backups at the time specified.' => ' AzuraCast .',
'Enable Two-Factor' => ' ',
'Enable Two-Factor Authentication' => ' ',
'Enable?' => '?',
'Enabled' => '',
'End Date' => ' ',
'End Time' => ' ',
'Endpoint' => ' ',
'Enforce Schedule Times' => ' \' ',
'Enlarge Album Art' => ' ',
'Ensure the library matches your system architecture' => ', ',
'Enter "AzuraCast" as the application name. You can leave the URL fields unchanged. For "Scopes", only "write:media" and "write:statuses" are required.' => ' "AzuraCast" . URL . "Scopes" "write:media" "write:statuses".',
'Enter the access code you receive below.' => ' , .',
'Enter the current code provided by your authenticator app to verify that it\'s working correctly.' => ' , , , , .',
'Enter the full URL of another stream to relay its broadcast through this mount point.' => ' URL , .',
'Enter your app secret and app key below.' => ' , .',
'Enter your e-mail address to receive updates about your certificate.' => ' , , .',
'Enter your password' => ' ',
'Episode' => '',
'Episodes' => '',
'Error' => '',
'Error moving files:' => ' :',
'Error queueing files:' => ' :',
'Error removing files:' => ' :',
'Error reprocessing files:' => ' :',
'Error updating playlists:' => ' :',
'Example: if the remote radio URL is path_to_url enter "path_to_url".' => ': URL- path_to_url "path_to_url".',
'Exclude Media from Backup' => ' ',
'Excluding media from automated backups will save space, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => ' , , . , .',
'Exit Fullscreen' => ' ',
'Expected to Play at' => ' ',
'Explicit' => '',
'Export %{format}' => ' %{format}',
'Export Media to CSV' => ' CSV',
'External' => '',
'Fallback Mount' => ' ',
'Field Name' => ' ',
'File Name' => '\' ',
'Files marked for reprocessing:' => ', :',
'Files moved:' => ' :',
'Files played immediately:' => ', :',
'Files queued for playback:' => ', :',
'Files removed:' => ' :',
'First Connected' => ' ',
'Followers Only' => ' ',
'Footer Text' => ' ',
'For ARM (Raspberry Pi, etc.) installations, choose "Raspberry Pi Thimeo-ST plugin".' => ' ARM (Raspberry Pi .) "Raspberry Pi Thimeo-ST plugin".',
'For local filesystems, this is the base path of the directory. For remote filesystems, this is the folder prefix.' => ' , . , .',
'For most cases, use the default UTF-8 encoding. The older ISO-8859-1 encoding can be used if accepting connections from Shoutcast 1 DJs or using other legacy software.' => ' UTF-8. ISO-8859-1 , \' Shoutcast 1 .',
'for selected period' => ' ',
'For simple updates where you want to keep your current configuration, you can update directly via your web browser. You will be disconnected from the web interface and listeners will be disconnected from all stations.' => ' , , . , .',
'For some clients, use port:' => ' :',
'For the legacy version' => ' ',
'For x86/64 installations, choose "x86/64 Linux Thimeo-ST plugin".' => ' x86/64 "x86/64 Linux Thimeo-ST plugin".',
'Forgot your password?' => ' ?',
'Format' => '',
'Friday' => '\'',
'From your smartphone, scan the code to the right using an authentication app of your choice (FreeOTP, Authy, etc).' => ' , (FreeOTP, Authy . .).',
'Full' => '',
'Full Volume' => ' ',
'General Rotation' => ' ',
'Generate Access Code' => ' ',
'Generate Report' => ' ',
'Generate/Renew Certificate' => ' / ',
'Generic Web Hook' => ' -',
'Generic Web Hooks' => ' ',
'Genre' => '',
'GeoLite is not currently installed on this installation.' => 'GeoLite .',
'GeoLite version "%{ version }" is currently installed.' => ' GeoLite "%{ version }".',
'Get Next Song' => ' ',
'Get Now Playing' => ', ',
'GetMeRadio' => 'GetMeRadio',
'GetMeRadio Station ID' => 'GetMeRadio Station ID',
'Global' => '',
'Global Permissions' => ' ',
'Go' => '',
'Google Analytics V4 Integration' => ' Google Analytics V4',
'Help' => '',
'Hide Album Art on Public Pages' => ' ',
'Hide AzuraCast Branding on Public Pages' => ' AzuraCast ',
'Hide Charts' => ' ',
'Hide Credentials' => ' ',
'Hide Metadata from Listeners ("Jingle Mode")' => ' (" ")',
'High I/O Wait can indicate a bottleneck with the server\'s hard disk, a potentially failing hard disk, or heavy load on the hard disk.' => ' / I/O Wait , .',
'Higher weight playlists are played more frequently compared to other lower-weight playlists.' => ' .',
'History' => '',
'HLS' => 'HLS',
'HLS Streams' => ' HLS',
'Home' => '',
'Homepage Redirect URL' => 'URL ',
'Hour' => '',
'HTML' => 'HTML',
'HTTP Live Streaming (HLS)' => 'HTTP Live Streaming (HLS)',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate streaming technology. From this page, you can configure the individual bitrates and formats that are included in the combined HLS stream.' => 'HTTP Live Streaming (HLS) - . , HLS.',
'HTTP Live Streaming (HLS) is a new adaptive-bitrate technology supported by some clients. It does not use the standard broadcasting frontends.' => 'HTTP Live Streaming (HLS) - , . .',
'Icecast Clients' => 'Icecast Clients',
'Icecast/Shoutcast Stream URL' => 'URL- Icecast/Shoutcast',
'Identifier' => '',
'If a live DJ connects but has not yet sent metadata, this is the message that will display on player pages.' => ' Live DJ , , .',
'If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.' => ' , URL . , .',
'If a visitor is not signed in and visits the AzuraCast homepage, you can automatically redirect them to the URL specified here. Leave blank to redirect them to the login screen by default.' => ' AzuraCast, URL, . , .',
'If disabled, the playlist will not be included in radio playback, but can still be managed.' => ' , , .',
'If disabled, the station will not broadcast or shuffle its AutoDJ.' => ' , AutoDJ.',
'If enabled, a download button will also be present on the public "On-Demand" page.' => ' , " " .',
'If enabled, AzuraCast will automatically record any live broadcasts made to this station to per-broadcast recordings.' => ' , AzuraCast , , .',
'If enabled, AzuraCast will connect to the MusicBrainz database to attempt to find an ISRC for any files where one is missing. Disabling this may improve performance.' => ' , AzuraCast \' MusicBrainz, ISRC , . .',
'If enabled, music from playlists with on-demand streaming enabled will be available to stream via a specialized public page.' => ' , , , .',
'If enabled, streamers (or DJs) will be able to connect directly to your stream and broadcast live music that interrupts the AutoDJ stream.' => ' , ( ) , AutoDJ.',
'If enabled, the AutoDJ on this installation will automatically play music to this mount point.' => ' , AutoDJ .',
'If enabled, the AutoDJ will automatically play music to this mount point.' => ' , AutoDJ .',
'If enabled, this streamer will only be able to connect during their scheduled broadcast times.' => ' , .',
'If requests are enabled for your station, users will be able to request media that is on this playlist.' => ' , , .',
'If requests are enabled, this specifies the minimum delay (in minutes) between a request being submitted and being played. If set to zero, a minor delay of 15 seconds is applied to prevent request floods.' => ' , ( ) . , 15 , .',
'If selected, album art will not display on public-facing radio pages.' => ' , .',
'If selected, this will remove the AzuraCast branding from public-facing pages.' => ' , AzuraCast .',
'If the end time is before the start time, the playlist will play overnight.' => ' , , .',
'If the end time is before the start time, the schedule entry will continue overnight.' => ' , .',
'If the mountpoint (i.e. /radio.mp3) or Shoutcast SID (i.e. 2) you broadcast to is different from the stream URL, specify the source mount point here.' => ' (, /radio.mp3) SID Shoutcast (, 2), , URL , .',
'If the port you broadcast to is different from the stream URL, specify the source port here.' => ' , , URL , .',
'If this mount is the default, it will be played on the radio preview and the public radio page in this system.' => ' , .',
'If this mount point is not playing audio, listeners will automatically be redirected to this mount point. The default is /error.mp3, a repeating error message.' => ' , . /error.mp3, .',
'If this setting is set to "Yes", the browser URL will be used instead of the base URL when it\'s available. Set to "No" to always use the base URL.' => ' , URL URL, . , URL.',
'If this station has on-demand streaming and downloading enabled, only songs that are in playlists with this setting enabled will be visible.' => ' , , .',
'If you are broadcasting using AutoDJ, enter the source password here.' => ' AutoDJ, .',
'If you are broadcasting using AutoDJ, enter the source username here. This may be blank.' => ' AutoDJ, \' . .',
'If you\'re experiencing a bug or error, you can submit a GitHub issue using the link below.' => ' , GitHub .',
'If your installation is constrained by CPU or memory, you can change this setting to tune the resources used by Liquidsoap.' => ' \', , , Liquidsoap.',
'If your Mastodon username is "@test@example.com", enter "example.com".' => ' \' Mastodon - "@test@example.com", "example.com".',
'If your stream is set to advertise to YP directories above, you must specify an authorization hash. You can manage these on the Shoutcast web site.' => ' YP , . Shoutcast.',
'If your streaming software requires a specific mount point path, specify it here. Otherwise, use the default.' => ' , . .',
'If your web hook requires HTTP basic authentication, provide the password here.' => ' HTTP, .',
'If your web hook requires HTTP basic authentication, provide the username here.' => ' HTTP, \' .',
'Import Changes from CSV' => ' CSV',
'Import from PLS/M3U' => ' PLS/M3U',
'Import Results' => ' ',
'Important: copy the key below before continuing!' => ': !',
'In order to install Shoutcast:' => ' Shoutcast:',
'In order to install Stereo Tool:' => ' , Stereo Tool:',
'In order to process quickly, web hooks have a short timeout, so the responding service should be optimized to handle the request in under 2 seconds.' => ' , , , 2 .',
'Include in On-Demand Player' => ' ',
'Indefinitely' => '',
'Indicates the presence of explicit content (explicit language or adult content). Apple Podcasts displays an Explicit parental advisory graphic for your episode if turned on. Episodes containing explicit material aren\'t available in some Apple Podcasts territories.' => ' ( ). Apple Podcasts "" , . Apple Podcasts.',
'Info' => '',
'Information about the current playing track will appear here once your station has started.' => ' \' .',
'Insert' => '',
'Install GeoLite IP Database' => ' GeoLite IP',
'Install Shoutcast' => ' Shoutcast',
'Install Shoutcast 2 DNAS' => ' Shoutcast 2 DNAS',
'Install Stereo Tool' => ' Stereo Tool',
'Instructions' => '',
'Internal notes or comments about the user, visible only on this control panel.' => ' , .',
'International Standard Recording Code, used for licensing reports.' => ' .',
'Interrupt other songs to play at scheduled time.' => ' .',
'Intro' => '',
'IP' => 'IP',
'IP Address Source' => ' IP-',
'IP Geolocation is used to guess the approximate location of your listeners based on the IP address they connect with. Use the free built-in IP Geolocation library or enter a license key on this page to use MaxMind GeoLite.' => 'IP- IP-, . IP- , MaxMind GeoLite.',
'Is Public' => ' ',
'ISRC' => 'ISRC',
'Items per page' => ' ',
'Jingle Mode' => ' ',
'Language' => '',
'Last 14 Days' => ' 14 ',
'Last 2 Years' => ' 2 ',
'Last 24 Hours' => ' 24 ',
'Last 30 Days' => ' 30 ',
'Last 60 Days' => ' 60 ',
'Last 7 Days' => ' 7 ',
'Last Modified' => ' ',
'Last Month' => ' ',
'Last Run' => ' ',
'Last run:' => ' :',
'Last Year' => ' ',
'Last.fm API Key' => 'Last.fm API Key',
'Latest Update' => ' ',
'Learn about Advanced Playlists' => ' ',
'Learn More about Post-processing CPU Impact' => ' ',
'Learn more about release channels in the AzuraCast docs.' => ' AzuraCast.',
'Learn more about this header.' => ' .',
'Leave blank to automatically generate a new password.' => ' , .',
'Leave blank to play on every day of the week.' => ' , .',
'Leave blank to use the current password.' => ' , .',
'Leave blank to use the default Telegram API URL (recommended).' => ' , URL Telegram API ().',
'Length' => '',
'Let\'s get started by creating your Super Administrator account.' => ' .',
'LetsEncrypt' => 'LetsEncrypt',
'LetsEncrypt provides simple, free SSL certificates allowing you to secure traffic through your control panel and radio streams.' => 'LetsEncrypt , SSL-, .',
'Light' => '',
'Like our software?' => ' ?',
'Limited' => '',
'LiquidSoap is currently shuffling from %{songs} and %{playlists}.' => 'LiquidSoap %{songs} %{playlists}.',
'Liquidsoap Performance Tuning' => ' Liquidsoap',
'List one IP address or group (in CIDR format) per line.' => ' IP- ( CIDR) .',
'List one user agent per line. Wildcards (*) are allowed.' => ' . (*).',
'Listener Analytics Collection' => ' ',
'Listener Gained' => ' ',
'Listener History' => ' ',
'Listener Lost' => ' ',
'Listener Report' => ' ',
'Listener Request' => ' ',
'Listeners' => '',
'Listeners by Day' => ' ',
'Listeners by Day of Week' => ' ',
'Listeners by Hour' => ' ',
'Listeners by Listening Time' => ' ',
'Listeners By Time Period' => ' ',
'Listeners Per Station' => ' ',
'Listening Time' => ' ',
'Live' => '',
'Live Broadcast Recording Bitrate (kbps)' => ' (kbps)',
'Live Broadcast Recording Format' => ' ',
'Live Listeners' => ' ',
'Live Recordings Storage Location' => ' ',
'Live Streamer:' => ' :',
'Live Streamer/DJ Connected' => ' Live /DJ',
'Live Streamer/DJ Disconnected' => ' Live /DJ',
'Live Streaming' => ' ',
'Load Average' => ' ',
'Loading' => '',
'Local' => '',
'Local Broadcasting Service' => ' ',
'Local Filesystem' => ' ',
'Local IP (Default)' => 'Local IP (Default)',
'Local Streams' => ' ',
'Location' => '',
'Log In' => '',
'Log Output' => ' ',
'Log Viewer' => ' ',
'Logs' => '',
'Logs by Station' => ' ',
'Loop Once' => ' ',
'Main Message Content' => ' ',
'Make HLS Stream Default in Public Player' => ' HLS- ',
'Make the selected media play immediately, interrupting existing media' => ' - , -',
'Manage' => '',
'Manage Avatar' => ' ',
'Manage SFTP Accounts' => ' SFTP',
'Manage Stations' => ' ',
'Manual AutoDJ Mode' => ' AutoDJ',
'Manual Updates' => ' ',
'Manually define how this playlist is used in Liquidsoap configuration.' => ' , Liquidsoap.',
'Markdown' => 'Markdown',
'Master_me is an open-source automatic mastering plugin for streaming, podcasts and Internet radio.' => 'Master_me - , , -.',
'Master_me Loudness Target (LUFS)' => ' (LUFS) Master_me',
'Master_me Post-processing' => 'Master_me ',
'Master_me Preset' => 'Master_me Preset',
'Master_me Project Homepage' => ' Master_me',
'Mastodon Account Details' => ' Mastodon',
'Mastodon Instance URL' => 'URL Mastodon',
'Mastodon Post' => 'Mastodon Post',
'Matched' => '',
'Matomo Analytics Integration' => ' Matomo Analytics',
'Matomo API Token' => 'Matomo API Token',
'Matomo Installation Base URL' => ' URL Matomo',
'Matomo Site ID' => 'Matomo Site ID',
'Max Listener Duration' => ' ',
'Maximum Listeners' => ' ',
'Maximum number of total listeners across all streams. Leave blank to use the default.' => ' . , .',
'MaxMind Developer Site' => ' MaxMind',
'Measurement ID' => ' ',
'Measurement Protocol API Secret' => ' API ',
'Media' => '',
'Media File' => '',
'Media Storage Location' => ' ',
'Memory' => '\'',
'Memory Stats Help' => ' \'',
'Merge playlist to play as a single track.' => '\' .',
'Message Body' => ' ',
'Message Body on Song Change' => ' ',
'Message Body on Song Change with Streamer/DJ Connected' => ' /',
'Message Body on Station Offline' => ' ',
'Message Body on Station Online' => ' ',
'Message Body on Streamer/DJ Connect' => ' /',
'Message Body on Streamer/DJ Disconnect' => ' /DJ',
'Message Customization Tips' => ' ',
'Message parsing mode' => ' ',
'Message Queues' => ' ',
'Message Recipient(s)' => '() ',
'Message Subject' => ' ',
'Message Visibility' => ' ',
'Microphone' => '',
'Microphone Source' => ' ',
'Minute of Hour to Play' => ' ',
'Mixer' => '',
'Modified' => '',
'Monday' => '',
'More' => '',
'Most hosting providers will put more Virtual Machines (VPSes) on a server than the hardware can handle when each VM is running at full CPU load. This is called over-provisioning, which can lead to other VMs on the server "stealing" CPU time from your VM and vice-versa.' => ' - (VPS) , , . , , "" .',
'Most Played Songs' => ' ',
'Most Recent Backup Log' => ' ',
'Mount Name:' => ' :',
'Mount Point URL' => 'URL ',
'Mount Points' => ' ',
'Mount points are how listeners connect and listen to your station. Each mount point can be a different audio format or quality. Using mount points, you can set up a high-quality stream for broadband listeners and a mobile stream for phone users.' => ' - , . . , .',
'Move' => '',
'Move %{ num } File(s) to' => ' %{ num } () ',
'Move Down' => '',
'Move to Bottom' => '',
'Move to Directory' => ' ',
'Move to Top' => '',
'Move Up' => '',
'Music Files' => ' ',
'Music General' => ' ()',
'Must match new password.' => ' .',
'Mute' => ' ',
'My Account' => ' ',
'N/A' => 'N/A',
'Name' => '\'',
'name@example.com' => 'name@example.com',
'Name/Type' => '\'/',
'Need Help?' => ' ?',
'Network Interfaces' => ' ',
'Never run' => ' ',
'New Directory' => ' ',
'New directory created.' => ' .',
'New File Name' => ' ',
'New Folder' => ' ',
'New Key Generated' => ' ',
'New Password' => ' ',
'New Playlist' => ' ',
'New Playlist Name' => ' ',
'New Station Description' => ' ',
'New Station Name' => ' ',
'Next Run' => ' ',
'No' => '',
'No AutoDJ Enabled' => 'AutoDJ ',
'No files selected.' => ' .',
'No Limit' => ' ',
'No Match' => ' ',
'No other program can be using this port. Leave blank to automatically assign a port.' => ' . .',
'No Post-processing' => ' ',
'No records to display.' => ' .',
'No records.' => ' .',
'None' => ' ',
'Normal Mode' => ' ',
'Not Played' => ' ',
'Not Run' => ' ',
'Not Running' => ' ',
'Not Scheduled' => ' ',
'Note that restoring a backup will clear your existing database. Never restore backup files from untrusted users.' => ' , . .',
'Note that Stereo Tool can be resource-intensive for both CPU and Memory. Please ensure you have sufficient resources before proceeding.' => ', Stereo Tool , . , , .',
'Note: If your media metadata has UTF-8 characters, you should use a spreadsheet editor that supports UTF-8 encoding, like OpenOffice.' => ': UTF-8, , UTF-8, , OpenOffice.',
'Note: the port after this one will automatically be used for legacy connections.' => ': , , .',
'Note: This should be the public-facing homepage of the radio station, not the AzuraCast URL. It will be included in broadcast details.' => ': , URL AzuraCast. .',
'Notes' => '',
'Notice' => '',
'Now' => '',
'Now Playing' => ' ',
'Now playing on %{ station }:' => ' %{ station }:',
'Now playing on %{ station }: %{ title } by %{ artist } with your host, %{ dj }! Tune in now: %{ url }' => ' %{ station }: %{ title } %{ artist } %{ dj }! : %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now: %{ url }' => ' %{ station }: %{ title } %{ artist }! : %{ url }',
'Now playing on %{ station }: %{ title } by %{ artist }! Tune in now.' => ' %{ station }: %{ title } %{ artist }! .',
'NowPlaying API Response' => ' API NowPlaying',
'Number of Backup Copies to Keep' => ' ',
'Number of Minutes Between Plays' => ' ',
'Number of seconds to overlap songs.' => ' .',
'Number of Songs Between Plays' => ' ',
'Number of Visible Recent Songs' => ' ',
'On the Air' => ' ',
'On-Demand' => ' ',
'On-Demand Media' => ' ',
'On-Demand Streaming' => ' ',
'Once per %{minutes} Minutes' => ' %{minutes} ',
'Once per %{songs} Songs' => ' %{songs} ',
'Once per Hour' => ' ',
'Once per Hour (at %{minute})' => ' ( %{minute})',
'Once per x Minutes' => ' x ',
'Once per x Songs' => ' x ',
'Once these steps are completed, enter the "Access Token" from the application\'s page into the field below.' => ' , "Access Token" .',
'One important note on I/O Wait is that it can indicate a bottleneck or problem but also may be completely meaningless, depending on the workload and general available resources. A constantly high I/O Wait should prompt further investigation with more sophisticated tools.' => ' - I/O Wait , , , . - .',
'Only collect aggregate listener statistics' => ' ',
'Only loop through playlist once.' => ' .',
'Only play one track at scheduled time.' => ' .',
'Only Post Once Every...' => ' ...',
'Operation' => '',
'Optional: HTTP Basic Authentication Password' => ': HTTP',
'Optional: HTTP Basic Authentication Username' => ': \' HTTP',
'Optional: Request Timeout (Seconds)' => ': - ( )',
'Optionally list this episode as part of a season in some podcast aggregators.' => ' , .',
'Optionally select an ID3v2 metadata field that, if present, will be used to set this field\'s value.' => ' ID3v2, , .',
'Optionally set a specific episode number in some podcast aggregators.' => ' .',
'Optionally specify a short URL-friendly name, such as "my_station_name", that will be used in this station\'s URLs. Leave this field blank to automatically create one based on the station name.' => ' \', URL, "my_station_name", URL- . , \' .',
'Optionally specify an API-friendly name, such as "field_name". Leave this field blank to automatically create one based on the name.' => ' , \', API, , "field_name". , \' .',
'Optionally supply an API token to allow IP address overriding.' => ' , API-, IP-.',
'Optionally supply SSH public keys this user can use to connect instead of a password. Enter one key per line.' => ' , SSH, . .',
'or' => '',
'Original Path' => ' ',
'Other Remote URL (File, HLS, etc.)' => ' URL- (, HLS )',
'Owner' => '',
'Page' => '',
'Passkey Authentication' => ' ',
'Password' => '',
'Password:' => ':',
'Paste the generated license key into the field on this page.' => ' .',
'Path/Suffix' => '/',
'Pending Requests' => ' ',
'Permissions' => '',
'Play' => '',
'Play Now' => ' ',
'Play once every $x minutes.' => ' $x .',
'Play once every $x songs.' => ' $x .',
'Play once per hour at the specified minute.' => ' $x .',
'Playback Queue' => ' ',
'Playing Next' => ' ',
'Playlist' => '',
'Playlist (M3U/PLS) URL' => 'Playlist (M3U/PLS) URL',
'Playlist 1' => ' 1',
'Playlist 2' => ' 2',
'Playlist Name' => ' ',
'Playlist order set.' => ' .',
'Playlist queue cleared.' => ' .',
'Playlist successfully applied to folders.' => ' .',
'Playlist Type' => ' ',
'Playlist Weight' => ' ',
'Playlist:' => ':',
'Playlists' => '',
'Playlists cleared for selected files:' => ' :',
'Playlists updated for selected files:' => ' :',
'Plays' => '',
'Please log in to continue.' => ', .',
'Podcast' => '',
'Podcast media should be in the MP3 or M4A (AAC) format for the greatest compatibility.' => ' MP3 M4A (AAC) .',
'Podcast Title' => ' ',
'Podcasts' => '',
'Podcasts Storage Location' => ' ',
'Port' => '',
'Port:' => ':',
'Powered by' => ' ',
'Powered by AzuraCast' => ' AzuraCast',
'Prefer Browser URL (If Available)' => ' URL ( )',
'Prefer System Default' => ' ',
'Preview' => ' ',
'Previous' => '',
'Privacy' => '',
'Profile' => '',
'Programmatic Name' => ' \'',
'Provide a valid license key from Thimeo. Functionality is limited without a license key.' => ' Thimeo. .',
'Public' => '',
'Public Page' => ' ',
'Public Page Background' => ' ',
'Public Pages' => ' ',
'Publish to "Yellow Pages" Directories' => ' "Yellow Pages"',
'Queue' => '',
'Queue the selected media to play next' => ' ',
'Radio Player' => '',
'Radio.de' => 'Radio.de',
'Radio.de API Key' => 'Radio.de API Key',
'Random' => '',
'Ready to start broadcasting? Click to start your station.' => ' ? , .',
'Received' => '',
'Record Live Broadcasts' => ' ',
'Recover Account' => ' ',
'Refresh rows' => ' ',
'Region' => '',
'Relay' => '',
'Relay Stream URL' => 'URL- ',
'Release Channel' => ' ',
'Reload' => '',
'Reload Configuration' => ' ',
'Reload to Apply Changes' => ' ',
'Reloading broadcasting will not disconnect your listeners.' => ' \' .',
'Remember me' => '\' ',
'Remote' => '',
'Remote Playback Buffer (Seconds)' => ' ( )',
'Remote Relays' => ' ',
'Remote relays let you work with broadcasting software outside this server. Any relay you include here will be included in your station\'s statistics. You can also broadcast from this server to remote relays.' => ' . - , , . .',
'Remote Station Administrator Password' => ' ',
'Remote Station Listening Mountpoint/SID' => ' / SID',
'Remote Station Listening URL' => 'URL ',
'Remote Station Source Mountpoint/SID' => ' / SID',
'Remote Station Source Password' => ' ',
'Remote Station Source Port' => ' ',
'Remote Station Source Username' => '\' ',
'Remote Station Type' => ' ',
'Remote URL' => ' URL-',
'Remote URL Playlist' => ' URL- ',
'Remote URL Type' => ' URL',
'Remote: Dropbox' => ': Dropbox',
'Remote: S3 Compatible' => ': S3 Compatible',
'Remote: SFTP' => ': SFTP',
'Remove' => '',
'Remove Key' => ' ',
'Rename' => '',
'Rename File/Directory' => ' /',
'Reorder' => ' ',
'Reorder Playlist' => ' ',
'Repeat' => '',
'Replace Album Cover Art' => ' ',
'Reports' => '',
'Reprocess' => ' ',
'Request' => '',
'Request a Song' => ' ',
'Request History' => ' ',
'Request Last Played Threshold (Minutes)' => ' ()',
'Request Minimum Delay (Minutes)' => ' ()',
'Request Song' => ' ',
'Requester IP' => 'IP ',
'Requests' => '',
'Required' => '\'',
'Reshuffle' => '',
'Restart' => '',
'Restart Broadcasting' => ' ',
'Restarting broadcasting will briefly disconnect your listeners.' => ' .',
'Restarting broadcasting will rewrite all configuration files and restart all services.' => ' .',
'Restoring Backups' => ' ',
'Role Name' => '\' ',
'Roles' => '',
'Roles & Permissions' => ' ',
'RSS Feed' => 'RSS ',
'Run Automatic Nightly Backups' => ' ',
'Run Manual Backup' => ' ',
'Run Task' => ' ',
'Running' => '',
'Sample Rate' => ' ',
'Saturday' => '',
'Save' => '',
'Save and Continue' => ' ',
'Save Changes' => ' ',
'Save Changes first' => ' ',
'Schedule' => '',
'Schedule View' => ' ',
'Scheduled' => '',
'Scheduled Backup Time' => ' ',
'Scheduled Play Days of Week' => ' ',
'Scheduled playlists and other timed items will be controlled by this time zone.' => ' .',
'Scheduled Time #%{num}' => ' #%{num}',
'Scheduling' => '',
'Search' => '',
'Seconds from the start of the song that the AutoDJ should start playing.' => ' , AutoDJ .',
'Seconds from the start of the song that the AutoDJ should stop playing.' => ' AutoDJ .',
'Secret Key' => ' ',
'Security' => '',
'Security & Privacy' => ' ',
'See the Telegram documentation for more details.' => ' Telegram.',
'See the Telegram Documentation for more details.' => ' Telegram.',
'Seek' => '',
'Segment Length (Seconds)' => ' ()',
'Segments in Playlist' => ' ',
'Segments Overhead' => ' Overhead',
'Select' => '',
'Select a theme to use as a base for station public pages and the login page.' => ' , .',
'Select an option here to apply post-processing using an easy preset or tool. You can also manually apply post-processing by editing your Liquidsoap configuration manually.' => ' , . , Liquidsoap .',
'Select Configuration File' => ' ',
'Select CSV File' => ' CSV',
'Select Custom Fallback File' => ' ',
'Select File' => ' ',
'Select Intro File' => ' ',
'Select Media File' => ' ',
'Select PLS/M3U File to Import' => ' PLS/M3U ',
'Select PNG/JPG artwork file' => ' PNG/JPG ',
'Select the category/categories that best reflects the content of your podcast.' => ' , .',
'Select the countries that are not allowed to connect to the streams.' => ' , .',
'Select Web Hook Type' => ' -',
'Send an e-mail to specified address(es).' => ' .',
'Send E-mail' => ' E-mail',
'Send stream listener details to Google Analytics.' => ' Google Analytics.',
'Send stream listener details to Matomo Analytics.' => ' Matomo.',
'Send Test Message' => ' ',
'Sender E-mail Address' => 'E-mail ',
'Sender Name' => '\' ',
'Sequential' => '',
'Server Status' => ' ',
'Server:' => ':',
'Services' => '',
'Set a maximum disk space that this storage location can use. Specify the size with unit, i.e. "8 GB". Units are measured in 1024 bytes. Leave blank to default to the available space on the disk.' => ' , . , "8 ". 1024 . , .',
'Set as Default Mount Point' => ' ',
'Set cue and fade points using the visual editor. The timestamps will be saved to the corresponding fields in the advanced playback settings.' => ' cue fade . .',
'Set Cue In' => ' ',
'Set Cue Out' => ' ',
'Set Fade In' => ' Fade',
'Set Fade Out' => ' Fade',
'Set longer to preserve more playback history and listener metadata for stations. Set shorter to save disk space.' => ' , . , .',
'Set the length of time (seconds) a listener will stay connected to the stream. If set to 0, listeners can stay connected infinitely.' => ' ( ), . 0, .',
'Set to * to allow all sources, or specify a list of origins separated by a comma (,).' => ' *, , , (,).',
'Settings' => '',
'Setup instructions for broadcasting software are available on the AzuraCast wiki.' => ' AzuraCast.',
'SFTP Host' => ' SFTP',
'SFTP Password' => 'SFTP ',
'SFTP Port' => 'SMTP ',
'SFTP Private Key' => ' SFTP',
'SFTP Private Key Pass Phrase' => ' SFTP',
'SFTP Username' => '\' SFTP',
'SFTP Users' => ' SFTP',
'Share Media Storage Location' => ' ',
'Share Podcasts Storage Location' => ' ',
'Share Recordings Storage Location' => ' ',
'Shoutcast 2 DNAS is not currently installed on this installation.' => 'Shoutcast 2 DNAS .',
'Shoutcast 2 DNAS is not free software, and its restrictive license does not allow AzuraCast to distribute the Shoutcast binary.' => 'Shoutcast 2 DNAS , AzuraCast Shoutcast.',
'Shoutcast Clients' => ' Shoutcast',
'Shoutcast User ID' => ' Shoutcast',
'Shoutcast version "%{ version }" is currently installed.' => ' Shoutcast "%{ version }" .',
'Show Charts' => ' ',
'Show Credentials' => ' ',
'Show HLS Stream on Public Player' => ' HLS- ',
'Show new releases within your update channel on the AzuraCast homepage.' => ' AzuraCast.',
'Show on Public Pages' => ' ',
'Show the station in public pages and general API results.' => ' API.',
'Show Update Announcements' => ' ',
'Shuffled' => '',
'Sidebar' => ' ',
'Sign Out' => ' ',
'Site Base URL' => ' URL- ',
'Size' => '',
'Skip Song' => ' ',
'Skip to main content' => ' ',
'Smart Mode' => ' Smart',
'SMTP Host' => 'SMTP ',
'SMTP Password' => ' SMTP',
'SMTP Port' => ' SMTP',
'SMTP Username' => '\' SMTP',
'Social Media' => ' ',
'Some stream licensing providers may have specific rules regarding song requests. Check your local regulations for more information.' => ' . , .',
'Song' => '',
'Song Album' => ' ',
'Song Artist' => ' ',
'Song Change' => ' ',
'Song Change (Live Only)' => ' ( )',
'Song Genre' => ' ',
'Song History' => ' ',
'Song Length' => ' ',
'Song Lyrics' => ' ',
'Song Playback Order' => ' ',
'Song Playback Timeline' => ' ',
'Song Requests' => ' ',
'Song Title' => ' ',
'Song-based' => ' ',
'Song-Based' => ' ',
'Song-Based Playlist' => ' ',
'SoundExchange Report' => ' SoundExchange',
'SoundExchange Royalties' => ' SoundExchange',
'Source' => '',
'Space Used' => ' ',
'Specify a mountpoint (i.e. "/radio.mp3") or a Shoutcast SID (i.e. "2") to specify a specific stream to use for statistics or broadcasting.' => ' ( /radio.mp3) SID Shoutcast ( 2), , .',
'Specify the minute of every hour that this playlist should play.' => ' , .',
'Speech General' => ' ',
'Stable' => '',
'Standard playlist, shuffles with other standard playlists based on weight.' => ' , .',
'Start' => '',
'Start Date' => ' ',
'Start Station' => ' ',
'Start Streaming' => ' ',
'Start Time' => ' ',
'Station Directories' => ' ',
'Station Goes Offline' => ' ',
'Station Goes Online' => ' ',
'Station Media' => ' ',
'Station Name' => ' ',
'Station Offline' => ' ',
'Station Offline Display Text' => ' ',
'Station Overview' => ' ',
'Station Permissions' => ' ',
'Station Podcasts' => ' ',
'Station Recordings' => ' ',
'Station Statistics' => ' ',
'Station Time' => ' ',
'Station Time Zone' => ' ',
'Station-Specific Debugging' => ' ',
'Station(s)' => '()',
'Stations' => '',
'Stations using Icecast can soft-reload the station configuration, applying changes while keeping the stream broadcast running.' => ', Icecast, , , .',
'Step %{step}' => ' %{step}',
'Step 1: Scan QR Code' => ' 1. QR-',
'Step 2: Verify Generated Code' => ' 2. ',
'Steps for configuring a Mastodon application:' => ' Mastodon:',
'Stereo Tool documentation.' => ' Stereo Tool.',
'Stereo Tool Downloads' => ' Stereo Tool',
'Stereo Tool is a popular, proprietary tool for software audio processing. Using Stereo Tool, you can customize the sound of your stations using preset configuration files.' => 'Stereo Tool . Stereo Tool, .',
'Stereo Tool is an industry standard for software audio processing. For more information on how to configure it, please refer to the' => 'Stereo Tool . , , ',
'Stereo Tool is not currently installed on this installation.' => 'Stereo Tool .',
'Stereo Tool is not free software, and its restrictive license does not allow AzuraCast to distribute the Stereo Tool binary.' => 'Stereo Tool , AzuraCast Stereo Tool.',
'Stereo Tool version %{ version } is currently installed.' => ' Stereo Tool: %{ version }.',
'Stop' => '',
'Stop Streaming' => ' ',
'Storage Adapter' => ' ',
'Storage Location' => ' ',
'Storage Locations' => ' ',
'Storage Quota' => ' ',
'Stream' => '',
'Streamer Broadcasts' => ' ',
'Streamer Display Name' => '\' ',
'Streamer password' => ' ',
'Streamer Username' => ' ',
'Streamer/DJ' => '/',
'Streamer/DJ Accounts' => ' /',
'Streamers/DJs' => '/',
'Streams' => '',
'Submit Code' => ' ',
'Sunday' => '',
'Support Documents' => ' ',
'Supported file formats:' => ' :',
'Switch Theme' => ' ',
'Synchronization Tasks' => ' ',
'System Administration' => ' ',
'System Debugger' => ' ',
'System Logs' => ' ',
'System Maintenance' => ' ',
'System Settings' => ' ',
'Target' => '',
'Task Name' => ' ',
'Telegram Chat Message' => ' Telegram',
'Test' => '',
'Test message sent.' => ' .',
'Thanks for listening to %{ station }!' => ', %{ station }!',
'The amount of memory Linux is using for disk caching.' => ' , Linux .',
'The average target loudness (measured in LUFS) for the broadcasted stream. Values between -14 and -18 LUFS are common for Internet radio stations.' => ' ( LUFS) . -14 -18 LUFS -.',
'The base URL where this service is located. Use either the external IP address or fully-qualified domain name (if one exists) pointing to this server.' => ' URL-, . IP-, ( ), .',
'The body of the POST message is the exact same as the NowPlaying API response for your station.' => ' POST , NowPlaying API .',
'The contact person of the podcast. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => ' . , , Apple Podcasts, Spotify, Google Podcasts .',
'The current CPU usage including I/O Wait and Steal.' => ' , - .',
'The current Memory usage excluding cached memory.' => ' .',
'The description of the episode. The typical maximum amount of text allowed for this is 4000 characters.' => ' . , , 4000 .',
'The description of your podcast. The typical maximum amount of text allowed for this is 4000 characters.' => ' . , , 4000 .',
'The display name assigned to this mount point when viewing it on administrative or public pages. Leave blank to automatically generate one.' => ' , . , .',
'The display name assigned to this relay when viewing it on administrative or public pages. Leave blank to automatically generate one.' => ' , . , .',
'The editable text boxes are areas where you can insert custom configuration code. The non-editable sections are automatically generated by AzuraCast.' => ' , , , . , , AzuraCast.',
'The email of the podcast contact. May be required in order to list the podcast on services like Apple Podcasts, Spotify, Google Podcasts, etc.' => ' . , , Apple Podcasts, Spotify, Google Podcasts .',
'The file name should look like:' => ' :',
'The format and headers of this CSV should match the format generated by the export function on this page.' => ' CSV , .',
'The full base URL of your Matomo installation.' => ' URL- Matomo.',
'The full playlist is shuffled and then played through in the shuffled order.' => ' , .',
'The I/O Wait is the percentage of time that the CPU is waiting for disk access before it can continue the work that depends on the result of this.' => ' / , , .',
'The language spoken on the podcast.' => ', .',
'The length of playback time that Liquidsoap should buffer when playing this remote playlist. Shorter times may lead to intermittent playback on unstable connections.' => ' , Liquidsoap . .',
'The number of seconds of signal to store in case of interruption. Set to the lowest value that your DJs can use without stream interruptions.' => ' . , .',
'The number of seconds to wait for a response from the remote server before cancelling the request.' => ' .',
'The numeric site ID for this site.' => ' .',
'The order of the playlist is manually specified and followed by the AutoDJ.' => ' AutoDJ.',
'The parent directory where station playlist and configuration files are stored. Leave blank to use default directory.' => ' , . , .',
'The relative path of the file in the station\'s media directory.' => ' .',
'The station ID will be a numeric string that starts with the letter S.' => ' , S.',
'The streamer will use this password to connect to the radio server.' => ' .',
'The streamer will use this username to connect to the radio server.' => ' .',
'The time period that the song should fade in. Leave blank to use the system default.' => ' , . , .',
'The time period that the song should fade out. Leave blank to use the system default.' => ' , . , .',
'The URL that will receive the POST messages any time an event is triggered.' => 'URL, POST- , .',
'The volume in decibels to amplify the track with. Leave blank to use the system default.' => ' . , .',
'The WebDJ lets you broadcast live to your station using just your web browser.' => 'WebDJ , .',
'Theme' => '',
'There is no existing custom fallback file associated with this station.' => ' .',
'There is no existing intro file associated with this mount point.' => ' .',
'There is no existing media associated with this episode.' => ' , .',
'There is no Stereo Tool configuration file present.' => ' Stereo Tool.',
'This account will have full access to the system, and you\'ll automatically be logged in to it for the rest of setup.' => ' , .',
'This can be generated in the "Events" section for a measurement.' => ' .',
'This can make it look like your memory is low while it actually is not. Some monitoring solutions/panels include cached memory in their used memory statistics without indicating this.' => ' , \', . / \' \', .',
'This code will be included in the frontend configuration. Allowed formats are:' => ' . :',
'This configuration file should be a valid .sts file exported from Stereo Tool.' => ' .sts, Stereo Tool.',
'This CSS will be applied to the main management pages, like this one.' => ' CSS , .',
'This CSS will be applied to the station public pages and login page.' => ' CSS .',
'This CSS will be applied to the station public pages.' => ' CSS .',
'This determines how many songs in advance the AutoDJ will automatically fill the queue.' => ' , AutoDJ .',
'This feature requires the AutoDJ feature to be enabled.' => ' AutoDJ.',
'This field is required.' => ' \'.',
'This field must be a valid decimal number.' => ' .',
'This field must be a valid e-mail address.' => ' .',
'This field must be a valid integer.' => ' .',
'This field must be a valid IP address.' => ' IP-.',
'This field must be a valid URL.' => ' URL-.',
'This field must be between %{ min } and %{ max }.' => ' %{ min } %{ max }.',
'This field must have at least %{ min } letters.' => ' %{ min } .',
'This field must have at most %{ max } letters.' => ' %{ max } .',
'This field must only contain alphabetic characters.' => ' .',
'This field must only contain alphanumeric characters.' => ' - .',
'This field must only contain numeric characters.' => ' .',
'This file will be played on your radio station any time no media is scheduled to play or a critical error occurs that interrupts regular broadcasting.' => ' , , .',
'This image will be used as the default album art when this streamer is live.' => ' , .',
'This introduction file should exactly match the bitrate and format of the mount point itself.' => ' .',
'This is an advanced feature and custom code is not officially supported by AzuraCast. You may break your station by adding custom code, but removing it should fix any issues.' => ' AzuraCast. , , .',
'This is the informal display name that will be shown in API responses if the streamer/DJ is live.' => ' \', API, / .',
'This is the number of seconds until a streamer who has been manually disconnected can reconnect to the stream. Set to 0 to allow the streamer to immediately reconnect.' => ' , , , . 0, \' .',
'This javascript code will be applied to the station public pages and login page.' => ' JavaScript .',
'This javascript code will be applied to the station public pages.' => ' JavaScript .',
'This mode disables AzuraCast\'s AutoDJ management, using Liquidsoap itself to manage song playback. "next song" and some other features will not be available.' => ' AutoDJ AzuraCast, Liquidsoap . " " .',
'This Month' => ' ',
'This name should always begin with a slash (/), and must be a valid URL, such as /autodj.mp3' => ' \' (/) URL-, /autodj.mp3',
'This name will appear as a sub-header next to the AzuraCast logo, to help identify this server.' => ' AzuraCast, .',
'This page lists all API keys assigned to all users across the system. To manage your own API keys, visit your account profile.' => ' API, . API, .',
'This password is too common or insecure.' => ' .',
'This playlist currently has no scheduled times. It will play at all times. To add a new scheduled time, click the button below.' => ' . . , .',
'This playlist will play every $x minutes, where $x is specified here.' => ' $x , $x .',
'This playlist will play every $x songs, where $x is specified here.' => ' $x , $x .',
'This port is not used by any external process. Only modify this port if the assigned port is in use. Leave blank to automatically assign a port.' => ' . , . , .',
'This queue contains the remaining tracks in the order they will be queued by the AzuraCast AutoDJ (if the tracks are eligible to be played).' => ' , AzuraCast AutoDJ ( ).',
'This service can provide album art for tracks where none is available locally.' => ' , .',
'This software shuffles from playlists of music constantly and plays when no other radio source is available.' => ' , .',
'This specifies the minimum time (in minutes) between a song playing on the radio and being available to request again. Set to 0 for no threshold.' => ' ( ) . 0, .',
'This specifies the time range (in minutes) of the song history that the duplicate song prevention algorithm should take into account.' => ' ( ) , .',
'This station\'s time zone is currently %{tz}.' => ' %{tz}.',
'This streamer is not scheduled to play at any times.' => ' .',
'This URL is provided within the Discord application.' => ' URL- Discord.',
'This web hook will only run when the selected event(s) occur on this specific station.' => ' , () .',
'This will be shown on public player pages if the station is offline. Leave blank to default to a localized version of "%{message}".' => ' , . , "%{message}".',
'This will be used as the label when editing individual songs, and will show in API results.' => ' API.',
'This will clear any pending unprocessed messages in all message queues.' => ' .',
'This will produce a significantly smaller backup, but you should make sure to back up your media elsewhere. Note that only locally stored media will be backed up.' => ' , , . , .',
'Thumbnail Image URL' => 'URL- ',
'Thursday' => '',
'Time' => '',
'Time (sec)' => ' ()',
'Time Display' => ' ',
'Time spent waiting for disk I/O to be completed.' => ' -.',
'Time stolen by other virtual machines on the same physical server.' => ', .',
'Time Zone' => ' ',
'Title' => '',
'To alleviate this potential problem with shared CPU resources, hosts assign "credits" to a VPS which are used up according to an algorithm based on the CPU load as well as the time over which the CPU load is generated. If your VM\'s assigned credit is used up, they will take CPU time from your VM and assign it to other VMs on the machine. This is seen as the "Steal" or "St" value.' => ' "" , , , . , , , . "Steal" "St".',
'To customize installation settings, or if automatic updates are disabled, you can follow our standard update instructions to update via your SSH console.' => ' , SSH.',
'To download the GeoLite database:' => ' GeoLite:',
'To play once per day, set the start and end times to the same value.' => ' , .',
'To restore a backup from your host computer, run:' => ' , :',
'To retrieve detailed unique listeners and client details, an administrator password is often required.' => ' .',
'To set this schedule to run only within a certain date range, specify a start and end date.' => ' , .',
'To use this feature, a secure (HTTPS) connection is required. Firefox is recommended to avoid static when broadcasting.' => ' (HTTPS) \'. Firefox, .',
'To verify that the code was set up correctly, enter the 6-digit code the app shows you.' => ' , , 6- , .',
'Today' => '',
'Toggle Menu' => ' ',
'Toggle Sidebar' => ' ',
'Top Browsers by Connected Time' => ' ',
'Top Browsers by Listeners' => ' ',
'Top Countries by Connected Time' => ' ',
'Top Countries by Listeners' => ' ',
'Top Streams by Connected Time' => ' ',
'Top Streams by Listeners' => ' ',
'Total Disk Space' => ' ',
'Total Listener Hours' => ' ',
'Total RAM' => ' ',
'Transmitted' => '',
'Triggers' => '',
'Tuesday' => '',
'TuneIn Partner ID' => 'ID TuneIn',
'TuneIn Partner Key' => ' TuneIn',
'TuneIn Station ID' => ' TuneIn',
'Two-Factor Authentication' => ' ',
'Two-factor authentication improves the security of your account by requiring a second one-time access code in addition to your password when you log in.' => ' , , , .',
'Typically a website with content about the episode.' => ' .',
'Typically the home page of a podcast.' => ' .',
'Unable to update.' => ' .',
'Unassigned Files' => ' ',
'Uninstall' => '',
'Unique' => '',
'Unique identifier for the target chat or username of the target channel (in the format @channelusername).' => ' \' ( @channelusername).',
'Unique Listeners' => ' ',
'Unknown' => '',
'Unknown Artist' => ' ',
'Unknown Title' => ' ',
'Unlisted' => '',
'Unmute' => ' ',
'Unprocessable Files' => ' ',
'Upcoming Song Queue' => ' ',
'Update' => '',
'Update AzuraCast' => ' AzuraCast',
'Update AzuraCast via Web' => ' AzuraCast ',
'Update AzuraCast? Your installation will restart.' => ' AzuraCast? , .',
'Update Details' => ' ',
'Update Instructions' => ' ',
'Update Metadata' => ' ',
'Update started. Your installation will restart shortly.' => ' . .',
'Update Station Configuration' => ' ',
'Update via Web' => ' ',
'Updated' => '',
'Updated successfully.' => ' .',
'Upload a Stereo Tool configuration file from the "Broadcasting" submenu in the station profile.' => ' Stereo Tool "" .',
'Upload Custom Assets' => ' ',
'Upload Stereo Tool Configuration' => ' Stereo Tool',
'Upload the file on this page to automatically extract it into the proper directory.' => ' , .',
'Use' => '',
'Use (Us)' => ' (Us)',
'Use API keys to authenticate with the AzuraCast API using the same permissions as your user account.' => ' API API AzuraCast , .',
'Use Browser Default' => ' (default)',
'Use High-Performance Now Playing Updates' => ' Now Playing',
'Use Icecast 2.4 on this server.' => ' Icecast 2.4 .',
'Use Less CPU (Uses More Memory)' => ' ( )',
'Use Less Memory (Uses More CPU)' => ' ( )',
'Use Liquidsoap on this server.' => ' Liquidsoap .',
'Use Secure (TLS) SMTP Connection' => ' (TLS) SMTP \'',
'Use Shoutcast DNAS 2 on this server.' => ' Shoutcast DNAS 2 .',
'Use the Telegram Bot API to send a message to a channel.' => ' Telegram Bot API, .',
'Use Web Proxy for Radio' => ' Web Proxy ',
'Used' => '',
'Used for "Forgot Password" functionality, web hooks and other functions.' => ' , .',
'User' => '',
'User Accounts' => ' ',
'User Agent' => ' ',
'User Name' => '\' ',
'User Permissions' => ' ',
'Username' => '\' ',
'Username:' => '\' :',
'Users' => '',
'Users with this role will have these permissions across the entire installation.' => ' .',
'Users with this role will have these permissions for this single station.' => ' .',
'Uses either Websockets, Server-Sent Events (SSE) or static JSON files to serve Now Playing data on public pages. This improves performance, especially with large listener volume. Disable this if you are encountering problems with the service or use multiple URLs to serve your public pages.' => ' Websockets, Server-Sent Events (SSE), JSON- Now Playing . , . , URL- .',
'Using this page, you can customize several sections of the Liquidsoap configuration. This allows you to add advanced functionality to your station\'s AutoDJ.' => ' Liquidsoap. AutoDJ .',
'Usually enabled for port 465, disabled for ports 587 or 25.' => ' 465, 587 25.',
'Variables are in the form of: ' => ' : ',
'View' => '',
'View Fullscreen' => ' ',
'View Listener Report' => ' ',
'View Profile' => ' ',
'View tracks in playlist' => ' ',
'Visit the Dropbox App Console:' => ' Dropbox App:',
'Visit the link below to sign in and generate an access code:' => ' :',
'Visit your Mastodon instance.' => ' Mastodon.',
'Visual Cue Editor' => ' ',
'Volume' => '',
'Wait' => '',
'Wait (Wa)' => ' (Wa)',
'Warning' => '',
'Waveform Zoom' => ' Waveform',
'Web DJ' => ' ',
'Web Hook Details' => ' ',
'Web Hook Name' => ' ',
'Web Hook Triggers' => ' ',
'Web Hook URL' => 'URL ',
'Web Hooks' => ' ',
'Web hooks automatically send a HTTP POST request to the URL you specify to notify it any time one of the triggers you specify occurs on your station.' => ' HTTP POST URL-, , - , , .',
'Web hooks let you connect to external web services and broadcast changes to your station to them.' => ' , .',
'Web Site URL' => ' ',
'Web updates are not available for your installation. To update your installation, perform the manual update process instead.' => ' . .',
'WebDJ' => ' ',
'WebDJ connected!' => 'WebDJ !',
'Website' => '-',
'Wednesday' => '',
'Welcome to AzuraCast!' => ' AzuraCast!',
'Welcome!' => ' !',
'When making API calls, you can pass this value in the "X-API-Key" header to authenticate as yourself.' => ' API, X-API-Key, .',
'When the song changes and a live streamer/DJ is connected' => ' /DJ',
'When the station broadcast comes online' => ' ',
'When the station broadcast goes offline' => ' ',
'Whether the AutoDJ should attempt to avoid duplicate artists and track titles when playing media from this playlist.' => 'AutoDJ .',
'Widget Type' => ' ',
'Worst Performing Songs' => ' ',
'Yes' => '',
'Yesterday' => '',
'You' => '',
'You can also upload files in bulk via SFTP.' => ' SFTP.',
'You can find answers for many common questions in our support documents.' => ' .',
'You can include any special mount point settings here, in either JSON { key: \'value\' } format or XML <key>value</key>' => ' - , JSON { key: \'value\' } XML <key></key>',
'You can only perform the actions your user account is allowed to perform.' => ' , .',
'You may need to connect directly to your IP address:' => ', \' IP-:',
'You may need to connect directly via your IP address:' => ', \' IP-:',
'You will not be able to retrieve it again.' => ' .',
'Your full API key is below:' => ' API :',
'Your installation is currently on this release channel:' => ' :',
'Your installation is up to date! No update is required.' => ' ! .',
'Your installation needs to be updated. Updating is recommended for performance and security improvements.' => ' . .',
'Your station does not support reloading configuration. Restart broadcasting instead to apply changes.' => ' . , , .',
'Your station has changes that require a reload to apply.' => ' , , .',
'Your station supports reloading configuration.' => ' .',
'YP Directory Authorization Hash' => ' " "',
'Select...' => '...',
'Too many forgot password attempts' => ' ',
'You have attempted to reset your password too many times. Please wait 30 seconds and try again.' => ' . 30 .',
'Account Recovery' => ' ',
'Account recovery e-mail sent.' => ' .',
'If the e-mail address you provided is in the system, check your inbox for a password reset message.' => ' , .',
'Too many login attempts' => ' ',
'You have attempted to log in too many times. Please wait 30 seconds and try again.' => ' . 30 .',
'Logged in successfully.' => ' .',
'Complete the setup process to get started.' => ' , .',
'Login unsuccessful' => ' ',
'Your credentials could not be verified.' => ' .',
'User not found.' => ' .',
'Invalid token specified.' => ' .',
'Logged in using account recovery token' => ' ',
'Your password has been updated.' => ' .',
'Set Up AzuraCast' => ' AzuraCast',
'Setup has already been completed!' => ' !',
'All Stations' => ' ',
'AzuraCast Application Log' => ' AzuraCast',
'AzuraCast Now Playing Log' => ' AzuraCast',
'AzuraCast Synchronized Task Log' => ' AzuraCast',
'AzuraCast Queue Worker Log' => ' AzuraCast',
'Service Log: %s (%s)' => ' : %s (%s)',
'Nginx Access Log' => ' Nginx',
'Nginx Error Log' => ' Nginx',
'PHP Application Log' => ' PHP',
'Supervisord Log' => ' ',
'Create a new storage location based on the base directory.' => ' .',
'You cannot modify yourself.' => ' .',
'You cannot remove yourself.' => ' .',
'Test Message' => ' ',
'This is a test message from AzuraCast. If you are receiving this message, it means your e-mail settings are configured correctly.' => ' AzuraCast. , , .',
'Test message sent successfully.' => ' .',
'Less than Thirty Seconds' => ' ',
'Thirty Seconds to One Minute' => ' ',
'One Minute to Five Minutes' => ' \' ',
'Five Minutes to Ten Minutes' => '\' ',
'Ten Minutes to Thirty Minutes' => ' ',
'Thirty Minutes to One Hour' => ' ',
'One Hour to Two Hours' => ' 1 2 ',
'More than Two Hours' => ' ',
'Mobile Device' => ' ',
'Desktop Browser' => '',
'Non-Browser' => ' ',
'Connected Seconds' => ' ',
'File Not Processed: %s' => ' : %s',
'Cover Art' => '',
'File Processing' => ' ',
'No directory specified' => ' ',
'File not specified.' => ' .',
'New path not specified.' => ' .',
'This station is out of available storage space.' => ' .',
'Web hook enabled.' => ' .',
'Web hook disabled.' => ' .',
'Station reloaded.' => ' .',
'Station restarted.' => ' .',
'Service stopped.' => ' .',
'Service started.' => ' .',
'Service reloaded.' => ' .',
'Service restarted.' => ' .',
'Song skipped.' => ' .',
'Streamer disconnected.' => ' \'.',
'Station Nginx Configuration' => ' Nginx',
'Liquidsoap Log' => ' Liquidsoap',
'Liquidsoap Configuration' => ' Liquidsoap',
'Icecast Access Log' => ' Icecast',
'Icecast Error Log' => ' Icecast',
'Icecast Configuration' => ' Icecast',
'Shoutcast Log' => ' Shoutcast',
'Shoutcast Configuration' => ' Shoutcast',
'Search engine crawlers are not permitted to use this feature.' => ' .',
'You are not permitted to submit requests.' => ' .',
'This song or artist has been played too recently. Wait a while before requesting it again.' => ' . , .',
'You have submitted a request too recently! Please wait before submitting another one.' => ' ! , .',
'Your request has been submitted and will be played soon.' => ' .',
'This playlist is not song-based.' => ' .',
'Playlist emptied.' => ' .',
'This playlist is not a sequential playlist.' => ' .',
'Playlist reshuffled.' => ' .',
'Playlist enabled.' => ' .',
'Playlist disabled.' => ' .',
'Playlist successfully imported; %d of %d files were successfully matched.' => ' ; %d %d .',
'Playlist applied to folders.' => ' .',
'%d files processed.' => ' %d .',
'No recording available.' => ' .',
'Record not found' => ' ',
'The uploaded file exceeds the upload_max_filesize directive in php.ini.' => ' upload_max_filesize php.ini.',
'The uploaded file exceeds the MAX_FILE_SIZE directive from the HTML form.' => ' MAX_FILE_SIZE HTML-.',
'The uploaded file was only partially uploaded.' => ' .',
'No file was uploaded.' => ' .',
'No temporary directory is available.' => ' .',
'Could not write to filesystem.' => ' .',
'Upload halted by a PHP extension.' => ' PHP.',
'Unspecified error.' => ' .',
'Changes saved successfully.' => ' .',
'Record created successfully.' => ' .',
'Record updated successfully.' => ' .',
'Record deleted successfully.' => ' .',
'Playlist: %s' => ': %s',
'Streamer: %s' => ': %s',
'The account associated with e-mail address "%s" has been set as an administrator' => ' , \' "%s", ',
'Account not found.' => ' .',
'Roll Back Database' => ' ',
'Running database migrations...' => ' ...',
'Database migration failed: %s' => ' : %s',
'Database rolled back to stable release version "%s".' => ' "%s".',
'AzuraCast Settings' => ' AzuraCast',
'Setting Key' => ' ',
'Setting Value' => ' ',
'Fixtures loaded.' => ' .',
'Backing up initial database state...' => ' ...',
'We detected a database restore file from a previous (possibly failed) migration.' => ' ( ) .',
'Attempting to restore that now...' => ' ...',
'Attempting to roll back to previous database state...' => ' ...',
'Your database was restored due to a failed migration.' => ' .',
'Please report this bug to our developers.' => ' , .',
'Restore failed: %s' => ' : %s',
'AzuraCast Backup' => ' AzuraCast',
'Please wait while a backup is generated...' => ', ...',
'Creating temporary directories...' => ' ...',
'Backing up MariaDB...' => ' MariaDB...',
'Creating backup archive...' => ' ...',
'Cleaning up temporary files...' => ' ...',
'Backup complete in %.2f seconds.' => ' %.2f .',
'Backup path %s not found!' => ' %s !',
'Imported locale: %s' => ' : %s',
'Database Migrations' => ' ',
'Database is already up to date!' => ' !',
'Database migration completed!' => ' !',
'AzuraCast Initializing...' => ' AzuraCast...',
'AzuraCast Setup' => ' AzuraCast',
'Welcome to AzuraCast. Please wait while some key dependencies of AzuraCast are set up...' => ' AzuraCast. , , AzuraCast...',
'Running Database Migrations' => ' ',
'Generating Database Proxy Classes' => ' - ',
'Reload System Data' => ' ',
'Installing Data Fixtures' => ' ',
'Refreshing All Stations' => ' ',
'AzuraCast is now updated to the latest version!' => 'AzuraCast !',
'AzuraCast installation complete!' => ' AzuraCast !',
'Visit %s to complete setup.' => ' %s .',
'%s is not recognized as a service.' => '%s .',
'It may not be registered with Supervisor yet. Restarting broadcasting may help.' => ' Supervisor. , .',
'%s cannot start' => '%s ',
'It is already running.' => ' .',
'%s cannot stop' => '%s ',
'It is not running.' => ' .',
'%s encountered an error: %s' => '%s : %s',
'Check the log for details.' => ' .',
'You do not have permission to access this portion of the site.' => ' .',
'You must be logged in to access this page.' => ' , .',
'This value is already used.' => ' .',
'Storage location %s could not be validated: %s' => ' %s : %s',
'Storage location %s already exists.' => ' %s .',
'All Permissions' => ' ',
'View Station Page' => ' ',
'View Station Reports' => ' ',
'View Station Logs' => ' ',
'Manage Station Profile' => ' ',
'Manage Station Broadcasting' => ' ',
'Manage Station Streamers' => ' ',
'Manage Station Mount Points' => ' ',
'Manage Station Remote Relays' => ' ',
'Manage Station Media' => ' ',
'Manage Station Automation' => ' ',
'Manage Station Web Hooks' => ' ',
'Manage Station Podcasts' => ' ',
'View Administration Page' => ' ',
'View System Logs' => ' ',
'Administer Settings' => ' ',
'Administer API Keys' => ' API',
'Administer Stations' => ' ',
'Administer Custom Fields' => ' ',
'Administer Backups' => ' ',
'Administer Storage Locations' => ' ',
'Runs routine synchronized tasks' => ' ',
'Database' => ' ',
'Web server' => ' ',
'Now Playing manager service' => ' Now Playing',
'PHP queue processing worker' => 'PHP- ',
'Cache' => '',
'SFTP service' => ' SFTP',
'Frontend Assets' => 'Frontend Assets',
'This product includes GeoLite2 data created by MaxMind, available from %s.' => ' GeoLite2, MaxMind, %s.',
'IP Geolocation by DB-IP' => ' IP DB-IP',
'GeoLite database not configured for this installation. See System Administration for instructions.' => ' GeoLite . .',
'Installation Not Recently Backed Up' => ' ',
'This installation has not been backed up in the last two weeks.' => ' .',
'Service Not Running: %s' => ' : %s',
'One of the essential services on this installation is not currently running. Visit the system administration and check the system logs to find the cause of this issue.' => ' . , .',
'New AzuraCast Stable Release Available' => ' AzuraCast',
'Version %s is now available. You are currently running version %s. Updating is recommended.' => ' %s . %s. .',
'New AzuraCast Rolling Release Available' => ' AzuraCast Rolling Release',
'Your installation is currently %d update(s) behind the latest version. Updating is recommended.' => ' %d () . .',
'Switch to Stable Channel Available' => ' ',
'Your Rolling Release installation is currently older than the latest Stable release. This means you can switch releases to the "Stable" release channel if desired.' => ' Rolling Release . , "" , .',
'Synchronization Disabled' => ' ',
'Routine synchronization is currently disabled. Make sure to re-enable it to resume routine maintenance tasks.' => ' . , , .',
'Synchronization Not Recently Run' => ' ',
'The routine synchronization task has not run recently. This may indicate an error with your installation.' => ' . .',
'The performance profiling extension is currently enabled on this installation.' => ' .',
'You can track the execution time and memory usage of any AzuraCast page or application from the profiler page.' => ' \' - AzuraCast .',
'Profiler Control Panel' => ' ',
'Performance profiling is currently enabled for all requests.' => ' .',
'This can have an adverse impact on system performance. You should disable this when possible.' => ' . , .',
'You may want to update your base URL to ensure it is correct.' => ' URL-, , .',
'If you regularly use different URLs to access AzuraCast, you should enable the "Prefer Browser URL" setting.' => ' URL- AzuraCast, " URL- ".',
'Your "Base URL" setting (%s) does not match the URL you are currently using (%s).' => ' " URL-" (%s) URL-, (%s).',
'AzuraCast Installer' => ' AzuraCast',
'Welcome to AzuraCast! Complete the initial server setup by answering a few questions.' => ' AzuraCast! , .',
'AzuraCast Updater' => ' AzuraCast',
'Change installation settings?' => ' ?',
'AzuraCast is currently configured to listen on the following ports:' => 'AzuraCast :',
'HTTP Port: %d' => 'HTTP : %d',
'HTTPS Port: %d' => 'HTTPS : %d',
'SFTP Port: %d' => 'SFTP : %d',
'Radio Ports: %s' => ' : %s',
'Customize ports used for AzuraCast?' => ' , AzuraCast?',
'Writing configuration files...' => ' ...',
'Server configuration complete!' => ' !',
'This file was automatically generated by AzuraCast.' => ' AzuraCast.',
'You can modify it as necessary. To apply changes, restart the Docker containers.' => ' . , Docker.',
'Remove the leading "#" symbol from lines to uncomment them.' => ' , # .',
'Valid options: %s' => ' : %s',
'Default: %s' => ' : %s',
'Additional Environment Variables' => ' ',
'(Docker Compose) All Docker containers are prefixed by this name. Do not change this after installation.' => '(Docker Compose) Docker . .',
'(Docker Compose) The amount of time to wait before a Docker Compose operation fails. Increase this on lower performance computers.' => '(Docker Compose) , Docker Compose . \'.',
'HTTP Port' => 'HTTP ',
'The main port AzuraCast listens to for insecure HTTP connections.' => ' , AzuraCast HTTP-.',
'HTTPS Port' => 'HTTPS ',
'The main port AzuraCast listens to for secure HTTPS connections.' => ' , AzuraCast HTTPS.',
'The port AzuraCast listens to for SFTP file management connections.' => ', AzuraCast SFTP.',
'Station Ports' => ' ',
'The ports AzuraCast should listen to for station broadcasts and incoming DJ connections.' => ', AzuraCast .',
'Docker User UID' => 'UID Docker',
'Set the UID of the user running inside the Docker containers. Matching this with your host UID can fix permission issues.' => ' UID , Docker. UID .',
'Docker User GID' => 'GID Docker',
'Set the GID of the user running inside the Docker containers. Matching this with your host GID can fix permission issues.' => ' GID , Docker. GID .',
'Use Podman instead of Docker.' => ' Podman Docker.',
'Advanced: Use Privileged Docker Settings' => ': Docker',
'The locale to use for CLI commands.' => ' CLI.',
'The application environment.' => ' .',
'Manually modify the logging level.' => ' .',
'This allows you to log debug-level errors temporarily (for problem-solving) or reduce the volume of logs that are produced by your installation, without needing to modify whether your installation is a production or development instance.' => ' ( ) , , , .',
'Enable Custom Code Plugins' => ' ',
'Enable the composer "merge" functionality to combine the main application\'s composer.json file with any plugin composer files. This can have performance implications, so you should only use it if you use one or more plugins with their own Composer dependencies.' => ' "merge" composer composer.json - composer . , composer.',
'Minimum Port for Station Port Assignment' => ' ',
'Modify this if your stations are listening on nonstandard ports.' => ' , .',
'Maximum Port for Station Port Assignment' => ' ',
'Show Detailed Slim Application Errors' => ' Slim',
'This allows you to debug Slim Application Errors you may encounter. Please report any Slim Application Error logs to the development team on GitHub.' => ' Slim, . , - Slim GitHub.',
'MariaDB Host' => ' MariaDB',
'Do not modify this after installation.' => ' .',
'MariaDB Port' => ' MariaDB',
'MariaDB Username' => '\' MariaDB',
'MariaDB Password' => ' MariaDB',
'MariaDB Database Name' => '\' MariaDB',
'Auto-generate Random MariaDB Root Password' => ' root MariaDB',
'MariaDB Root Password' => ' Root MariaDB',
'Enable MariaDB Slow Query Log' => ' MariaDB',
'Log slower queries to diagnose possible database issues. Only turn this on if needed.' => ' , . .',
'MariaDB Maximum Connections' => '. MariaDB',
'Set the amount of allowed connections to the database. This value should be increased if you are seeing the "Too many connections" error in the logs.' => ' . , .',
'MariaDB InnoDB Buffer Pool Size' => ' InnoDB MariaDB',
'The InnoDB buffer pool size controls how much data & indexes are kept in memory. Making sure that this value is as large as possible reduces the amount of disk IO.' => ' InnoDB , \'. - .',
'MariaDB InnoDB Log File Size' => ' InnoDB MariaDB',
'The InnoDB log file is used to achieve data durability in case of crashes or unexpected shutoffs and to allow the DB to better optimize IO for write operations.' => ' InnoDB .',
'Enable Redis' => ' Redis',
'Disable to use a flatfile cache instead of Redis.' => ', flatfile Redis.',
'Redis Host' => ' Redis',
'Redis Port' => ' Redis',
'PHP Maximum POST File Size' => ' PHP POST',
'PHP Memory Limit' => ' \' PHP',
'PHP Script Maximum Execution Time (Seconds)' => ' PHP ()',
'Short Sync Task Execution Time (Seconds)' => ' ( )',
'The maximum execution time (and lock timeout) for the 15-second, 1-minute and 5-minute synchronization tasks.' => ' ( ) 15 , 1 5 .',
'Long Sync Task Execution Time (Seconds)' => ' ()',
'The maximum execution time (and lock timeout) for the 1-hour synchronization task.' => ' ( ) 1 .',
'Now Playing Delay Time (Seconds)' => ' Now Playing ( )',
'The delay between Now Playing checks for every station. Decrease for more frequent checks at the expense of performance; increase for less frequent checks but better performance (for large installations).' => ' "Now Playing" . , , ; , ( ).',
'Now Playing Max Concurrent Processes' => ' "Now Playing"',
'The maximum number of concurrent processes for now playing updates. Increasing this can help reduce the latency between updates now playing updates on large installations.' => ' "Now Playing". "Now Playing" .',
'Maximum PHP-FPM Worker Processes' => ' PHP-FPM',
'Enable Performance Profiling Extension' => ' ',
'Profiling data can be viewed by visiting %s.' => ' , %s.',
'Profile Performance on All Requests' => ' ',
'This will have a significant performance impact on your installation.' => ' .',
'Profiling Extension HTTP Key' => ' HTTP ',
'The value for the "SPX_KEY" parameter for viewing profiling pages.' => ' "SPX_KEY" .',
'Profiling Extension IP Allow List' => ' IP-, ',
'Enable web-based Docker image updates' => ' Docker -',
'Extra Ubuntu packages to install upon startup' => ' Ubuntu ',
'Separate package names with a space. Packages will be installed during container startup.' => ' . .',
'Album Artist' => ' ',
'Album Artist Sort Order' => ' ',
'Album Sort Order' => ' ',
'Band' => '',
'BPM' => '/',
'Comment' => '',
'Commercial Information' => ' ',
'Composer' => '',
'Composer Sort Order' => ' ',
'Conductor' => '',
'Content Group Description' => ' ',
'Encoded By' => '',
'Encoder Settings' => ' ',
'Encoding Time' => ' ',
'File Owner' => ' ',
'File Type' => ' ',
'Initial Key' => ' ',
'Internet Radio Station Name' => ' -',
'Internet Radio Station Owner' => ' -',
'Involved People List' => ' ',
'Linked Information' => '\' ',
'Lyricist' => ' ',
'Media Type' => ' ',
'Mood' => '',
'Music CD Identifier' => ' CD',
'Musician Credits List' => ' , ',
'Original Album' => ' ',
'Original Artist' => ' ',
'Original Filename' => ' \' ',
'Original Lyricist' => ' ',
'Original Release Time' => ' ',
'Original Year' => ' ',
'Part of a Compilation' => ' ',
'Part of a Set' => ' ',
'Performer Sort Order' => ' ',
'Playlist Delay' => ' ',
'Produced Notice' => ' ',
'Publisher' => '',
'Recording Time' => ' ',
'Release Time' => ' ',
'Remixer' => ' ',
'Set Subtitle' => ' ',
'Subtitle' => '',
'Tagging Time' => ' ',
'Terms of Use' => ' ',
'Title Sort Order' => ' ',
'Track Number' => ' ',
'Unsynchronised Lyrics' => ' ',
'URL Artist' => 'URL ',
'URL File' => 'URL ',
'URL Payment' => 'URL ',
'URL Publisher' => 'URL ',
'URL Source' => 'URL ',
'URL Station' => 'URL ',
'URL User' => 'URL ',
'Year' => '',
'An account recovery link has been requested for your account on "%s".' => ' "%s" .',
'Click the link below to log in to your account.' => ' , .',
'Footer' => 'Footer',
'Powered by %s' => ' %s',
'Forgot Password' => ' ',
'Sign in' => '',
'Send Recovery E-mail' => ' E-mail ',
'Enter Two-Factor Code' => ' ',
'Your account uses a two-factor security code. Enter the code your device is currently showing below.' => ' . , .',
'Security Code' => ' ',
'This installation\'s administrator has not configured this functionality.' => ' .',
'Contact an administrator to reset your password following the instructions in our documentation:' => ' , , :',
'Password Reset Instructions' => ' ',
),
),
);
``` | /content/code_sandbox/translations/uk_UA.UTF-8/LC_MESSAGES/default.php | php | 2016-04-30T21:41:23 | 2024-08-16T18:27:26 | AzuraCast | AzuraCast/AzuraCast | 2,978 | 27,445 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.