Merge remote-tracking branch 'upstream/develop' into user-defined-channels

This commit is contained in:
Michael 2023-10-04 09:40:32 +00:00
commit b8208974a4
79 changed files with 42459 additions and 29745 deletions

View File

@ -226,7 +226,8 @@ Called after the language detection. This can be used for alternative language d
`$data` is an array:
- **text**: The text that is analyzed.
- **detected**: (input/output) Array of language codes detected in the related text.
- **detected**: (input/output) Array of language codes detected in the related text. The array key is the language code, the array value the probability.
- **uri-id**: The Uri-Id of the item.
### addon_settings
Called when generating the HTML for the addon settings page.

View File

@ -108,7 +108,8 @@ Wird nach der Sprachenerkennung aufgerufen.
Dieser Hook kann dafür verwendet werden, alternative Erkennungsfunktionen einzubinden.
`$data` ist ein Array:
'text' => Der analysierte Text.
'detected' => (Eingabe/Ausgabe) Das Array mit den erkannten Sprachen.
'detected' => (Eingabe/Ausgabe) Das Array mit den erkannten Sprachen. Der Sprachcode ist der Array-Schlüssel, der Array-Wert ist der dezimale Wert für die Wahrscheinlichkeit.
'uri-id' => Die Uri-Id des Beitrags
**'addon_settings'** - wird aufgerufen, wenn die HTML-Ausgabe der Addon-Einstellungsseite generiert wird.
$b ist die HTML-Ausgabe (String) der Addon-Einstellungsseite vor dem finalen "</form>"-Tag.

View File

@ -129,6 +129,24 @@ class BaseCollection extends \ArrayIterator
return new static(array_reverse($this->getArrayCopy()), $this->getTotalCount());
}
/**
* Split the collection in smaller collections no bigger than the provided length
*
* @param int $length
* @return static[]
*/
public function chunk(int $length): array
{
if ($length < 1) {
throw new \RangeException('BaseCollection->chunk(): Size parameter expected to be greater than 0');
}
return array_map(function ($array) {
return new static($array);
}, array_chunk($this->getArrayCopy(), $length));
}
/**
* @inheritDoc
*

154
src/Content/Image.php Normal file
View File

@ -0,0 +1,154 @@
<?php
/**
* @copyright Copyright (C) 2010-2023, the Friendica project
*
* @license GNU AGPL version 3 or any later version
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <https://www.gnu.org/licenses/>.
*
*/
namespace Friendica\Content;
use Friendica\Content\Image\Collection\MasonryImageRow;
use Friendica\Content\Image\Entity\MasonryImage;
use Friendica\Content\Post\Collection\PostMedias;
use Friendica\Core\Renderer;
class Image
{
public static function getBodyAttachHtml(PostMedias $PostMediaImages): string
{
$media = '';
if ($PostMediaImages->haveDimensions()) {
if (count($PostMediaImages) > 1) {
$media = self::getHorizontalMasonryHtml($PostMediaImages);
} elseif (count($PostMediaImages) == 1) {
$media = Renderer::replaceMacros(Renderer::getMarkupTemplate('content/image/single_with_height_allocation.tpl'), [
'$image' => $PostMediaImages[0],
'$allocated_height' => $PostMediaImages[0]->getAllocatedHeight(),
'$allocated_max_width' => ($PostMediaImages[0]->previewWidth ?? $PostMediaImages[0]->width) . 'px',
]);
}
} else {
if (count($PostMediaImages) > 1) {
$media = self::getImageGridHtml($PostMediaImages);
} elseif (count($PostMediaImages) == 1) {
$media = Renderer::replaceMacros(Renderer::getMarkupTemplate('content/image/single.tpl'), [
'$image' => $PostMediaImages[0],
]);
}
}
return $media;
}
/**
* @param PostMedias $images
* @return string
* @throws \Friendica\Network\HTTPException\ServiceUnavailableException
*/
private static function getImageGridHtml(PostMedias $images): string
{
// Image for first column (fc) and second column (sc)
$images_fc = [];
$images_sc = [];
for ($i = 0; $i < count($images); $i++) {
($i % 2 == 0) ? ($images_fc[] = $images[$i]) : ($images_sc[] = $images[$i]);
}
return Renderer::replaceMacros(Renderer::getMarkupTemplate('content/image/grid.tpl'), [
'columns' => [
'fc' => $images_fc,
'sc' => $images_sc,
],
]);
}
/**
* Creates a horizontally masoned gallery with a fixed maximum number of pictures per row.
*
* For each row, we calculate how much of the total width each picture will take depending on their aspect ratio
* and how much relative height it needs to accomodate all pictures next to each other with their height normalized.
*
* @param array $images
* @return string
* @throws \Friendica\Network\HTTPException\ServiceUnavailableException
*/
private static function getHorizontalMasonryHtml(PostMedias $images): string
{
static $column_size = 2;
$rows = array_map(
function (PostMedias $PostMediaImages) {
if ($singleImageInRow = count($PostMediaImages) == 1) {
$PostMediaImages[] = $PostMediaImages[0];
}
$widths = [];
$heights = [];
foreach ($PostMediaImages as $PostMediaImage) {
if ($PostMediaImage->width && $PostMediaImage->height) {
$widths[] = $PostMediaImage->width;
$heights[] = $PostMediaImage->height;
} else {
$widths[] = $PostMediaImage->previewWidth;
$heights[] = $PostMediaImage->previewHeight;
}
}
$maxHeight = max($heights);
// Corrected width preserving aspect ratio when all images on a row are the same height
$correctedWidths = [];
foreach ($widths as $i => $width) {
$correctedWidths[] = $width * $maxHeight / $heights[$i];
}
$totalWidth = array_sum($correctedWidths);
$row_images2 = [];
if ($singleImageInRow) {
unset($PostMediaImages[1]);
}
foreach ($PostMediaImages as $i => $PostMediaImage) {
$row_images2[] = new MasonryImage(
$PostMediaImage->uriId,
$PostMediaImage->url,
$PostMediaImage->preview,
$PostMediaImage->description ?? '',
100 * $correctedWidths[$i] / $totalWidth,
100 * $maxHeight / $correctedWidths[$i]
);
}
// This magic value will stay constant for each image of any given row and is ultimately
// used to determine the height of the row container relative to the available width.
$commonHeightRatio = 100 * $correctedWidths[0] / $totalWidth / ($widths[0] / $heights[0]);
return new MasonryImageRow($row_images2, count($row_images2), $commonHeightRatio);
},
$images->chunk($column_size)
);
return Renderer::replaceMacros(Renderer::getMarkupTemplate('content/image/horizontal_masonry.tpl'), [
'$rows' => $rows,
'$column_size' => $column_size,
]);
}
}

View File

@ -0,0 +1,57 @@
<?php
/**
* @copyright Copyright (C) 2010-2023, the Friendica project
*
* @license GNU AGPL version 3 or any later version
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <https://www.gnu.org/licenses/>.
*
*/
namespace Friendica\Content\Image\Collection;
use Friendica\Content\Image\Entity;
use Friendica\BaseCollection;
use Friendica\Content\Image\Entity\MasonryImage;
class MasonryImageRow extends BaseCollection
{
/** @var ?float */
protected $heightRatio;
/**
* @param MasonryImage[] $entities
* @param int|null $totalCount
* @param float|null $heightRatio
*/
public function __construct(array $entities = [], int $totalCount = null, float $heightRatio = null)
{
parent::__construct($entities, $totalCount);
$this->heightRatio = $heightRatio;
}
/**
* @return Entity\MasonryImage
*/
public function current(): Entity\MasonryImage
{
return parent::current();
}
public function getHeightRatio(): ?float
{
return $this->heightRatio;
}
}

View File

@ -0,0 +1,60 @@
<?php
/**
* @copyright Copyright (C) 2010-2023, the Friendica project
*
* @license GNU AGPL version 3 or any later version
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <https://www.gnu.org/licenses/>.
*
*/
namespace Friendica\Content\Image\Entity;
use Friendica\BaseEntity;
use Psr\Http\Message\UriInterface;
/**
* @property-read int $uriId
* @property-read UriInterface $url
* @property-read ?UriInterface $preview
* @property-read string $description
* @property-read float $heightRatio
* @property-read float $widthRatio
* @see \Friendica\Content\Image::getHorizontalMasonryHtml()
*/
class MasonryImage extends BaseEntity
{
/** @var int */
protected $uriId;
/** @var UriInterface */
protected $url;
/** @var ?UriInterface */
protected $preview;
/** @var string */
protected $description;
/** @var float Ratio of the width of the image relative to the total width of the images on the row */
protected $widthRatio;
/** @var float Ratio of the height of the image relative to its width for height allocation */
protected $heightRatio;
public function __construct(int $uriId, UriInterface $url, ?UriInterface $preview, string $description, float $widthRatio, float $heightRatio)
{
$this->url = $url;
$this->uriId = $uriId;
$this->preview = $preview;
$this->description = $description;
$this->widthRatio = $widthRatio;
$this->heightRatio = $heightRatio;
}
}

View File

@ -0,0 +1,57 @@
<?php
/**
* @copyright Copyright (C) 2010-2023, the Friendica project
*
* @license GNU AGPL version 3 or any later version
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <https://www.gnu.org/licenses/>.
*
*/
namespace Friendica\Content\Post\Collection;
use Friendica\BaseCollection;
use Friendica\Content\Post\Entity;
class PostMedias extends BaseCollection
{
/**
* @param Entity\PostMedia[] $entities
* @param int|null $totalCount
*/
public function __construct(array $entities = [], int $totalCount = null)
{
parent::__construct($entities, $totalCount);
}
/**
* @return Entity\PostMedia
*/
public function current(): Entity\PostMedia
{
return parent::current();
}
/**
* Determine whether all the collection's item have at least one set of dimensions provided
*
* @return bool
*/
public function haveDimensions(): bool
{
return array_reduce($this->getArrayCopy(), function (bool $carry, Entity\PostMedia $item) {
return $carry && $item->hasDimensions();
}, true);
}
}

View File

@ -0,0 +1,300 @@
<?php
/**
* @copyright Copyright (C) 2010-2023, the Friendica project
*
* @license GNU AGPL version 3 or any later version
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <https://www.gnu.org/licenses/>.
*
*/
namespace Friendica\Content\Post\Entity;
use Friendica\BaseEntity;
use Friendica\Network\Entity\MimeType;
use Friendica\Util\Images;
use Friendica\Util\Proxy;
use Psr\Http\Message\UriInterface;
/**
* @property-read int $id
* @property-read int $uriId
* @property-read ?int $activityUriId
* @property-read UriInterface $url
* @property-read int $type
* @property-read MimeType $mimetype
* @property-read ?int $width
* @property-read ?int $height
* @property-read ?int $size
* @property-read ?UriInterface $preview
* @property-read ?int $previewWidth
* @property-read ?int $previewHeight
* @property-read ?string $description
* @property-read ?string $name
* @property-read ?UriInterface $authorUrl
* @property-read ?string $authorName
* @property-read ?UriInterface $authorImage
* @property-read ?UriInterface $publisherUrl
* @property-read ?string $publisherName
* @property-read ?UriInterface $publisherImage
* @property-read ?string $blurhash
*/
class PostMedia extends BaseEntity
{
const TYPE_UNKNOWN = 0;
const TYPE_IMAGE = 1;
const TYPE_VIDEO = 2;
const TYPE_AUDIO = 3;
const TYPE_TEXT = 4;
const TYPE_APPLICATION = 5;
const TYPE_TORRENT = 16;
const TYPE_HTML = 17;
const TYPE_XML = 18;
const TYPE_PLAIN = 19;
const TYPE_ACTIVITY = 20;
const TYPE_ACCOUNT = 21;
const TYPE_DOCUMENT = 128;
/** @var int */
protected $id;
/** @var int */
protected $uriId;
/** @var UriInterface */
protected $url;
/** @var int One of TYPE_* */
protected $type;
/** @var MimeType */
protected $mimetype;
/** @var ?int */
protected $activityUriId;
/** @var ?int In pixels */
protected $width;
/** @var ?int In pixels */
protected $height;
/** @var ?int In bytes */
protected $size;
/** @var ?UriInterface Preview URL */
protected $preview;
/** @var ?int In pixels */
protected $previewWidth;
/** @var ?int In pixels */
protected $previewHeight;
/** @var ?string Alternative text like for images */
protected $description;
/** @var ?string */
protected $name;
/** @var ?UriInterface */
protected $authorUrl;
/** @var ?string */
protected $authorName;
/** @var ?UriInterface Image URL */
protected $authorImage;
/** @var ?UriInterface */
protected $publisherUrl;
/** @var ?string */
protected $publisherName;
/** @var ?UriInterface Image URL */
protected $publisherImage;
/** @var ?string Blurhash string representation for images
* @see https://github.com/woltapp/blurhash
* @see https://blurha.sh/
*/
protected $blurhash;
public function __construct(
int $uriId,
UriInterface $url,
int $type,
MimeType $mimetype,
?int $activityUriId,
?int $width = null,
?int $height = null,
?int $size = null,
?UriInterface $preview = null,
?int $previewWidth = null,
?int $previewHeight = null,
?string $description = null,
?string $name = null,
?UriInterface $authorUrl = null,
?string $authorName = null,
?UriInterface $authorImage = null,
?UriInterface $publisherUrl = null,
?string $publisherName = null,
?UriInterface $publisherImage = null,
?string $blurhash = null,
int $id = null
)
{
$this->uriId = $uriId;
$this->url = $url;
$this->type = $type;
$this->mimetype = $mimetype;
$this->activityUriId = $activityUriId;
$this->width = $width;
$this->height = $height;
$this->size = $size;
$this->preview = $preview;
$this->previewWidth = $previewWidth;
$this->previewHeight = $previewHeight;
$this->description = $description;
$this->name = $name;
$this->authorUrl = $authorUrl;
$this->authorName = $authorName;
$this->authorImage = $authorImage;
$this->publisherUrl = $publisherUrl;
$this->publisherName = $publisherName;
$this->publisherImage = $publisherImage;
$this->blurhash = $blurhash;
$this->id = $id;
}
/**
* Get media link for given media id
*
* @param string $size One of the Proxy::SIZE_* constants
* @return string media link
*/
public function getPhotoPath(string $size = ''): string
{
return '/photo/media/' .
(Proxy::getPixelsFromSize($size) ? Proxy::getPixelsFromSize($size) . '/' : '') .
$this->id;
}
/**
* Get preview path for given media id relative to the base URL
*
* @param string $size One of the Proxy::SIZE_* constants
* @return string preview link
*/
public function getPreviewPath(string $size = ''): string
{
return '/photo/preview/' .
(Proxy::getPixelsFromSize($size) ? Proxy::getPixelsFromSize($size) . '/' : '') .
$this->id;
}
/**
* Computes the allocated height value used in the content/image/single_with_height_allocation.tpl template
*
* Either base or preview dimensions need to be set at runtime.
*
* @return string
*/
public function getAllocatedHeight(): string
{
if (!$this->hasDimensions()) {
throw new \RangeException('Either width and height or previewWidth and previewHeight must be defined to use this method.');
}
if ($this->width && $this->height) {
$width = $this->width;
$height = $this->height;
} else {
$width = $this->previewWidth;
$height = $this->previewHeight;
}
return (100 * $height / $width) . '%';
}
/**
* Return a new PostMedia entity with a different preview URI and an optional proxy size name.
* The new entity preview's width and height are rescaled according to the provided size.
*
* @param \GuzzleHttp\Psr7\Uri $preview
* @param string $size
* @return $this
*/
public function withPreview(\GuzzleHttp\Psr7\Uri $preview, string $size = ''): self
{
if ($this->width || $this->height) {
$newWidth = $this->width;
$newHeight = $this->height;
} else {
$newWidth = $this->previewWidth;
$newHeight = $this->previewHeight;
}
if ($newWidth && $newHeight && $size) {
$dimensionts = Images::getScalingDimensions($newWidth, $newHeight, Proxy::getPixelsFromSize($size));
$newWidth = $dimensionts['width'];
$newHeight = $dimensionts['height'];
}
return new static(
$this->uriId,
$this->url,
$this->type,
$this->mimetype,
$this->activityUriId,
$this->width,
$this->height,
$this->size,
$preview,
$newWidth,
$newHeight,
$this->description,
$this->name,
$this->authorUrl,
$this->authorName,
$this->authorImage,
$this->publisherUrl,
$this->publisherName,
$this->publisherImage,
$this->blurhash,
$this->id,
);
}
public function withUrl(\GuzzleHttp\Psr7\Uri $url): self
{
return new static(
$this->uriId,
$url,
$this->type,
$this->mimetype,
$this->activityUriId,
$this->width,
$this->height,
$this->size,
$this->preview,
$this->previewWidth,
$this->previewHeight,
$this->description,
$this->name,
$this->authorUrl,
$this->authorName,
$this->authorImage,
$this->publisherUrl,
$this->publisherName,
$this->publisherImage,
$this->blurhash,
$this->id,
);
}
/**
* Checks the media has at least one full set of dimensions, needed for the height allocation feature
*
* @return bool
*/
public function hasDimensions(): bool
{
return $this->width && $this->height || $this->previewWidth && $this->previewHeight;
}
}

View File

@ -0,0 +1,117 @@
<?php
/**
* @copyright Copyright (C) 2010-2023, the Friendica project
*
* @license GNU AGPL version 3 or any later version
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <https://www.gnu.org/licenses/>.
*
*/
namespace Friendica\Content\Post\Factory;
use Friendica\BaseFactory;
use Friendica\Capabilities\ICanCreateFromTableRow;
use Friendica\Content\Post\Entity;
use Friendica\Network;
use GuzzleHttp\Psr7\Uri;
use Psr\Log\LoggerInterface;
use stdClass;
class PostMedia extends BaseFactory implements ICanCreateFromTableRow
{
/** @var Network\Factory\MimeType */
private $mimeTypeFactory;
public function __construct(Network\Factory\MimeType $mimeTypeFactory, LoggerInterface $logger)
{
parent::__construct($logger);
$this->mimeTypeFactory = $mimeTypeFactory;
}
/**
* @inheritDoc
*/
public function createFromTableRow(array $row)
{
return new Entity\PostMedia(
$row['uri-id'],
$row['url'] ? new Uri($row['url']) : null,
$row['type'],
$this->mimeTypeFactory->createFromContentType($row['mimetype']),
$row['media-uri-id'],
$row['width'],
$row['height'],
$row['size'],
$row['preview'] ? new Uri($row['preview']) : null,
$row['preview-width'],
$row['preview-height'],
$row['description'],
$row['name'],
$row['author-url'] ? new Uri($row['author-url']) : null,
$row['author-name'],
$row['author-image'] ? new Uri($row['author-image']) : null,
$row['publisher-url'] ? new Uri($row['publisher-url']) : null,
$row['publisher-name'],
$row['publisher-image'] ? new Uri($row['publisher-image']) : null,
$row['blurhash'],
$row['id']
);
}
public function createFromBlueskyImageEmbed(int $uriId, stdClass $image): Entity\PostMedia
{
return new Entity\PostMedia(
$uriId,
new Uri($image->fullsize),
Entity\PostMedia::TYPE_IMAGE,
new Network\Entity\MimeType('unkn', 'unkn'),
null,
null,
null,
null,
new Uri($image->thumb),
null,
null,
$image->alt,
);
}
public function createFromBlueskyExternalEmbed(int $uriId, stdClass $external): Entity\PostMedia
{
return new Entity\PostMedia(
$uriId,
new Uri($external->uri),
Entity\PostMedia::TYPE_HTML,
new Network\Entity\MimeType('text', 'html'),
null,
null,
null,
null,
null,
null,
null,
$external->description,
$external->title
);
}
public function createFromAttachment(int $uriId, array $attachment)
{
$attachment['uri-id'] = $uriId;
return $this->createFromTableRow($attachment);
}
}

View File

@ -0,0 +1,204 @@
<?php
/**
* @copyright Copyright (C) 2010-2023, the Friendica project
*
* @license GNU AGPL version 3 or any later version
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <https://www.gnu.org/licenses/>.
*
*/
namespace Friendica\Content\Post\Repository;
use Friendica\BaseCollection;
use Friendica\BaseRepository;
use Friendica\Content\Post\Collection;
use Friendica\Content\Post\Entity;
use Friendica\Content\Post\Factory;
use Friendica\Database\Database;
use Friendica\Util\Strings;
use Psr\Log\LoggerInterface;
class PostMedia extends BaseRepository
{
protected static $table_name = 'post-media';
public function __construct(Database $database, LoggerInterface $logger, Factory\PostMedia $factory)
{
parent::__construct($database, $logger, $factory);
}
protected function _select(array $condition, array $params = []): BaseCollection
{
$rows = $this->db->selectToArray(static::$table_name, [], $condition, $params);
$Entities = new Collection\PostMedias();
foreach ($rows as $fields) {
$Entities[] = $this->factory->createFromTableRow($fields);
}
return $Entities;
}
public function selectOneById(int $postMediaId): Entity\PostMedia
{
return $this->_selectOne(['id' => $postMediaId]);
}
public function selectByUriId(int $uriId): Collection\PostMedias
{
return $this->_select(['uri-id' => $uriId]);
}
public function save(Entity\PostMedia $PostMedia): Entity\PostMedia
{
$fields = [
'uri-id' => $PostMedia->uriId,
'url' => $PostMedia->url->__toString(),
'type' => $PostMedia->type,
'mimetype' => $PostMedia->mimetype->__toString(),
'height' => $PostMedia->height,
'width' => $PostMedia->width,
'size' => $PostMedia->size,
'preview' => $PostMedia->preview ? $PostMedia->preview->__toString() : null,
'preview-height' => $PostMedia->previewHeight,
'preview-width' => $PostMedia->previewWidth,
'description' => $PostMedia->description,
'name' => $PostMedia->name,
'author-url' => $PostMedia->authorUrl ? $PostMedia->authorUrl->__toString() : null,
'author-name' => $PostMedia->authorName,
'author-image' => $PostMedia->authorImage ? $PostMedia->authorImage->__toString() : null,
'publisher-url' => $PostMedia->publisherUrl ? $PostMedia->publisherUrl->__toString() : null,
'publisher-name' => $PostMedia->publisherName,
'publisher-image' => $PostMedia->publisherImage ? $PostMedia->publisherImage->__toString() : null,
'media-uri-id' => $PostMedia->activityUriId,
'blurhash' => $PostMedia->blurhash,
];
if ($PostMedia->id) {
$this->db->update(self::$table_name, $fields, ['id' => $PostMedia->id]);
} else {
$this->db->insert(self::$table_name, $fields, Database::INSERT_IGNORE);
$newPostMediaId = $this->db->lastInsertId();
$PostMedia = $this->selectOneById($newPostMediaId);
}
return $PostMedia;
}
/**
* Split the attachment media in the three segments "visual", "link" and "additional"
*
* @param int $uri_id URI id
* @param array $links list of links that shouldn't be added
* @param bool $has_media
* @return Collection\PostMedias[] Three collections in "visual", "link" and "additional" keys
*/
public function splitAttachments(int $uri_id, array $links = [], bool $has_media = true): array
{
$attachments = [
'visual' => new Collection\PostMedias(),
'link' => new Collection\PostMedias(),
'additional' => new Collection\PostMedias(),
];
if (!$has_media) {
return $attachments;
}
$PostMedias = $this->selectByUriId($uri_id);
if (!count($PostMedias)) {
return $attachments;
}
$heights = [];
$selected = '';
$previews = [];
foreach ($PostMedias as $PostMedia) {
foreach ($links as $link) {
if (Strings::compareLink($link, $PostMedia->url)) {
continue 2;
}
}
// Avoid adding separate media entries for previews
foreach ($previews as $preview) {
if (Strings::compareLink($preview, $PostMedia->url)) {
continue 2;
}
}
// Currently these two types are ignored here.
// Posts are added differently and contacts are not displayed as attachments.
if (in_array($PostMedia->type, [Entity\PostMedia::TYPE_ACCOUNT, Entity\PostMedia::TYPE_ACTIVITY])) {
continue;
}
if (!empty($PostMedia->preview)) {
$previews[] = $PostMedia->preview;
}
//$PostMedia->filetype = $filetype;
//$PostMedia->subtype = $subtype;
if ($PostMedia->type == Entity\PostMedia::TYPE_HTML || ($PostMedia->mimetype->type == 'text' && $PostMedia->mimetype->subtype == 'html')) {
$attachments['link'][] = $PostMedia;
continue;
}
if (
in_array($PostMedia->type, [Entity\PostMedia::TYPE_AUDIO, Entity\PostMedia::TYPE_IMAGE]) ||
in_array($PostMedia->mimetype->type, ['audio', 'image'])
) {
$attachments['visual'][] = $PostMedia;
} elseif (($PostMedia->type == Entity\PostMedia::TYPE_VIDEO) || ($PostMedia->mimetype->type == 'video')) {
if (!empty($PostMedia->height)) {
// Peertube videos are delivered in many different resolutions. We pick a moderate one.
// Since only Peertube provides a "height" parameter, this wouldn't be executed
// when someone for example on Mastodon was sharing multiple videos in a single post.
$heights[$PostMedia->height] = (string)$PostMedia->url;
$video[(string) $PostMedia->url] = $PostMedia;
} else {
$attachments['visual'][] = $PostMedia;
}
} else {
$attachments['additional'][] = $PostMedia;
}
}
if (!empty($heights)) {
ksort($heights);
foreach ($heights as $height => $url) {
if (empty($selected) || $height <= 480) {
$selected = $url;
}
}
if (!empty($selected)) {
$attachments['visual'][] = $video[$selected];
unset($video[$selected]);
foreach ($video as $element) {
$attachments['additional'][] = $element;
}
}
}
return $attachments;
}
}

View File

@ -237,12 +237,66 @@ class BBCode
// Remove attachment
$text = self::replaceAttachment($text);
$naked_text = HTML::toPlaintext(self::convert($text, false, BBCode::EXTERNAL, true), 0, !$keep_urls);
$naked_text = HTML::toPlaintext(self::convert($text, false, self::EXTERNAL, true), 0, !$keep_urls);
DI::profiler()->stopRecording();
return $naked_text;
}
/**
* Converts text into a format that can be used for the channel search and the language detection.
*
* @param string $text
* @param integer $uri_id
* @return string
*/
public static function toSearchText(string $text, int $uri_id): string
{
// Removes attachments
$text = self::removeAttachment($text);
// Add images because of possible alt texts
if (!empty($uri_id)) {
$text = Post\Media::addAttachmentsToBody($uri_id, $text, [Post\Media::IMAGE]);
}
if (empty($text)) {
return '';
}
// Remove links without a link description
$text = preg_replace("~\[url\=.*\]https?:.*\[\/url\]~", ' ', $text);
// Remove pictures
$text = preg_replace("/\[img\=([0-9]*)x([0-9]*)\](.*?)\[\/img\]/ism", ' ', $text);
// Replace picture with the alt description
$text = preg_replace("/\[img\=.*?\](.*?)\[\/img\]/ism", ' $1 ', $text);
// Remove the other pictures
$text = preg_replace("/\[img.*?\[\/img\]/ism", ' ', $text);
// Removes mentions, remove links from hashtags
$text = preg_replace('/[@!]\[url\=.*?\].*?\[\/url\]/ism', ' ', $text);
$text = preg_replace('/[#]\[url\=.*?\](.*?)\[\/url\]/ism', ' #$1 ', $text);
$text = preg_replace('/[@!#]?\[url.*?\[\/url\]/ism', ' ', $text);
$text = preg_replace("/\[url=[^\[\]]*\](.*)\[\/url\]/Usi", ' $1 ', $text);
// Convert it to plain text
$text = self::toPlaintext($text, false);
// Remove possibly remaining links
$text = preg_replace(Strings::autoLinkRegEx(), '', $text);
// Remove all unneeded white space
do {
$oldtext = $text;
$text = str_replace([' ', "\n", "\r", '"', '_'], ' ', $text);
} while ($oldtext != $text);
return trim($text);
}
private static function proxyUrl(string $image, int $simplehtml = self::INTERNAL, int $uriid = 0, string $size = ''): string
{
// Only send proxied pictures to API and for internal display
@ -932,7 +986,7 @@ class BBCode
$network = $contact['network'] ?? Protocol::PHANTOM;
$tpl = Renderer::getMarkupTemplate('shared_content.tpl');
$text .= BBCode::SHARED_ANCHOR . Renderer::replaceMacros($tpl, [
$text .= self::SHARED_ANCHOR . Renderer::replaceMacros($tpl, [
'$profile' => $attributes['profile'],
'$avatar' => $attributes['avatar'],
'$author' => $attributes['author'],
@ -1998,7 +2052,7 @@ class BBCode
{
DI::profiler()->startRecording('rendering');
$text = BBCode::performWithEscapedTags($text, ['code', 'noparse', 'nobb', 'pre'], function ($text) {
$text = self::performWithEscapedTags($text, ['code', 'noparse', 'nobb', 'pre'], function ($text) {
$text = preg_replace("/[\s|\n]*\[abstract\].*?\[\/abstract\][\s|\n]*/ism", ' ', $text);
$text = preg_replace("/[\s|\n]*\[abstract=.*?\].*?\[\/abstract][\s|\n]*/ism", ' ', $text);
return $text;
@ -2020,7 +2074,7 @@ class BBCode
DI::profiler()->startRecording('rendering');
$addon = strtolower($addon);
$abstract = BBCode::performWithEscapedTags($text, ['code', 'noparse', 'nobb', 'pre'], function ($text) use ($addon) {
$abstract = self::performWithEscapedTags($text, ['code', 'noparse', 'nobb', 'pre'], function ($text) use ($addon) {
if ($addon && preg_match('#\[abstract=' . preg_quote($addon, '#') . '](.*?)\[/abstract]#ism', $text, $matches)) {
return $matches[1];
}

View File

@ -68,6 +68,7 @@ class VCard
$follow_link = '';
$unfollow_link = '';
$wallmessage_link = '';
$showgroup_link = '';
$photo = Contact::getPhoto($contact);
@ -99,6 +100,10 @@ class VCard
if (in_array($rel, [Contact::FOLLOWER, Contact::FRIEND]) && Contact::canReceivePrivateMessages($contact)) {
$wallmessage_link = 'message/new/' . $id;
}
if ($contact['contact-type'] == Contact::TYPE_COMMUNITY) {
$showgroup_link = 'network/group/' . $id;
}
}
return Renderer::replaceMacros(Renderer::getMarkupTemplate('widget/vcard.tpl'), [
@ -119,6 +124,10 @@ class VCard
'$unfollow_link' => $unfollow_link,
'$wallmessage' => DI::l10n()->t('Message'),
'$wallmessage_link' => $wallmessage_link,
'$mention' => DI::l10n()->t('Mention'),
'$posttogroup' => DI::l10n()->t('Post to group'),
'$showgroup' => DI::l10n()->t('View group'),
'$showgroup_link' => $showgroup_link,
]);
}
}

View File

@ -400,20 +400,33 @@ class L10n
// Additionally some more languages are added to that list that are used in the Fediverse.
$additional_langs = [
'af' => 'Afrikaans',
'az-Latn' => 'azərbaycan dili',
'bs-Latn' => 'bosanski jezik',
'be' => 'беларуская мова',
'bn' => 'বাংলা',
'cy' => 'Cymraeg',
'el-monoton' => 'Ελληνικά',
'eu' => 'euskara',
'fa' => 'فارسی',
'ga' => 'Gaeilge',
'gl' => 'Galego',
'he' => 'עברית',
'hi' => 'हिन्दी',
'hr' => 'Hrvatski',
'hy' => 'Հայերեն',
'id' => 'bahasa Indonesia',
'jv' => 'Basa Jawa',
'ka' => 'ქართული',
'ko' => '한국인',
'lt' => 'lietuvių',
'lv' => 'latviešu',
'ms-Latn' => 'Bahasa Melayu',
'sr-Cyrl' => 'српски језик',
'sk' => 'slovenský',
'sl' => 'Slovenščina',
'sq' => 'Shqip',
'sw' => 'Kiswahili',
'ta' => 'தமிழ்',
'th' => 'แบบไทย',
'tl' => 'Wikang Tagalog',
'tr' => 'Türkçe',

View File

@ -731,4 +731,9 @@ abstract class DI
{
return self::$dice->create(Util\Emailer::class);
}
public static function postMediaRepository(): Content\Post\Repository\PostMedia
{
return self::$dice->create(Content\Post\Repository\PostMedia::class);
}
}

View File

@ -157,7 +157,10 @@ class APContact
$apcontact = [];
$webfinger = empty(parse_url($url, PHP_URL_SCHEME));
// Mastodon profile short-form URL https://domain.tld/@user doesn't return AP data when queried
// with HTTPSignature::fetchRaw, but returns the correct data when provided to WebFinger
// @see https://github.com/friendica/friendica/issues/13359
$webfinger = empty(parse_url($url, PHP_URL_SCHEME)) || strpos($url, '@') !== false;
if ($webfinger) {
$apcontact = self::fetchWebfingerData($url);
if (empty($apcontact['url'])) {
@ -197,7 +200,7 @@ class APContact
$curlResult = HTTPSignature::fetchRaw($url);
$failed = empty($curlResult) || empty($curlResult->getBody()) ||
(!$curlResult->isSuccess() && ($curlResult->getReturnCode() != 410));
if (!$failed) {
$data = json_decode($curlResult->getBody(), true);
$failed = empty($data) || !is_array($data);

View File

@ -1177,6 +1177,7 @@ class Contact
}
$pm_url = '';
$mention_url = '';
$status_link = '';
$photos_link = '';
@ -1197,8 +1198,23 @@ class Contact
$pm_url = 'message/new/' . $contact['id'];
}
if ($contact['contact-type'] == Contact::TYPE_COMMUNITY) {
$mention_label = DI::l10n()->t('Post to group');
$mention_url = 'compose/0?body=!' . $contact['addr'];
} else {
$mention_label = DI::l10n()->t('Mention');
$mention_url = 'compose/0?body=@' . $contact['addr'];
}
$contact_url = 'contact/' . $contact['id'];
$posts_link = 'contact/' . $contact['id'] . '/conversations';
if ($contact['contact-type'] == Contact::TYPE_COMMUNITY) {
$network_label = DI::l10n()->t('View group');
$network_url = 'network/group/' . $contact['id'];
} else {
$network_label = DI::l10n()->t('Network Posts');
$network_url = 'contact/' . $contact['id'] . '/conversations';
}
$follow_link = '';
$unfollow_link = '';
@ -1214,24 +1230,28 @@ class Contact
* Menu array:
* "name" => [ "Label", "link", (bool)Should the link opened in a new tab? ]
*/
if (empty($contact['uid'])) {
$menu = [
'profile' => [DI::l10n()->t('View Profile'), $profile_link, true],
'network' => [DI::l10n()->t('Network Posts'), $posts_link, false],
'network' => [$network_label, $network_url, false],
'edit' => [DI::l10n()->t('View Contact'), $contact_url, false],
'follow' => [DI::l10n()->t('Connect/Follow'), $follow_link, true],
'unfollow' => [DI::l10n()->t('Unfollow'), $unfollow_link, true],
'mention' => [$mention_label, $mention_url, false],
];
} else {
$menu = [
'status' => [DI::l10n()->t('View Status'), $status_link, true],
'profile' => [DI::l10n()->t('View Profile'), $profile_link, true],
'photos' => [DI::l10n()->t('View Photos'), $photos_link, true],
'network' => [DI::l10n()->t('Network Posts'), $posts_link, false],
'network' => [$network_label, $network_url, false],
'edit' => [DI::l10n()->t('View Contact'), $contact_url, false],
'pm' => [DI::l10n()->t('Send PM'), $pm_url, false],
'follow' => [DI::l10n()->t('Connect/Follow'), $follow_link, true],
'unfollow' => [DI::l10n()->t('Unfollow'), $unfollow_link, true],
'mention' => [$mention_label, $mention_url, false],
];
if (!empty($contact['pending'])) {

View File

@ -22,6 +22,9 @@
namespace Friendica\Model;
use Friendica\Contact\LocalRelationship\Entity\LocalRelationship;
use Friendica\Content\Image;
use Friendica\Content\Post\Collection\PostMedias;
use Friendica\Content\Post\Entity\PostMedia;
use Friendica\Content\Text\BBCode;
use Friendica\Content\Text\HTML;
use Friendica\Core\Hook;
@ -34,6 +37,7 @@ use Friendica\Database\DBA;
use Friendica\DI;
use Friendica\Model\Post\Category;
use Friendica\Network\HTTPException\InternalServerErrorException;
use Friendica\Network\HTTPException\ServiceUnavailableException;
use Friendica\Protocol\Activity;
use Friendica\Protocol\ActivityPub;
use Friendica\Protocol\Delivery;
@ -1987,7 +1991,7 @@ class Item
return '';
}
$languages = self::getLanguageArray(trim($item['title'] . "\n" . $item['body']), 3);
$languages = self::getLanguageArray(trim($item['title'] . "\n" . $item['body']), 3, $item['uri-id'], $item['author-id']);
if (empty($languages)) {
return '';
}
@ -2000,25 +2004,24 @@ class Item
*
* @param string $body
* @param integer $count
* @param integer $uri_id
* @param integer $author_id
* @return array
*/
public static function getLanguageArray(string $body, int $count): array
public static function getLanguageArray(string $body, int $count, int $uri_id = 0, int $author_id = 0): array
{
// Convert attachments to links
$naked_body = BBCode::removeAttachment($body);
if (empty($naked_body)) {
return [];
$naked_body = BBCode::toSearchText($body, $uri_id);
if ((count(explode(' ', $naked_body)) < 10) && (mb_strlen($naked_body) < 30) && $author_id) {
$author = Contact::selectFirst(['about'], ['id' => $author_id]);
if (!empty($author['about'])) {
$about = BBCode::toSearchText($author['about'], 0);
$about = self::getDominantLanguage($about);
Logger::debug('About field added', ['author' => $author_id, 'body' => $naked_body, 'about' => $about]);
$naked_body .= ' ' . $about;
}
}
// Remove links and pictures
$naked_body = BBCode::removeLinks($naked_body);
// Convert the title and the body to plain text
$naked_body = BBCode::toPlaintext($naked_body);
// Remove possibly remaining links
$naked_body = trim(preg_replace(Strings::autoLinkRegEx(), '', $naked_body));
if (empty($naked_body)) {
return [];
}
@ -2034,6 +2037,7 @@ class Item
$data = [
'text' => $naked_body,
'detected' => $languages,
'uri-id' => $uri_id,
];
Hook::callAll('detect_languages', $data);
@ -3175,15 +3179,15 @@ class Item
if (!empty($shared_item['uri-id'])) {
$shared_uri_id = $shared_item['uri-id'];
$shared_links[] = strtolower($shared_item['plink']);
$shared_attachments = Post\Media::splitAttachments($shared_uri_id, [], $shared_item['has-media']);
$shared_links = array_merge($shared_links, array_column($shared_attachments['visual'], 'url'));
$shared_links = array_merge($shared_links, array_column($shared_attachments['link'], 'url'));
$shared_links = array_merge($shared_links, array_column($shared_attachments['additional'], 'url'));
$item['body'] = self::replaceVisualAttachments($shared_attachments, $item['body']);
$sharedSplitAttachments = DI::postMediaRepository()->splitAttachments($shared_uri_id, [], $shared_item['has-media']);
$shared_links = array_merge($shared_links, $sharedSplitAttachments['visual']->column('url'));
$shared_links = array_merge($shared_links, $sharedSplitAttachments['link']->column('url'));
$shared_links = array_merge($shared_links, $sharedSplitAttachments['additional']->column('url'));
$item['body'] = self::replaceVisualAttachments($sharedSplitAttachments['visual'], $item['body']);
}
$attachments = Post\Media::splitAttachments($item['uri-id'], $shared_links, $item['has-media'] ?? false);
$item['body'] = self::replaceVisualAttachments($attachments, $item['body'] ?? '');
$itemSplitAttachments = DI::postMediaRepository()->splitAttachments($item['uri-id'], $shared_links, $item['has-media'] ?? false);
$item['body'] = self::replaceVisualAttachments($itemSplitAttachments['visual'], $item['body'] ?? '');
self::putInCache($item);
$item['body'] = $body;
@ -3208,7 +3212,7 @@ class Item
$filter_reasons[] = DI::l10n()->t('Content warning: %s', $item['content-warning']);
}
$item['attachments'] = $attachments;
$item['attachments'] = $itemSplitAttachments;
$hook_data = [
'item' => $item,
@ -3237,11 +3241,11 @@ class Item
return $s;
}
if (!empty($shared_attachments)) {
$s = self::addGallery($s, $shared_attachments, $item['uri-id']);
$s = self::addVisualAttachments($shared_attachments, $shared_item, $s, true);
$s = self::addLinkAttachment($shared_uri_id ?: $item['uri-id'], $shared_attachments, $body, $s, true, $quote_shared_links);
$s = self::addNonVisualAttachments($shared_attachments, $item, $s, true);
if (!empty($sharedSplitAttachments)) {
$s = self::addGallery($s, $sharedSplitAttachments['visual']);
$s = self::addVisualAttachments($sharedSplitAttachments['visual'], $shared_item, $s, true);
$s = self::addLinkAttachment($shared_uri_id ?: $item['uri-id'], $sharedSplitAttachments, $body, $s, true, $quote_shared_links);
$s = self::addNonVisualAttachments($sharedSplitAttachments['additional'], $item, $s, true);
$body = BBCode::removeSharedData($body);
}
@ -3251,10 +3255,10 @@ class Item
$s = substr($s, 0, $pos);
}
$s = self::addGallery($s, $attachments, $item['uri-id']);
$s = self::addVisualAttachments($attachments, $item, $s, false);
$s = self::addLinkAttachment($item['uri-id'], $attachments, $body, $s, false, $shared_links);
$s = self::addNonVisualAttachments($attachments, $item, $s, false);
$s = self::addGallery($s, $itemSplitAttachments['visual']);
$s = self::addVisualAttachments($itemSplitAttachments['visual'], $item, $s, false);
$s = self::addLinkAttachment($item['uri-id'], $itemSplitAttachments, $body, $s, false, $shared_links);
$s = self::addNonVisualAttachments($itemSplitAttachments['additional'], $item, $s, false);
$s = self::addQuestions($item, $s);
// Map.
@ -3282,45 +3286,34 @@ class Item
return $hook_data['html'];
}
/**
* @param array $images
* @return string
* @throws \Friendica\Network\HTTPException\ServiceUnavailableException
*/
private static function makeImageGrid(array $images): string
{
// Image for first column (fc) and second column (sc)
$images_fc = [];
$images_sc = [];
for ($i = 0; $i < count($images); $i++) {
($i % 2 == 0) ? ($images_fc[] = $images[$i]) : ($images_sc[] = $images[$i]);
}
return Renderer::replaceMacros(Renderer::getMarkupTemplate('content/image_grid.tpl'), [
'columns' => [
'fc' => $images_fc,
'sc' => $images_sc,
],
]);
}
/**
* Modify links to pictures to links for the "Fancybox" gallery
*
* @param string $s
* @param array $attachments
* @param integer $uri_id
* @param string $s
* @param PostMedias $PostMedias
* @return string
*/
private static function addGallery(string $s, array $attachments, int $uri_id): string
private static function addGallery(string $s, PostMedias $PostMedias): string
{
foreach ($attachments['visual'] as $attachment) {
if (empty($attachment['preview']) || ($attachment['type'] != Post\Media::IMAGE)) {
foreach ($PostMedias as $PostMedia) {
if (!$PostMedia->preview || ($PostMedia->type !== Post\Media::IMAGE)) {
continue;
}
$s = str_replace('<a href="' . $attachment['url'] . '"', '<a data-fancybox="' . $uri_id . '" href="' . $attachment['url'] . '"', $s);
if ($PostMedia->hasDimensions()) {
$pattern = '#<a href="' . preg_quote($PostMedia->url) . '">(.*?)"></a>#';
$s = preg_replace_callback($pattern, function () use ($PostMedia) {
return Renderer::replaceMacros(Renderer::getMarkupTemplate('content/image/single_with_height_allocation.tpl'), [
'$image' => $PostMedia,
'$allocated_height' => $PostMedia->getAllocatedHeight(),
]);
}, $s);
} else {
$s = str_replace('<a href="' . $PostMedia->url . '"', '<a data-fancybox="uri-id-' . $PostMedia->uriId . '" href="' . $PostMedia->url . '"', $s);
}
}
return $s;
}
@ -3378,30 +3371,30 @@ class Item
/**
* Replace visual attachments in the body
*
* @param array $attachments
* @param string $body
* @param PostMedias $PostMedias
* @param string $body
* @return string modified body
*/
private static function replaceVisualAttachments(array $attachments, string $body): string
private static function replaceVisualAttachments(PostMedias $PostMedias, string $body): string
{
DI::profiler()->startRecording('rendering');
foreach ($attachments['visual'] as $attachment) {
if (!empty($attachment['preview'])) {
if (Network::isLocalLink($attachment['preview'])) {
foreach ($PostMedias as $PostMedia) {
if ($PostMedia->preview) {
if (DI::baseUrl()->isLocalUri($PostMedia->preview)) {
continue;
}
$proxy = Post\Media::getPreviewUrlForId($attachment['id'], Proxy::SIZE_LARGE);
$search = ['[img=' . $attachment['preview'] . ']', ']' . $attachment['preview'] . '[/img]'];
$proxy = DI::baseUrl() . $PostMedia->getPreviewPath(Proxy::SIZE_LARGE);
$search = ['[img=' . $PostMedia->preview . ']', ']' . $PostMedia->preview . '[/img]'];
$replace = ['[img=' . $proxy . ']', ']' . $proxy . '[/img]'];
$body = str_replace($search, $replace, $body);
} elseif ($attachment['filetype'] == 'image') {
if (Network::isLocalLink($attachment['url'])) {
} elseif ($PostMedia->mimetype->type == 'image') {
if (DI::baseUrl()->isLocalUri($PostMedia->url)) {
continue;
}
$proxy = Post\Media::getUrlForId($attachment['id']);
$search = ['[img=' . $attachment['url'] . ']', ']' . $attachment['url'] . '[/img]'];
$proxy = DI::baseUrl() . $PostMedia->getPreviewPath(Proxy::SIZE_LARGE);
$search = ['[img=' . $PostMedia->url . ']', ']' . $PostMedia->url . '[/img]'];
$replace = ['[img=' . $proxy . ']', ']' . $proxy . '[/img]'];
$body = str_replace($search, $replace, $body);
@ -3414,29 +3407,34 @@ class Item
/**
* Add visual attachments to the content
*
* @param array $attachments
* @param array $item
* @param string $content
* @param PostMedias $PostMedias
* @param array $item
* @param string $content
* @param bool $shared
* @return string modified content
* @throws ServiceUnavailableException
*/
private static function addVisualAttachments(array $attachments, array $item, string $content, bool $shared): string
private static function addVisualAttachments(PostMedias $PostMedias, array $item, string $content, bool $shared): string
{
DI::profiler()->startRecording('rendering');
$leading = '';
$trailing = '';
$images = [];
$images = new PostMedias();
// @todo In the future we should make a single for the template engine with all media in it. This allows more flexibilty.
foreach ($attachments['visual'] as $attachment) {
if (self::containsLink($item['body'], $attachment['preview'] ?? $attachment['url'], $attachment['type'])) {
foreach ($PostMedias as $PostMedia) {
if (self::containsLink($item['body'], $PostMedia->preview ?? $PostMedia->url, $PostMedia->type)) {
continue;
}
if ($attachment['filetype'] == 'image') {
$preview_url = Post\Media::getPreviewUrlForId($attachment['id'], ($attachment['width'] > $attachment['height']) ? Proxy::SIZE_MEDIUM : Proxy::SIZE_LARGE);
} elseif (!empty($attachment['preview'])) {
$preview_url = Post\Media::getPreviewUrlForId($attachment['id'], Proxy::SIZE_LARGE);
if ($PostMedia->mimetype->type == 'image') {
$preview_size = $PostMedia->width > $PostMedia->height ? Proxy::SIZE_MEDIUM : Proxy::SIZE_LARGE;
$preview_url = DI::baseUrl() . $PostMedia->getPreviewPath($preview_size);
} elseif ($PostMedia->preview) {
$preview_size = Proxy::SIZE_LARGE;
$preview_url = DI::baseUrl() . $PostMedia->getPreviewPath($preview_size);
} else {
$preview_size = 0;
$preview_url = '';
}
@ -3444,15 +3442,15 @@ class Item
continue;
}
if (($attachment['filetype'] == 'video')) {
if ($PostMedia->mimetype->type == 'video') {
/// @todo Move the template to /content as well
$media = Renderer::replaceMacros(Renderer::getMarkupTemplate('video_top.tpl'), [
'$video' => [
'id' => $attachment['id'],
'src' => $attachment['url'],
'name' => $attachment['name'] ?: $attachment['url'],
'id' => $PostMedia->id,
'src' => (string)$PostMedia->url,
'name' => $PostMedia->name ?: $PostMedia->url,
'preview' => $preview_url,
'mime' => $attachment['mimetype'],
'mime' => (string)$PostMedia->mimetype,
],
]);
if (($item['post-type'] ?? null) == Item::PT_VIDEO) {
@ -3460,13 +3458,13 @@ class Item
} else {
$trailing .= $media;
}
} elseif ($attachment['filetype'] == 'audio') {
} elseif ($PostMedia->mimetype->type == 'audio') {
$media = Renderer::replaceMacros(Renderer::getMarkupTemplate('content/audio.tpl'), [
'$audio' => [
'id' => $attachment['id'],
'src' => $attachment['url'],
'name' => $attachment['name'] ?: $attachment['url'],
'mime' => $attachment['mimetype'],
'id' => $PostMedia->id,
'src' => (string)$PostMedia->url,
'name' => $PostMedia->name ?: $PostMedia->url,
'mime' => (string)$PostMedia->mimetype,
],
]);
if (($item['post-type'] ?? null) == Item::PT_AUDIO) {
@ -3474,23 +3472,17 @@ class Item
} else {
$trailing .= $media;
}
} elseif ($attachment['filetype'] == 'image') {
$src_url = Post\Media::getUrlForId($attachment['id']);
} elseif ($PostMedia->mimetype->type == 'image') {
$src_url = DI::baseUrl() . $PostMedia->getPhotoPath();
if (self::containsLink($item['body'], $src_url)) {
continue;
}
$images[] = ['src' => $src_url, 'preview' => $preview_url, 'attachment' => $attachment, 'uri_id' => $item['uri-id']];
$images[] = $PostMedia->withUrl(new Uri($src_url))->withPreview(new Uri($preview_url), $preview_size);
}
}
$media = '';
if (count($images) > 1) {
$media = self::makeImageGrid($images);
} elseif (count($images) == 1) {
$media = Renderer::replaceMacros(Renderer::getMarkupTemplate('content/image.tpl'), [
'$image' => $images[0],
]);
}
$media = Image::getBodyAttachHtml($images);
// On Diaspora posts the attached pictures are leading
if ($item['network'] == Protocol::DIASPORA) {
@ -3519,59 +3511,62 @@ class Item
/**
* Add link attachment to the content
*
* @param array $attachments
* @param string $body
* @param string $content
* @param bool $shared
* @param array $ignore_links A list of URLs to ignore
* @param int $uriid
* @param PostMedias[] $attachments
* @param string $body
* @param string $content
* @param bool $shared
* @param array $ignore_links A list of URLs to ignore
* @return string modified content
* @throws InternalServerErrorException
* @throws ServiceUnavailableException
*/
private static function addLinkAttachment(int $uriid, array $attachments, string $body, string $content, bool $shared, array $ignore_links): string
{
DI::profiler()->startRecording('rendering');
// Don't show a preview when there is a visual attachment (audio or video)
$types = array_column($attachments['visual'], 'type');
$preview = !in_array(Post\Media::IMAGE, $types) && !in_array(Post\Media::VIDEO, $types);
$types = $attachments['visual']->column('type');
$preview = !in_array(PostMedia::TYPE_IMAGE, $types) && !in_array(PostMedia::TYPE_VIDEO, $types);
if (!empty($attachments['link'])) {
foreach ($attachments['link'] as $link) {
$found = false;
foreach ($ignore_links as $ignore_link) {
if (Strings::compareLink($link['url'], $ignore_link)) {
$found = true;
}
}
// @todo Judge between the links to use the one with most information
if (!$found && (empty($attachment) || !empty($link['author-name']) ||
(empty($attachment['name']) && !empty($link['name'])) ||
(empty($attachment['description']) && !empty($link['description'])) ||
(empty($attachment['preview']) && !empty($link['preview'])))) {
$attachment = $link;
/** @var ?PostMedia $attachment */
$attachment = null;
foreach ($attachments['link'] as $PostMedia) {
$found = false;
foreach ($ignore_links as $ignore_link) {
if (Strings::compareLink($PostMedia->url, $ignore_link)) {
$found = true;
}
}
// @todo Judge between the links to use the one with most information
if (!$found && (empty($attachment) || $PostMedia->authorName ||
(!$attachment->name && $PostMedia->name) ||
(!$attachment->description && $PostMedia->description) ||
(!$attachment->preview && $PostMedia->preview))) {
$attachment = $PostMedia;
}
}
if (!empty($attachment)) {
$data = [
'after' => '',
'author_name' => $attachment['author-name'] ?? '',
'author_url' => $attachment['author-url'] ?? '',
'description' => $attachment['description'] ?? '',
'author_name' => $attachment->authorName ?? '',
'author_url' => (string)($attachment->authorUrl ?? ''),
'description' => $attachment->description ?? '',
'image' => '',
'preview' => '',
'provider_name' => $attachment['publisher-name'] ?? '',
'provider_url' => $attachment['publisher-url'] ?? '',
'provider_name' => $attachment->publisherName ?? '',
'provider_url' => (string)($attachment->publisherUrl ?? ''),
'text' => '',
'title' => $attachment['name'] ?? '',
'title' => $attachment->name ?? '',
'type' => 'link',
'url' => $attachment['url']
'url' => (string)$attachment->url,
];
if ($preview && !empty($attachment['preview'])) {
if ($attachment['preview-width'] >= 500) {
$data['image'] = Post\Media::getPreviewUrlForId($attachment['id'], Proxy::SIZE_MEDIUM);
if ($preview && $attachment->preview) {
if ($attachment->previewWidth >= 500) {
$data['image'] = DI::baseUrl() . $attachment->getPreviewPath(Proxy::SIZE_MEDIUM);
} else {
$data['preview'] = Post\Media::getPreviewUrlForId($attachment['id'], Proxy::SIZE_MEDIUM);
$data['preview'] = DI::baseUrl() . $attachment->getPreviewPath(Proxy::SIZE_MEDIUM);
}
}
@ -3639,19 +3634,21 @@ class Item
}
/**
* Add non visual attachments to the content
* Add non-visual attachments to the content
*
* @param array $attachments
* @param array $item
* @param string $content
* @param PostMedias $PostMedias
* @param array $item
* @param string $content
* @return string modified content
* @throws InternalServerErrorException
* @throws \ImagickException
*/
private static function addNonVisualAttachments(array $attachments, array $item, string $content): string
private static function addNonVisualAttachments(PostMedias $PostMedias, array $item, string $content): string
{
DI::profiler()->startRecording('rendering');
$trailing = '';
foreach ($attachments['additional'] as $attachment) {
if (strpos($item['body'], $attachment['url'])) {
foreach ($PostMedias as $PostMedia) {
if (strpos($item['body'], $PostMedia->url)) {
continue;
}
@ -3662,16 +3659,16 @@ class Item
'url' => $item['author-link'],
'alias' => $item['author-alias']
];
$the_url = Contact::magicLinkByContact($author, $attachment['url']);
$the_url = Contact::magicLinkByContact($author, $PostMedia->url);
$title = Strings::escapeHtml(trim(($attachment['description'] ?? '') ?: $attachment['url']));
$title = Strings::escapeHtml(trim($PostMedia->description ?? '' ?: $PostMedia->url));
if (!empty($attachment['size'])) {
$title .= ' ' . $attachment['size'] . ' ' . DI::l10n()->t('bytes');
if ($PostMedia->size) {
$title .= ' ' . $PostMedia->size . ' ' . DI::l10n()->t('bytes');
}
/// @todo Use a template
$icon = '<div class="attachtype icon s22 type-' . $attachment['filetype'] . ' subtype-' . $attachment['subtype'] . '"></div>';
$icon = '<div class="attachtype icon s22 type-' . $PostMedia->mimetype->type . ' subtype-' . $PostMedia->mimetype->subtype . '"></div>';
$trailing .= '<a href="' . strip_tags($the_url) . '" title="' . $title . '" class="attachlink" target="_blank" rel="noopener noreferrer" >' . $icon . '</a>';
}

View File

@ -874,113 +874,6 @@ class Media
return DBA::delete('post-media', ['id' => $id]);
}
/**
* Split the attachment media in the three segments "visual", "link" and "additional"
*
* @param int $uri_id URI id
* @param array $links list of links that shouldn't be added
* @param bool $has_media
* @return array attachments
*/
public static function splitAttachments(int $uri_id, array $links = [], bool $has_media = true): array
{
$attachments = ['visual' => [], 'link' => [], 'additional' => []];
if (!$has_media) {
return $attachments;
}
$media = self::getByURIId($uri_id);
if (empty($media)) {
return $attachments;
}
$heights = [];
$selected = '';
$previews = [];
foreach ($media as $medium) {
foreach ($links as $link) {
if (Strings::compareLink($link, $medium['url'])) {
continue 2;
}
}
// Avoid adding separate media entries for previews
foreach ($previews as $preview) {
if (Strings::compareLink($preview, $medium['url'])) {
continue 2;
}
}
// Currently these two types are ignored here.
// Posts are added differently and contacts are not displayed as attachments.
if (in_array($medium['type'], [self::ACCOUNT, self::ACTIVITY])) {
continue;
}
if (!empty($medium['preview'])) {
$previews[] = $medium['preview'];
}
$type = explode('/', explode(';', $medium['mimetype'] ?? '')[0]);
if (count($type) < 2) {
Logger::info('Unknown MimeType', ['type' => $type, 'media' => $medium]);
$filetype = 'unkn';
$subtype = 'unkn';
} else {
$filetype = strtolower($type[0]);
$subtype = strtolower($type[1]);
}
$medium['filetype'] = $filetype;
$medium['subtype'] = $subtype;
if ($medium['type'] == self::HTML || (($filetype == 'text') && ($subtype == 'html'))) {
$attachments['link'][] = $medium;
continue;
}
if (
in_array($medium['type'], [self::AUDIO, self::IMAGE]) ||
in_array($filetype, ['audio', 'image'])
) {
$attachments['visual'][] = $medium;
} elseif (($medium['type'] == self::VIDEO) || ($filetype == 'video')) {
if (!empty($medium['height'])) {
// Peertube videos are delivered in many different resolutions. We pick a moderate one.
// Since only Peertube provides a "height" parameter, this wouldn't be executed
// when someone for example on Mastodon was sharing multiple videos in a single post.
$heights[$medium['height']] = $medium['url'];
$video[$medium['url']] = $medium;
} else {
$attachments['visual'][] = $medium;
}
} else {
$attachments['additional'][] = $medium;
}
}
if (!empty($heights)) {
ksort($heights);
foreach ($heights as $height => $url) {
if (empty($selected) || $height <= 480) {
$selected = $url;
}
}
if (!empty($selected)) {
$attachments['visual'][] = $video[$selected];
unset($video[$selected]);
foreach ($video as $element) {
$attachments['additional'][] = $element;
}
}
}
return $attachments;
}
/**
* Add media attachments to the body
*
@ -1119,25 +1012,9 @@ class Media
*/
public static function getPreviewUrlForId(int $id, string $size = ''): string
{
$url = DI::baseUrl() . '/photo/preview/';
switch ($size) {
case Proxy::SIZE_MICRO:
$url .= Proxy::PIXEL_MICRO . '/';
break;
case Proxy::SIZE_THUMB:
$url .= Proxy::PIXEL_THUMB . '/';
break;
case Proxy::SIZE_SMALL:
$url .= Proxy::PIXEL_SMALL . '/';
break;
case Proxy::SIZE_MEDIUM:
$url .= Proxy::PIXEL_MEDIUM . '/';
break;
case Proxy::SIZE_LARGE:
$url .= Proxy::PIXEL_LARGE . '/';
break;
}
return $url . $id;
return '/photo/preview/' .
(Proxy::getPixelsFromSize($size) ? Proxy::getPixelsFromSize($size) . '/' : '') .
$id;
}
/**
@ -1149,24 +1026,8 @@ class Media
*/
public static function getUrlForId(int $id, string $size = ''): string
{
$url = DI::baseUrl() . '/photo/media/';
switch ($size) {
case Proxy::SIZE_MICRO:
$url .= Proxy::PIXEL_MICRO . '/';
break;
case Proxy::SIZE_THUMB:
$url .= Proxy::PIXEL_THUMB . '/';
break;
case Proxy::SIZE_SMALL:
$url .= Proxy::PIXEL_SMALL . '/';
break;
case Proxy::SIZE_MEDIUM:
$url .= Proxy::PIXEL_MEDIUM . '/';
break;
case Proxy::SIZE_LARGE:
$url .= Proxy::PIXEL_LARGE . '/';
break;
}
return $url . $id;
return '/photo/media/' .
(Proxy::getPixelsFromSize($size) ? Proxy::getPixelsFromSize($size) . '/' : '') .
$id;
}
}

View File

@ -813,12 +813,14 @@ class Profile
/**
* Set the visitor cookies (see remote_user()) for signed HTTP requests
(
*
* @param array $server The content of the $_SERVER superglobal
* @return array Visitor contact array
* @throws InternalServerErrorException
*/
public static function addVisitorCookieForHTTPSigner(): array
public static function addVisitorCookieForHTTPSigner(array $server): array
{
$requester = HTTPSignature::getSigner('', $_SERVER);
$requester = HTTPSignature::getSigner('', $server);
if (empty($requester)) {
return [];
}

View File

@ -85,6 +85,7 @@ class InstanceV2 extends BaseApi
$domain = $this->baseUrl->getHost();
$title = $this->config->get('config', 'sitename');
$version = '2.8.0 (compatible; Friendica ' . App::VERSION . ')';
$source_url = 'https://git.friendi.ca/friendica/friendica';
$description = $this->config->get('config', 'info');
$usage = $this->buildUsageInfo();
$thumbnail = new InstanceEntity\Thumbnail($this->baseUrl . $this->contactHeader->getMastodonBannerPath());
@ -98,6 +99,7 @@ class InstanceV2 extends BaseApi
$domain,
$title,
$version,
$source_url,
$description,
$usage,
$thumbnail,

View File

@ -111,7 +111,9 @@ class Hovercard extends BaseModule
'tags' => $contact['keywords'],
'bd' => $contact['bd'] <= DBA::NULL_DATE ? '' : $contact['bd'],
'account_type' => Contact::getAccountType($contact['contact-type']),
'contact_type' => $contact['contact-type'],
'actions' => $actions,
'self' => $contact['self'],
],
]);

View File

@ -77,7 +77,7 @@ class Photo extends BaseApi
throw new NotModifiedException();
}
Profile::addVisitorCookieForHTTPSigner();
Profile::addVisitorCookieForHTTPSigner($this->server);
$customsize = 0;
$square_resize = true;

View File

@ -0,0 +1,69 @@
<?php
/**
* @copyright Copyright (C) 2010-2023, the Friendica project
*
* @license GNU AGPL version 3 or any later version
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <https://www.gnu.org/licenses/>.
*
*/
namespace Friendica\Network\Entity;
use Friendica\BaseEntity;
/**
* Implementation of the Content-Type header value from the MIME type RFC
*
* @see https://www.rfc-editor.org/rfc/rfc2045#section-5
*
* @property-read string $type
* @property-read string $subtype
* @property-read array $parameters
*/
class MimeType extends BaseEntity
{
/** @var string */
protected $type;
/** @var string */
protected $subtype;
/** @var array */
protected $parameters;
public function __construct(string $type, string $subtype, array $parameters = [])
{
$this->type = $type;
$this->subtype = $subtype;
$this->parameters = $parameters;
}
public function __toString(): string
{
$parameters = array_map(function (string $attribute, string $value) {
if (
strpos($value, '"') !== false ||
strpos($value, '\\') !== false ||
strpos($value, "\r") !== false
) {
$value = '"' . str_replace(['\\', '"', "\r"], ['\\\\', '\\"', "\\\r"], $value) . '"';
}
return '; ' . $attribute . '=' . $value;
}, array_keys($this->parameters), array_values($this->parameters));
return $this->type . '/' .
$this->subtype .
implode('', $parameters);
}
}

View File

@ -0,0 +1,76 @@
<?php
/**
* @copyright Copyright (C) 2010-2023, the Friendica project
*
* @license GNU AGPL version 3 or any later version
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <https://www.gnu.org/licenses/>.
*
*/
namespace Friendica\Network\Factory;
use Friendica\BaseFactory;
use Friendica\Core\System;
use Friendica\Network\Entity;
/**
* Implementation of the Content-Type header value from the MIME type RFC
*
* @see https://www.rfc-editor.org/rfc/rfc2045#section-5
*/
class MimeType extends BaseFactory
{
public function createFromContentType(?string $contentType): Entity\MimeType
{
if ($contentType) {
$parameterStrings = explode(';', $contentType);
$mimetype = array_shift($parameterStrings);
$types = explode('/', $mimetype);
if (count($types) >= 2) {
$filetype = strtolower($types[0]);
$subtype = strtolower($types[1]);
} else {
$this->logger->notice('Unknown MimeType', ['type' => $contentType, 'callstack' => System::callstack(10)]);
}
$parameters = [];
foreach ($parameterStrings as $parameterString) {
$parameterString = trim($parameterString);
$parameterParts = explode('=', $parameterString, 2);
if (count($parameterParts) < 2) {
continue;
}
$attribute = trim($parameterParts[0]);
$valueString = trim($parameterParts[1]);
if ($valueString[0] == '"' && $valueString[strlen($valueString) - 1] == '"') {
$valueString = substr(str_replace(['\\"', '\\\\', "\\\r"], ['"', '\\', "\r"], $valueString), 1, -1);
}
$value = preg_replace('#\s*\([^()]*?\)#', '', $valueString);
$parameters[$attribute] = $value;
}
}
return new Entity\MimeType(
$filetype ?? 'unkn',
$subtype ?? 'unkn',
$parameters ?? [],
);
}
}

View File

@ -81,6 +81,7 @@ class InstanceV2 extends BaseDataTransferObject
string $domain,
string $title,
string $version,
string $source_url,
string $description,
Usage $usage,
Thumbnail $thumbnail,
@ -94,7 +95,7 @@ class InstanceV2 extends BaseDataTransferObject
$this->domain = $domain;
$this->title = $title;
$this->version = $version;
$this->source_url = null; //not supported yet
$this->source_url = $source_url;
$this->description = $description;
$this->usage = $usage;
$this->thumbnail = $thumbnail;

View File

@ -211,4 +211,21 @@ class Proxy
return $matches[1] . self::proxifyUrl(htmlspecialchars_decode($matches[2])) . $matches[3];
}
public static function getPixelsFromSize(string $size): int
{
switch ($size) {
case Proxy::SIZE_MICRO:
return Proxy::PIXEL_MICRO;
case Proxy::SIZE_THUMB:
return Proxy::PIXEL_THUMB;
case Proxy::SIZE_SMALL:
return Proxy::PIXEL_SMALL;
case Proxy::SIZE_MEDIUM:
return Proxy::PIXEL_MEDIUM;
case Proxy::SIZE_LARGE:
return Proxy::PIXEL_LARGE;
default:
return 0;
}
}
}

View File

@ -0,0 +1,66 @@
<?php
/**
* @copyright Copyright (C) 2010-2023, the Friendica project
*
* @license GNU AGPL version 3 or any later version
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <https://www.gnu.org/licenses/>.
*
*/
namespace Friendica\Test\src;
use Friendica\BaseCollection;
use Friendica\BaseEntity;
use Mockery\Mock;
use PHPUnit\Framework\TestCase;
class BaseCollectionTest extends TestCase
{
public function testChunk()
{
$entity1 = \Mockery::mock(BaseEntity::class);
$entity2 = \Mockery::mock(BaseEntity::class);
$entity3 = \Mockery::mock(BaseEntity::class);
$entity4 = \Mockery::mock(BaseEntity::class);
$collection = new BaseCollection([$entity1, $entity2]);
$this->assertEquals([new BaseCollection([$entity1]), new BaseCollection([$entity2])], $collection->chunk(1));
$this->assertEquals([new BaseCollection([$entity1, $entity2])], $collection->chunk(2));
$collection = new BaseCollection([$entity1, $entity2, $entity3]);
$this->assertEquals([new BaseCollection([$entity1]), new BaseCollection([$entity2]), new BaseCollection([$entity3])], $collection->chunk(1));
$this->assertEquals([new BaseCollection([$entity1, $entity2]), new BaseCollection([$entity3])], $collection->chunk(2));
$this->assertEquals([new BaseCollection([$entity1, $entity2, $entity3])], $collection->chunk(3));
$collection = new BaseCollection([$entity1, $entity2, $entity3, $entity4]);
$this->assertEquals([new BaseCollection([$entity1, $entity2]), new BaseCollection([$entity3, $entity4])], $collection->chunk(2));
$this->assertEquals([new BaseCollection([$entity1, $entity2, $entity3]), new BaseCollection([$entity4])], $collection->chunk(3));
$this->assertEquals([new BaseCollection([$entity1, $entity2, $entity3, $entity4])], $collection->chunk(4));
}
public function testChunkLengthException()
{
$this->expectException(\RangeException::class);
$entity1 = \Mockery::mock(BaseEntity::class);
$collection = new BaseCollection([$entity1]);
$collection->chunk(0);
}
}

View File

@ -0,0 +1,152 @@
<?php
/**
* @copyright Copyright (C) 2010-2023, the Friendica project
*
* @license GNU AGPL version 3 or any later version
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <https://www.gnu.org/licenses/>.
*
*/
namespace Friendica\Test\src\Network;
use Friendica\Network\Entity;
use Friendica\Network\Factory;
use PHPUnit\Framework\TestCase;
use Psr\Log\NullLogger;
class MimeTypeTest extends TestCase
{
public function dataCreateFromContentType(): array
{
return [
'image/jpg' => [
'expected' => new Entity\MimeType('image', 'jpg'),
'contentType' => 'image/jpg',
],
'image/jpg;charset=utf8' => [
'expected' => new Entity\MimeType('image', 'jpg', ['charset' => 'utf8']),
'contentType' => 'image/jpg; charset=utf8',
],
'image/jpg; charset=utf8' => [
'expected' => new Entity\MimeType('image', 'jpg', ['charset' => 'utf8']),
'contentType' => 'image/jpg; charset=utf8',
],
'image/jpg; charset = utf8' => [
'expected' => new Entity\MimeType('image', 'jpg', ['charset' => 'utf8']),
'contentType' => 'image/jpg; charset=utf8',
],
'image/jpg; charset="utf8"' => [
'expected' => new Entity\MimeType('image', 'jpg', ['charset' => 'utf8']),
'contentType' => 'image/jpg; charset="utf8"',
],
'image/jpg; charset="\"utf8\""' => [
'expected' => new Entity\MimeType('image', 'jpg', ['charset' => '"utf8"']),
'contentType' => 'image/jpg; charset="\"utf8\""',
],
'image/jpg; charset="\"utf8\" (comment)"' => [
'expected' => new Entity\MimeType('image', 'jpg', ['charset' => '"utf8"']),
'contentType' => 'image/jpg; charset="\"utf8\" (comment)"',
],
'image/jpg; charset=utf8 (comment)' => [
'expected' => new Entity\MimeType('image', 'jpg', ['charset' => 'utf8']),
'contentType' => 'image/jpg; charset="utf8 (comment)"',
],
'image/jpg; charset=utf8; attribute=value' => [
'expected' => new Entity\MimeType('image', 'jpg', ['charset' => 'utf8', 'attribute' => 'value']),
'contentType' => 'image/jpg; charset=utf8; attribute=value',
],
'empty' => [
'expected' => new Entity\MimeType('unkn', 'unkn'),
'contentType' => '',
],
'unknown' => [
'expected' => new Entity\MimeType('unkn', 'unkn'),
'contentType' => 'unknown',
],
];
}
/**
* @dataProvider dataCreateFromContentType
* @param Entity\MimeType $expected
* @param string $contentType
* @return void
*/
public function testCreateFromContentType(Entity\MimeType $expected, string $contentType)
{
$factory = new Factory\MimeType(new NullLogger());
$this->assertEquals($expected, $factory->createFromContentType($contentType));
}
public function dataToString(): array
{
return [
'image/jpg' => [
'expected' => 'image/jpg',
'mimeType' => new Entity\MimeType('image', 'jpg'),
],
'image/jpg;charset=utf8' => [
'expected' => 'image/jpg; charset=utf8',
'mimeType' => new Entity\MimeType('image', 'jpg', ['charset' => 'utf8']),
],
'image/jpg; charset="\"utf8\""' => [
'expected' => 'image/jpg; charset="\"utf8\""',
'mimeType' => new Entity\MimeType('image', 'jpg', ['charset' => '"utf8"']),
],
'image/jpg; charset=utf8; attribute=value' => [
'expected' => 'image/jpg; charset=utf8; attribute=value',
'mimeType' => new Entity\MimeType('image', 'jpg', ['charset' => 'utf8', 'attribute' => 'value']),
],
'empty' => [
'expected' => 'unkn/unkn',
'mimeType' => new Entity\MimeType('unkn', 'unkn'),
],
];
}
/**
* @dataProvider dataToString
* @param string $expected
* @param Entity\MimeType $mimeType
* @return void
*/
public function testToString(string $expected, Entity\MimeType $mimeType)
{
$this->assertEquals($expected, $mimeType->__toString());
}
public function dataRoundtrip(): array
{
return [
['image/jpg'],
['image/jpg; charset=utf8'],
['image/jpg; charset="\"utf8\""'],
['image/jpg; charset=utf8; attribute=value'],
];
}
/**
* @dataProvider dataRoundtrip
* @param string $expected
* @return void
*/
public function testRoundtrip(string $expected)
{
$factory = new Factory\MimeType(new NullLogger());
$this->assertEquals($expected, $factory->createFromContentType($expected)->__toString());
}
}

View File

@ -706,6 +706,39 @@ audio {
* Image grid settings END
**/
/* This helps allocating space for image before they are loaded, preventing content shifting once they are.
* Inspired by https://www.smashingmagazine.com/2016/08/ways-to-reduce-content-shifting-on-page-load/
* Please note: The space is effectively allocated using padding-bottom using the image ratio as a value.
* This ratio is never known in advance so no value is set in the stylesheet.
*/
figure.img-allocated-height {
position: relative;
background: center / auto rgba(0, 0, 0, 0.05) url(/images/icons/image.png) no-repeat;
margin: 0;
}
figure.img-allocated-height img{
position: absolute;
top: 0;
right: 0;
bottom: 0;
left: 0;
width: 100%;
}
/**
* Horizontal masonry settings START
**/
.masonry-row {
display: -ms-flexbox; /* IE10 */
display: flex;
/* Both the following values should be the same to ensure consistent margins between images in the grid */
column-gap: 5px;
margin-top: 5px;
}
/**
* Horizontal masonry settings AND
**/
#contactblock .icon {
width: 48px;
height: 48px;

View File

@ -378,16 +378,10 @@ $(function() {
// Allow folks to stop the ajax page updates with the pause/break key
$(document).keydown(function(event) {
if (event.keyCode == '8') {
var target = event.target || event.srcElement;
if (!/input|textarea/i.test(target.nodeName)) {
return false;
}
}
if (event.keyCode == '19' || (event.ctrlKey && event.which == '32')) {
// Pause/Break or Ctrl + Space
if (event.which === 19 || (!event.shiftKey && !event.altKey && event.ctrlKey && event.which === 32)) {
event.preventDefault();
if (stopped == false) {
if (stopped === false) {
stopped = true;
if (event.ctrlKey) {
totStopped = true;

View File

@ -8,7 +8,7 @@ msgid ""
msgstr ""
"Project-Id-Version: 2023.09-dev\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-09-24 00:43+0000\n"
"POT-Creation-Date: 2023-10-03 08:59+0200\n"
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
"Language-Team: LANGUAGE <LL@li.org>\n"
@ -784,33 +784,32 @@ msgstr ""
msgid "You must be logged in to use addons. "
msgstr ""
#: src/BaseModule.php:401
#: src/BaseModule.php:403
msgid ""
"The form security token was not correct. This probably happened because the "
"form has been opened for too long (>3 hours) before submitting it."
msgstr ""
#: src/BaseModule.php:428
#: src/BaseModule.php:430
msgid "All contacts"
msgstr ""
#: src/BaseModule.php:433 src/Content/Conversation/Factory/Timeline.php:84
#: src/BaseModule.php:435 src/Content/Conversation/Factory/Timeline.php:62
#: src/Content/Widget.php:239 src/Core/ACL.php:195 src/Module/Contact.php:415
#: src/Module/PermissionTooltip.php:127 src/Module/PermissionTooltip.php:149
#: src/Module/Settings/Channels.php:120
msgid "Followers"
msgstr ""
#: src/BaseModule.php:438 src/Content/Widget.php:240 src/Module/Contact.php:418
#: src/Module/Settings/Channels.php:119
#: src/BaseModule.php:440 src/Content/Widget.php:240 src/Module/Contact.php:418
msgid "Following"
msgstr ""
#: src/BaseModule.php:443 src/Content/Widget.php:241 src/Module/Contact.php:421
#: src/BaseModule.php:445 src/Content/Widget.php:241 src/Module/Contact.php:421
msgid "Mutual friends"
msgstr ""
#: src/BaseModule.php:451
#: src/BaseModule.php:453
msgid "Common"
msgstr ""
@ -1380,7 +1379,7 @@ msgstr ""
msgid "Public post"
msgstr ""
#: src/Content/Conversation.php:424 src/Content/Widget/VCard.php:120
#: src/Content/Conversation.php:424 src/Content/Widget/VCard.php:125
#: src/Model/Profile.php:467 src/Module/Admin/Logs/View.php:92
#: src/Module/Post/Edit.php:181
msgid "Message"
@ -1576,61 +1575,60 @@ msgstr ""
msgid "Posts with videos"
msgstr ""
#: src/Content/Conversation/Factory/Timeline.php:111
#: src/Content/Conversation/Factory/Timeline.php:84
msgid "Local Community"
msgstr ""
#: src/Content/Conversation/Factory/Timeline.php:111
#: src/Content/Conversation/Factory/Timeline.php:84
msgid "Posts from local users on this server"
msgstr ""
#: src/Content/Conversation/Factory/Timeline.php:115
#: src/Module/Settings/Channels.php:118
#: src/Content/Conversation/Factory/Timeline.php:88
msgid "Global Community"
msgstr ""
#: src/Content/Conversation/Factory/Timeline.php:115
#: src/Content/Conversation/Factory/Timeline.php:88
msgid "Posts from users of the whole federated network"
msgstr ""
#: src/Content/Conversation/Factory/Timeline.php:129
#: src/Content/Conversation/Factory/Timeline.php:102
msgid "Latest Activity"
msgstr ""
#: src/Content/Conversation/Factory/Timeline.php:129
#: src/Content/Conversation/Factory/Timeline.php:102
msgid "Sort by latest activity"
msgstr ""
#: src/Content/Conversation/Factory/Timeline.php:130
#: src/Content/Conversation/Factory/Timeline.php:103
msgid "Latest Posts"
msgstr ""
#: src/Content/Conversation/Factory/Timeline.php:130
#: src/Content/Conversation/Factory/Timeline.php:103
msgid "Sort by post received date"
msgstr ""
#: src/Content/Conversation/Factory/Timeline.php:131
#: src/Content/Conversation/Factory/Timeline.php:104
msgid "Latest Creation"
msgstr ""
#: src/Content/Conversation/Factory/Timeline.php:131
#: src/Content/Conversation/Factory/Timeline.php:104
msgid "Sort by post creation date"
msgstr ""
#: src/Content/Conversation/Factory/Timeline.php:132
#: src/Content/Conversation/Factory/Timeline.php:105
#: src/Module/Settings/Profile/Index.php:260
msgid "Personal"
msgstr ""
#: src/Content/Conversation/Factory/Timeline.php:132
#: src/Content/Conversation/Factory/Timeline.php:105
msgid "Posts that mention or involve you"
msgstr ""
#: src/Content/Conversation/Factory/Timeline.php:133 src/Object/Post.php:380
#: src/Content/Conversation/Factory/Timeline.php:106 src/Object/Post.php:380
msgid "Starred"
msgstr ""
#: src/Content/Conversation/Factory/Timeline.php:133
#: src/Content/Conversation/Factory/Timeline.php:106
msgid "Favourite Posts"
msgstr ""
@ -1769,7 +1767,7 @@ msgstr ""
msgid "Create new group"
msgstr ""
#: src/Content/Item.php:331 src/Model/Item.php:3003
#: src/Content/Item.php:331 src/Model/Item.php:3021
msgid "event"
msgstr ""
@ -1777,7 +1775,7 @@ msgstr ""
msgid "status"
msgstr ""
#: src/Content/Item.php:340 src/Model/Item.php:3005
#: src/Content/Item.php:340 src/Model/Item.php:3023
#: src/Module/Post/Tag/Add.php:123
msgid "photo"
msgstr ""
@ -1791,31 +1789,30 @@ msgstr ""
msgid "Follow Thread"
msgstr ""
#: src/Content/Item.php:429 src/Model/Contact.php:1227
#: src/Content/Item.php:429 src/Model/Contact.php:1246
msgid "View Status"
msgstr ""
#: src/Content/Item.php:430 src/Content/Item.php:451 src/Model/Contact.php:1176
#: src/Model/Contact.php:1219 src/Model/Contact.php:1228
#: src/Model/Contact.php:1237 src/Model/Contact.php:1247
#: src/Module/Directory.php:157 src/Module/Settings/Profile/Index.php:259
msgid "View Profile"
msgstr ""
#: src/Content/Item.php:431 src/Model/Contact.php:1229
#: src/Content/Item.php:431 src/Model/Contact.php:1248
msgid "View Photos"
msgstr ""
#: src/Content/Item.php:432 src/Model/Contact.php:1220
#: src/Model/Contact.php:1230
#: src/Content/Item.php:432 src/Model/Contact.php:1215
msgid "Network Posts"
msgstr ""
#: src/Content/Item.php:433 src/Model/Contact.php:1221
#: src/Model/Contact.php:1231
#: src/Content/Item.php:433 src/Model/Contact.php:1239
#: src/Model/Contact.php:1250
msgid "View Contact"
msgstr ""
#: src/Content/Item.php:434 src/Model/Contact.php:1232
#: src/Content/Item.php:434 src/Model/Contact.php:1251
msgid "Send PM"
msgstr ""
@ -1850,7 +1847,7 @@ msgid "Languages"
msgstr ""
#: src/Content/Item.php:448 src/Content/Widget.php:80
#: src/Model/Contact.php:1222 src/Model/Contact.php:1233
#: src/Model/Contact.php:1240 src/Model/Contact.php:1252
#: src/Module/Contact/Follow.php:167 view/theme/vier/theme.php:195
msgid "Connect/Follow"
msgstr ""
@ -2188,8 +2185,8 @@ msgid ""
"<a href=\"%1$s\" target=\"_blank\" rel=\"noopener noreferrer\">%2$s</a> %3$s"
msgstr ""
#: src/Content/Text/BBCode.php:940 src/Model/Item.php:3745
#: src/Model/Item.php:3751 src/Model/Item.php:3752
#: src/Content/Text/BBCode.php:939 src/Model/Item.php:3763
#: src/Model/Item.php:3769 src/Model/Item.php:3770
msgid "Link to source"
msgstr ""
@ -2221,7 +2218,7 @@ msgstr ""
msgid "The end"
msgstr ""
#: src/Content/Text/HTML.php:859 src/Content/Widget/VCard.php:116
#: src/Content/Text/HTML.php:859 src/Content/Widget/VCard.php:121
#: src/Model/Profile.php:461 src/Module/Contact/Profile.php:471
msgid "Follow"
msgstr ""
@ -2357,7 +2354,7 @@ msgstr ""
msgid "Organisations"
msgstr ""
#: src/Content/Widget.php:536 src/Model/Contact.php:1698
#: src/Content/Widget.php:536 src/Model/Contact.php:1718
msgid "News"
msgstr ""
@ -2420,17 +2417,17 @@ msgstr[1] ""
msgid "More Trending Tags"
msgstr ""
#: src/Content/Widget/VCard.php:109 src/Model/Profile.php:376
#: src/Content/Widget/VCard.php:114 src/Model/Profile.php:376
#: src/Module/Contact/Profile.php:408 src/Module/Profile/Profile.php:199
msgid "XMPP:"
msgstr ""
#: src/Content/Widget/VCard.php:110 src/Model/Profile.php:377
#: src/Content/Widget/VCard.php:115 src/Model/Profile.php:377
#: src/Module/Contact/Profile.php:410 src/Module/Profile/Profile.php:203
msgid "Matrix:"
msgstr ""
#: src/Content/Widget/VCard.php:111 src/Model/Event.php:82
#: src/Content/Widget/VCard.php:116 src/Model/Event.php:82
#: src/Model/Event.php:109 src/Model/Event.php:471 src/Model/Event.php:963
#: src/Model/Profile.php:371 src/Module/Contact/Profile.php:406
#: src/Module/Directory.php:147 src/Module/Notifications/Introductions.php:187
@ -2438,17 +2435,30 @@ msgstr ""
msgid "Location:"
msgstr ""
#: src/Content/Widget/VCard.php:114 src/Model/Profile.php:474
#: src/Content/Widget/VCard.php:119 src/Model/Profile.php:474
#: src/Module/Notifications/Introductions.php:201
msgid "Network:"
msgstr ""
#: src/Content/Widget/VCard.php:118 src/Model/Contact.php:1223
#: src/Model/Contact.php:1234 src/Model/Profile.php:463
#: src/Content/Widget/VCard.php:123 src/Model/Contact.php:1241
#: src/Model/Contact.php:1253 src/Model/Profile.php:463
#: src/Module/Contact/Profile.php:463
msgid "Unfollow"
msgstr ""
#: src/Content/Widget/VCard.php:127 src/Model/Contact.php:1205
#: src/Module/Moderation/Item/Source.php:85
msgid "Mention"
msgstr ""
#: src/Content/Widget/VCard.php:128 src/Model/Contact.php:1202
msgid "Post to group"
msgstr ""
#: src/Content/Widget/VCard.php:129 src/Model/Contact.php:1212
msgid "View group"
msgstr ""
#: src/Core/ACL.php:166 src/Module/Profile/Profile.php:269
msgid "Yourself"
msgstr ""
@ -2709,8 +2719,8 @@ msgstr ""
#: src/Core/Installer.php:511
msgid ""
"The web installer needs to be able to create a file called \"local.config.php"
"\" in the \"config\" folder of your web server and it is unable to do so."
"The web installer needs to be able to create a file called \"local.config."
"php\" in the \"config\" folder of your web server and it is unable to do so."
msgstr ""
#: src/Core/Installer.php:512
@ -2828,158 +2838,158 @@ msgstr ""
msgid "Could not connect to database."
msgstr ""
#: src/Core/L10n.php:476 src/Model/Event.php:430
#: src/Module/Settings/Display.php:262
#: src/Core/L10n.php:494 src/Model/Event.php:430
#: src/Module/Settings/Display.php:235
msgid "Monday"
msgstr ""
#: src/Core/L10n.php:476 src/Model/Event.php:431
#: src/Module/Settings/Display.php:263
#: src/Core/L10n.php:494 src/Model/Event.php:431
#: src/Module/Settings/Display.php:236
msgid "Tuesday"
msgstr ""
#: src/Core/L10n.php:476 src/Model/Event.php:432
#: src/Module/Settings/Display.php:264
#: src/Core/L10n.php:494 src/Model/Event.php:432
#: src/Module/Settings/Display.php:237
msgid "Wednesday"
msgstr ""
#: src/Core/L10n.php:476 src/Model/Event.php:433
#: src/Module/Settings/Display.php:265
#: src/Core/L10n.php:494 src/Model/Event.php:433
#: src/Module/Settings/Display.php:238
msgid "Thursday"
msgstr ""
#: src/Core/L10n.php:476 src/Model/Event.php:434
#: src/Module/Settings/Display.php:266
#: src/Core/L10n.php:494 src/Model/Event.php:434
#: src/Module/Settings/Display.php:239
msgid "Friday"
msgstr ""
#: src/Core/L10n.php:476 src/Model/Event.php:435
#: src/Module/Settings/Display.php:267
#: src/Core/L10n.php:494 src/Model/Event.php:435
#: src/Module/Settings/Display.php:240
msgid "Saturday"
msgstr ""
#: src/Core/L10n.php:476 src/Model/Event.php:429
#: src/Module/Settings/Display.php:261
#: src/Core/L10n.php:494 src/Model/Event.php:429
#: src/Module/Settings/Display.php:234
msgid "Sunday"
msgstr ""
#: src/Core/L10n.php:480 src/Model/Event.php:450
#: src/Core/L10n.php:498 src/Model/Event.php:450
msgid "January"
msgstr ""
#: src/Core/L10n.php:480 src/Model/Event.php:451
#: src/Core/L10n.php:498 src/Model/Event.php:451
msgid "February"
msgstr ""
#: src/Core/L10n.php:480 src/Model/Event.php:452
#: src/Core/L10n.php:498 src/Model/Event.php:452
msgid "March"
msgstr ""
#: src/Core/L10n.php:480 src/Model/Event.php:453
#: src/Core/L10n.php:498 src/Model/Event.php:453
msgid "April"
msgstr ""
#: src/Core/L10n.php:480 src/Core/L10n.php:499 src/Model/Event.php:441
#: src/Core/L10n.php:498 src/Core/L10n.php:517 src/Model/Event.php:441
msgid "May"
msgstr ""
#: src/Core/L10n.php:480 src/Model/Event.php:454
#: src/Core/L10n.php:498 src/Model/Event.php:454
msgid "June"
msgstr ""
#: src/Core/L10n.php:480 src/Model/Event.php:455
#: src/Core/L10n.php:498 src/Model/Event.php:455
msgid "July"
msgstr ""
#: src/Core/L10n.php:480 src/Model/Event.php:456
#: src/Core/L10n.php:498 src/Model/Event.php:456
msgid "August"
msgstr ""
#: src/Core/L10n.php:480 src/Model/Event.php:457
#: src/Core/L10n.php:498 src/Model/Event.php:457
msgid "September"
msgstr ""
#: src/Core/L10n.php:480 src/Model/Event.php:458
#: src/Core/L10n.php:498 src/Model/Event.php:458
msgid "October"
msgstr ""
#: src/Core/L10n.php:480 src/Model/Event.php:459
#: src/Core/L10n.php:498 src/Model/Event.php:459
msgid "November"
msgstr ""
#: src/Core/L10n.php:480 src/Model/Event.php:460
#: src/Core/L10n.php:498 src/Model/Event.php:460
msgid "December"
msgstr ""
#: src/Core/L10n.php:495 src/Model/Event.php:422
#: src/Core/L10n.php:513 src/Model/Event.php:422
msgid "Mon"
msgstr ""
#: src/Core/L10n.php:495 src/Model/Event.php:423
#: src/Core/L10n.php:513 src/Model/Event.php:423
msgid "Tue"
msgstr ""
#: src/Core/L10n.php:495 src/Model/Event.php:424
#: src/Core/L10n.php:513 src/Model/Event.php:424
msgid "Wed"
msgstr ""
#: src/Core/L10n.php:495 src/Model/Event.php:425
#: src/Core/L10n.php:513 src/Model/Event.php:425
msgid "Thu"
msgstr ""
#: src/Core/L10n.php:495 src/Model/Event.php:426
#: src/Core/L10n.php:513 src/Model/Event.php:426
msgid "Fri"
msgstr ""
#: src/Core/L10n.php:495 src/Model/Event.php:427
#: src/Core/L10n.php:513 src/Model/Event.php:427
msgid "Sat"
msgstr ""
#: src/Core/L10n.php:495 src/Model/Event.php:421
#: src/Core/L10n.php:513 src/Model/Event.php:421
msgid "Sun"
msgstr ""
#: src/Core/L10n.php:499 src/Model/Event.php:437
#: src/Core/L10n.php:517 src/Model/Event.php:437
msgid "Jan"
msgstr ""
#: src/Core/L10n.php:499 src/Model/Event.php:438
#: src/Core/L10n.php:517 src/Model/Event.php:438
msgid "Feb"
msgstr ""
#: src/Core/L10n.php:499 src/Model/Event.php:439
#: src/Core/L10n.php:517 src/Model/Event.php:439
msgid "Mar"
msgstr ""
#: src/Core/L10n.php:499 src/Model/Event.php:440
#: src/Core/L10n.php:517 src/Model/Event.php:440
msgid "Apr"
msgstr ""
#: src/Core/L10n.php:499 src/Model/Event.php:442
#: src/Core/L10n.php:517 src/Model/Event.php:442
msgid "Jun"
msgstr ""
#: src/Core/L10n.php:499 src/Model/Event.php:443
#: src/Core/L10n.php:517 src/Model/Event.php:443
msgid "Jul"
msgstr ""
#: src/Core/L10n.php:499 src/Model/Event.php:444
#: src/Core/L10n.php:517 src/Model/Event.php:444
msgid "Aug"
msgstr ""
#: src/Core/L10n.php:499
#: src/Core/L10n.php:517
msgid "Sep"
msgstr ""
#: src/Core/L10n.php:499 src/Model/Event.php:446
#: src/Core/L10n.php:517 src/Model/Event.php:446
msgid "Oct"
msgstr ""
#: src/Core/L10n.php:499 src/Model/Event.php:447
#: src/Core/L10n.php:517 src/Model/Event.php:447
msgid "Nov"
msgstr ""
#: src/Core/L10n.php:499 src/Model/Event.php:448
#: src/Core/L10n.php:517 src/Model/Event.php:448
msgid "Dec"
msgstr ""
@ -3197,82 +3207,82 @@ msgstr ""
msgid "Edit circles"
msgstr ""
#: src/Model/Contact.php:1240 src/Module/Moderation/Users/Pending.php:102
#: src/Model/Contact.php:1260 src/Module/Moderation/Users/Pending.php:102
#: src/Module/Notifications/Introductions.php:132
#: src/Module/Notifications/Introductions.php:204
msgid "Approve"
msgstr ""
#: src/Model/Contact.php:1694
#: src/Model/Contact.php:1714
msgid "Organisation"
msgstr ""
#: src/Model/Contact.php:1702
#: src/Model/Contact.php:1722
msgid "Group"
msgstr ""
#: src/Model/Contact.php:3005
#: src/Model/Contact.php:3025
msgid "Disallowed profile URL."
msgstr ""
#: src/Model/Contact.php:3010 src/Module/Friendica.php:101
#: src/Model/Contact.php:3030 src/Module/Friendica.php:101
msgid "Blocked domain"
msgstr ""
#: src/Model/Contact.php:3015
#: src/Model/Contact.php:3035
msgid "Connect URL missing."
msgstr ""
#: src/Model/Contact.php:3024
#: src/Model/Contact.php:3044
msgid ""
"The contact could not be added. Please check the relevant network "
"credentials in your Settings -> Social Networks page."
msgstr ""
#: src/Model/Contact.php:3042
#: src/Model/Contact.php:3062
#, php-format
msgid "Expected network %s does not match actual network %s"
msgstr ""
#: src/Model/Contact.php:3059
#: src/Model/Contact.php:3079
msgid "The profile address specified does not provide adequate information."
msgstr ""
#: src/Model/Contact.php:3061
#: src/Model/Contact.php:3081
msgid "No compatible communication protocols or feeds were discovered."
msgstr ""
#: src/Model/Contact.php:3064
#: src/Model/Contact.php:3084
msgid "An author or name was not found."
msgstr ""
#: src/Model/Contact.php:3067
#: src/Model/Contact.php:3087
msgid "No browser URL could be matched to this address."
msgstr ""
#: src/Model/Contact.php:3070
#: src/Model/Contact.php:3090
msgid ""
"Unable to match @-style Identity Address with a known protocol or email "
"contact."
msgstr ""
#: src/Model/Contact.php:3071
#: src/Model/Contact.php:3091
msgid "Use mailto: in front of address to force email check."
msgstr ""
#: src/Model/Contact.php:3077
#: src/Model/Contact.php:3097
msgid ""
"The profile address specified belongs to a network which has been disabled "
"on this site."
msgstr ""
#: src/Model/Contact.php:3082
#: src/Model/Contact.php:3102
msgid ""
"Limited profile. This person will be unable to receive direct/personal "
"notifications from you."
msgstr ""
#: src/Model/Contact.php:3148
#: src/Model/Contact.php:3168
msgid "Unable to retrieve contact information."
msgstr ""
@ -3377,81 +3387,81 @@ msgstr ""
msgid "Happy Birthday %s"
msgstr ""
#: src/Model/Item.php:2062
#: src/Model/Item.php:2080
#, php-format
msgid "Detected languages in this post:\\n%s"
msgstr ""
#: src/Model/Item.php:3007
#: src/Model/Item.php:3025
msgid "activity"
msgstr ""
#: src/Model/Item.php:3009
#: src/Model/Item.php:3027
msgid "comment"
msgstr ""
#: src/Model/Item.php:3012 src/Module/Post/Tag/Add.php:123
#: src/Model/Item.php:3030 src/Module/Post/Tag/Add.php:123
msgid "post"
msgstr ""
#: src/Model/Item.php:3182
#: src/Model/Item.php:3200
#, php-format
msgid "%s is blocked"
msgstr ""
#: src/Model/Item.php:3184
#: src/Model/Item.php:3202
#, php-format
msgid "%s is ignored"
msgstr ""
#: src/Model/Item.php:3186
#: src/Model/Item.php:3204
#, php-format
msgid "Content from %s is collapsed"
msgstr ""
#: src/Model/Item.php:3190
#: src/Model/Item.php:3208
#, php-format
msgid "Content warning: %s"
msgstr ""
#: src/Model/Item.php:3652
#: src/Model/Item.php:3670
msgid "bytes"
msgstr ""
#: src/Model/Item.php:3683
#: src/Model/Item.php:3701
#, php-format
msgid "%2$s (%3$d%%, %1$d vote)"
msgid_plural "%2$s (%3$d%%, %1$d votes)"
msgstr[0] ""
msgstr[1] ""
#: src/Model/Item.php:3685
#: src/Model/Item.php:3703
#, php-format
msgid "%2$s (%1$d vote)"
msgid_plural "%2$s (%1$d votes)"
msgstr[0] ""
msgstr[1] ""
#: src/Model/Item.php:3690
#: src/Model/Item.php:3708
#, php-format
msgid "%d voter. Poll end: %s"
msgid_plural "%d voters. Poll end: %s"
msgstr[0] ""
msgstr[1] ""
#: src/Model/Item.php:3692
#: src/Model/Item.php:3710
#, php-format
msgid "%d voter."
msgid_plural "%d voters."
msgstr[0] ""
msgstr[1] ""
#: src/Model/Item.php:3694
#: src/Model/Item.php:3712
#, php-format
msgid "Poll end: %s"
msgstr ""
#: src/Model/Item.php:3728 src/Model/Item.php:3729
#: src/Model/Item.php:3746 src/Model/Item.php:3747
msgid "View on separate page"
msgstr ""
@ -5336,9 +5346,9 @@ msgstr ""
#: src/Module/Admin/Summary.php:98
msgid ""
"The last update failed. Please run \"php bin/console.php dbstructure update"
"\" from the command line and have a look at the errors that might appear. "
"(Some of the errors are possibly inside the logfile.)"
"The last update failed. Please run \"php bin/console.php dbstructure "
"update\" from the command line and have a look at the errors that might "
"appear. (Some of the errors are possibly inside the logfile.)"
msgstr ""
#: src/Module/Admin/Summary.php:102
@ -5489,8 +5499,8 @@ msgstr ""
#, php-format
msgid ""
"Show some informations regarding the needed information to operate the node "
"according e.g. to <a href=\"%s\" target=\"_blank\" rel=\"noopener noreferrer"
"\">EU-GDPR</a>."
"according e.g. to <a href=\"%s\" target=\"_blank\" rel=\"noopener "
"noreferrer\">EU-GDPR</a>."
msgstr ""
#: src/Module/Admin/Tos.php:81
@ -5515,7 +5525,7 @@ msgstr ""
msgid "Enter your system rules here. Each line represents one rule."
msgstr ""
#: src/Module/Api/ApiResponse.php:279
#: src/Module/Api/ApiResponse.php:293
#, php-format
msgid "API endpoint %s %s is not implemented but might be in the future."
msgstr ""
@ -7984,10 +7994,6 @@ msgstr ""
msgid "URL"
msgstr ""
#: src/Module/Moderation/Item/Source.php:85
msgid "Mention"
msgstr ""
#: src/Module/Moderation/Item/Source.php:86
msgid "Implicit Mention"
msgstr ""
@ -8845,8 +8851,8 @@ msgstr ""
#: src/Module/Profile/Profile.php:158
#, php-format
msgid ""
"You're currently viewing your profile as <b>%s</b> <a href=\"%s\" class="
"\"btn btn-sm pull-right\">Cancel</a>"
"You're currently viewing your profile as <b>%s</b> <a href=\"%s\" "
"class=\"btn btn-sm pull-right\">Cancel</a>"
msgstr ""
#: src/Module/Profile/Profile.php:167
@ -9394,8 +9400,8 @@ msgstr ""
#: src/Module/Security/TwoFactor/Verify.php:100
#, php-format
msgid ""
"If you do not have access to your authentication code you can use a <a href="
"\"%s\">two-factor recovery code</a>."
"If you do not have access to your authentication code you can use a <a "
"href=\"%s\">two-factor recovery code</a>."
msgstr ""
#: src/Module/Security/TwoFactor/Verify.php:101
@ -11036,8 +11042,8 @@ msgstr ""
#: src/Module/Settings/TwoFactor/Verify.php:149
#, php-format
msgid ""
"<p>Or you can open the following URL in your mobile device:</p><p><a href="
"\"%s\">%s</a></p>"
"<p>Or you can open the following URL in your mobile device:</p><p><a "
"href=\"%s\">%s</a></p>"
msgstr ""
#: src/Module/Settings/TwoFactor/Verify.php:156
@ -11146,9 +11152,9 @@ msgstr ""
msgid ""
"At any point in time a logged in user can export their account data from the "
"<a href=\"%1$s/settings/userexport\">account settings</a>. If the user wants "
"to delete their account they can do so at <a href=\"%1$s/settings/removeme\">"
"%1$s/settings/removeme</a>. The deletion of the account will be permanent. "
"Deletion of the data will also be requested from the nodes of the "
"to delete their account they can do so at <a href=\"%1$s/settings/"
"removeme\">%1$s/settings/removeme</a>. The deletion of the account will be "
"permanent. Deletion of the data will also be requested from the nodes of the "
"communication partners."
msgstr ""

File diff suppressed because it is too large Load Diff

View File

@ -306,12 +306,6 @@ $a->strings['Public post'] = 'مشاركة علنية';
$a->strings['Message'] = 'الرسالة';
$a->strings['Browser'] = 'المتصفح';
$a->strings['Open Compose page'] = 'افتح صفحة الإنشاء';
$a->strings['Pinned item'] = 'عنصر مثبت';
$a->strings['View %s\'s profile @ %s'] = 'اعرض ملف %s الشخصي @ %s';
$a->strings['Categories:'] = 'الفئات:';
$a->strings['Filed under:'] = 'مصنف كـ:';
$a->strings['%s from %s'] = '%s من %s';
$a->strings['View in context'] = 'اعرضه في السياق';
$a->strings['remove'] = 'أزل';
$a->strings['Delete Selected Items'] = 'أزل العناصر المختارة';
$a->strings['You had been addressed (%s).'] = 'ذُكرت (%s).';
@ -323,27 +317,40 @@ $a->strings['%s is participating in this thread.'] = '%s مشترك في هذا
$a->strings['Global post'] = 'مشاركة علنية';
$a->strings['Fetched'] = 'جُلب';
$a->strings['Fetched because of %s <%s>'] = 'جُلب بسبب %s <%s>';
$a->strings['Pinned item'] = 'عنصر مثبت';
$a->strings['View %s\'s profile @ %s'] = 'اعرض ملف %s الشخصي @ %s';
$a->strings['Categories:'] = 'الفئات:';
$a->strings['Filed under:'] = 'مصنف كـ:';
$a->strings['%s from %s'] = '%s من %s';
$a->strings['View in context'] = 'اعرضه في السياق';
$a->strings['Local Community'] = 'المجتمع المحلي';
$a->strings['Posts from local users on this server'] = 'مشاركات مستخدمي هذا الخادم';
$a->strings['Global Community'] = 'المجتمع العالمي';
$a->strings['Posts from users of the whole federated network'] = 'مشركات من الشبكة الموحدة';
$a->strings['Latest Activity'] = 'آخر نشاط';
$a->strings['Sort by latest activity'] = 'رتب حسب آخر نشاط';
$a->strings['Latest Posts'] = 'آخر المشاركات';
$a->strings['Sort by post received date'] = 'رتب حسب تاريخ استلام المشاركة';
$a->strings['Personal'] = 'نشاطي';
$a->strings['Posts that mention or involve you'] = 'المشاركات التي تذكرك أو تتعلق بك';
$a->strings['Starred'] = 'المفضلة';
$a->strings['Favourite Posts'] = 'المشاركات المفضلة';
$a->strings['General Features'] = 'الميّزات العامة';
$a->strings['Photo Location'] = 'موقع الصورة';
$a->strings['Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map.'] = 'عادة ما تتم إزالة البيانات الوصفية للصور. هذا يجعل من الممكن حفظ الموقع (قبل إزالة البيانات) ووضع الصورة على الخريطة.';
$a->strings['Trending Tags'] = 'الوسوم الشائعة';
$a->strings['Show a community page widget with a list of the most popular tags in recent public posts.'] = 'أظهر ودجة صفحة المجتمع تحوي قائمة الوسوم الشائعة في المشاركات العلنية الأخيرة.';
$a->strings['Post Composition Features'] = 'ميّزات إنشاء المشاركة';
$a->strings['Auto-mention Forums'] = 'ذكر المنتديات تلقائيا';
$a->strings['Explicit Mentions'] = 'ذِكر صريح';
$a->strings['Add explicit mentions to comment box for manual control over who gets mentioned in replies.'] = 'يضيف الذِكر الصريح في صندوق التعليق مما يسمح بالتحكم اليدوي بالذِكر في التعليقات.';
$a->strings['Post/Comment Tools'] = 'أدوات النشر\التعليق';
$a->strings['Post Categories'] = 'فئات المشاركة';
$a->strings['Add categories to your posts'] = 'أضف فئات لمشاركاتك';
$a->strings['Advanced Profile Settings'] = 'إعدادات الحساب الشخصي المُتقدّمة';
$a->strings['List Forums'] = 'اسرد المنتديات';
$a->strings['Show visitors public community forums at the Advanced Profile Page'] = 'إظهار منتديات المجتمعية للزوار على صفحة الملف الشخصي المتقدمة';
$a->strings['Tag Cloud'] = 'سحابة الوسوم';
$a->strings['Provide a personal tag cloud on your profile page'] = 'إظهار سحابة وسوم في صفحة ملفك الشخصي';
$a->strings['Display Membership Date'] = 'اعرض عُمر العضوية';
$a->strings['Display membership date in profile'] = 'اعرض عُمر العضوية في الملف الشخصي';
$a->strings['Forums'] = 'المنتديات';
$a->strings['External link to forum'] = 'رابط خارجي للمنتدى';
$a->strings['show less'] = 'اعرض أقلّ';
$a->strings['show more'] = 'اعرض المزيد';
$a->strings['event'] = 'حدث';
@ -364,7 +371,6 @@ $a->strings['Connect/Follow'] = 'اقترن\تابع';
$a->strings['Nothing new here'] = 'لا جديد هنا';
$a->strings['Go back'] = 'عُد';
$a->strings['Clear notifications'] = 'امسح التنبيهات';
$a->strings['@name, !forum, #tags, content'] = '@مستخدم، !منتدى، #وسم، محتوى';
$a->strings['Logout'] = 'خروج';
$a->strings['End this session'] = 'أنه هذه الجلسة';
$a->strings['Login'] = 'لِج';
@ -459,7 +465,6 @@ $a->strings['Random Profile'] = 'ملف شخصي عشوائي';
$a->strings['Invite Friends'] = 'دعوة أصدقاء';
$a->strings['Global Directory'] = 'الدليل العالمي';
$a->strings['Local Directory'] = 'الدليل المحلي';
$a->strings['Groups'] = 'المجموعات';
$a->strings['Everyone'] = 'الجميع';
$a->strings['Relationships'] = 'العلاقات';
$a->strings['All Contacts'] = 'كل المتراسلين';
@ -600,6 +605,8 @@ $a->strings['Sep'] = 'سب';
$a->strings['Oct'] = 'أك';
$a->strings['Nov'] = 'نو';
$a->strings['Dec'] = 'دي';
$a->strings['The logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'لا يمكن استخدام ملف السجل \'\'%s\'. لا يمكن كتابة السجلات (خطأ: \'%s\')';
$a->strings['The debug logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'لا يمكن استخدام ملف السجل الخاص بالتنقيح \'%s\'. لا يمكن كتابة السجلات (خطأ: \'%s\')';
$a->strings['Friendica can\'t display this page at the moment, please contact the administrator.'] = 'لا يمكن لفرَندِيكا عرض هذه الصفحة حاليا، رجاء اتصل بالمدير.';
$a->strings['template engine cannot be registered without a name.'] = 'لا يمكن تسجيل محرك القوالب بدون اسم.';
$a->strings['template engine is not registered!'] = 'لم يسجل محرك القوالب!';
@ -644,9 +651,11 @@ $a->strings['Unauthorized'] = 'لم يخوّل';
$a->strings['Token is not authorized with a valid user or is missing a required scope'] = 'لم يُخول الرمز عبر مستخدم صالح أو يفتقر إلى حيّزٍ مطلوب';
$a->strings['Internal Server Error'] = 'خطأ داخلي في الخادم';
$a->strings['Legacy module file not found: %s'] = 'لم يُعثر على ملف الوحدة القديم: %s';
$a->strings['Everybody'] = 'الجميع';
$a->strings['edit'] = 'عدّل';
$a->strings['add'] = 'أضف';
$a->strings['Approve'] = 'موافق';
$a->strings['Organisation'] = 'منظّمة';
$a->strings['Forum'] = 'منتدى';
$a->strings['Disallowed profile URL.'] = 'رابط الملف الشخصي غير المسموح.';
$a->strings['Blocked domain'] = 'نطاق محجوب';
$a->strings['Connect URL missing.'] = 'رابط الاتصال مفقود.';
@ -678,16 +687,6 @@ $a->strings['Show map'] = 'أظهر الخريطة';
$a->strings['Hide map'] = 'اخف الخريطة';
$a->strings['%s\'s birthday'] = 'عيد ميلاد %s';
$a->strings['Happy Birthday %s'] = '%s عيد ميلاد سعيد';
$a->strings['A deleted group with this name was revived. Existing item permissions <strong>may</strong> apply to this group and any future members. If this is not what you intended, please create another group with a different name.'] = 'تم إحياء مجموعة محذوفة بهذا الاسم. أذونات العنصر الموجودة سبقًا <strong>قد</strong> تنطبق على هذه المجموعة وأي أعضاء في المستقبل. إذا حصل هذا، يرجى إنشاء مجموعة أخرى باسم مختلف.';
$a->strings['Default privacy group for new contacts'] = 'المجموعة الافتراضية للمتراسلين الجدد';
$a->strings['Everybody'] = 'الجميع';
$a->strings['edit'] = 'عدّل';
$a->strings['add'] = 'أضف';
$a->strings['Edit group'] = 'عدّل المجموعة';
$a->strings['Contacts not in any group'] = 'متراسلون لا ينتمون لأي مجموعة';
$a->strings['Create a new group'] = 'أنشئ مجموعة جديدة';
$a->strings['Group Name: '] = 'اسم المجموعة: ';
$a->strings['Edit groups'] = 'عدّل المجموعات';
$a->strings['Detected languages in this post:\n%s'] = 'اللغات المكتشفة في هذه المشاركة:\n%s';
$a->strings['activity'] = 'النشاط';
$a->strings['comment'] = 'تعليق';
@ -770,7 +769,6 @@ $a->strings['Nickname is already registered. Please choose another.'] = 'هذا
$a->strings['An error occurred during registration. Please try again.'] = 'حدث خطأ أثناء التسجيل، رجاء حاول مرة أخرى.';
$a->strings['An error occurred creating your default profile. Please try again.'] = 'حدث خطأ أثناء إنشاء الملف الشخصي الافتراضي، رجاء حاول مرة أخرى.';
$a->strings['Friends'] = 'الأصدقاء';
$a->strings['An error occurred creating your default contact group. Please try again.'] = 'حدث خطأ أثناء إنشاء مجموعة المتراسلين الافتراضية، رجاء حاول مرة أخرى.';
$a->strings['Profile Photos'] = 'صور الملف الشخصي';
$a->strings['
Dear %1$s,
@ -957,7 +955,6 @@ $a->strings['Enabling this may violate privacy laws like the GDPR'] = 'تفعي
$a->strings['Global directory URL'] = 'رابط الدليل العالمي';
$a->strings['URL to the global directory. If this is not set, the global directory is completely unavailable to the application.'] = 'رابط الدليل العالمي. إذا لم يتم تعريف هذا الحقل ، فلن يكون الدليل العام متاحًا.';
$a->strings['Private posts by default for new users'] = 'جعل المشاركات خاصة للمستخدمين الجدد افتراضيًا';
$a->strings['Set default post permissions for all new members to the default privacy group rather than public.'] = 'تعيين أذونات النشر الافتراضية لجميع الأعضاء الجدد إلى خاصة بدل العلنية.';
$a->strings['Don\'t include post content in email notifications'] = 'لا تضمن محتويات المشاركات في تنبيهات البريد الإلكتروني';
$a->strings['Don\'t include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure.'] = 'لا تضمن محتوى المشركات/التعليقات/الرسائل الخاصة/إلخ في تنبيهات البريد الإلكتروني المرسلة من هذا الموقع، كتدبير لحماية الخصوصية.';
$a->strings['Disallow public access to addons listed in the apps menu.'] = 'لا تسمح بالوصول العلني للإضافات المدرجة في قائمة التطبيقات.';
@ -1043,8 +1040,6 @@ $a->strings['The database update failed. Please run "php bin/console.php dbstruc
$a->strings['The last update failed. Please run "php bin/console.php dbstructure update" from the command line and have a look at the errors that might appear. (Some of the errors are possibly inside the logfile.)'] = 'فشل آخر تحديث لقاعدة البيانات. رجاءً شغّل أمر "php bin/console.php dbstructure update" من سطر الأوامر وألق نظرة على الأخطاء التي قد تظهر. (قد تجد بعض الأخطاء في ملف السجل)';
$a->strings['The worker was never executed. Please check your database structure!'] = 'لم يتم تنفيذ المهمة أبداً. يرجى التحقق من بنية قاعدة البيانات!';
$a->strings['The last worker execution was on %s UTC. This is older than one hour. Please check your crontab settings.'] = 'تنفيذ آخر مهمة كان على %s UTC. هذا أقدم من ساعة. يرجى التحقق من إعدادات crontab.';
$a->strings['The logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'لا يمكن استخدام ملف السجل \'\'%s\'. لا يمكن كتابة السجلات (خطأ: \'%s\')';
$a->strings['The debug logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'لا يمكن استخدام ملف السجل الخاص بالتنقيح \'%s\'. لا يمكن كتابة السجلات (خطأ: \'%s\')';
$a->strings['Message queues'] = 'طوابير الرسائل';
$a->strings['Server Settings'] = 'إعدادات الخادم';
$a->strings['Version'] = 'الإصدار';
@ -1117,7 +1112,6 @@ $a->strings['Scheduled Posts'] = 'المشاركات المبرمجة';
$a->strings['Posts that are scheduled for publishing'] = 'المشاركات المقرر نشرها';
$a->strings['Tips for New Members'] = 'تلميحات للأعضاء الجدد';
$a->strings['People Search - %s'] = 'البحث عن أشخاص - %s';
$a->strings['Forum Search - %s'] = 'البحث عن منتديات - %s';
$a->strings['No matches'] = 'لا تطابق';
$a->strings['Account'] = 'الحساب';
$a->strings['Two-factor authentication'] = 'الاستيثاق بعاملَيْن';
@ -1146,6 +1140,13 @@ $a->strings['Events'] = 'الأحداث';
$a->strings['View'] = 'اعرض';
$a->strings['Create New Event'] = 'أنشئ حدثاً جديدًا';
$a->strings['list'] = 'قائمة';
$a->strings['Contact not found.'] = 'لم يُعثر على المتراسل.';
$a->strings['Invalid contact.'] = 'متراسل غير صالح.';
$a->strings['Contact is deleted.'] = 'حُذف المتراسل.';
$a->strings['Bad request.'] = 'طلب خاطئ.';
$a->strings['Filter'] = 'رشّح';
$a->strings['Members'] = 'الأعضاء';
$a->strings['Click on a contact to add or remove.'] = 'أنقر على المتراسل لإضافته أو حذفه.';
$a->strings['%d contact edited.'] = [
0 => 'لم يحُرر أي متراسل %d.',
1 => 'حُرر متراسل واحد %d.',
@ -1165,7 +1166,6 @@ $a->strings['Archived'] = 'مؤرشف';
$a->strings['Only show archived contacts'] = 'أظهِر المتراسلين المؤرشفين فقط';
$a->strings['Hidden'] = '‮مخفي';
$a->strings['Only show hidden contacts'] = 'أظهِر المتراسلين المخفيين فقط';
$a->strings['Organize your contact groups'] = 'نظّم مجموعات متراسليك';
$a->strings['Search your contacts'] = 'ابحث في متراسليك';
$a->strings['Results for: %s'] = 'نتائج: %s';
$a->strings['Update'] = 'حدّث';
@ -1183,7 +1183,6 @@ $a->strings['you are a fan of'] = 'أنت معجب';
$a->strings['Pending outgoing contact request'] = 'طلب تراسل صادر معلق';
$a->strings['Pending incoming contact request'] = 'طلب تراسل وارد معلق';
$a->strings['Visit %s\'s profile [%s]'] = 'زر ملف %s الشخصي [%s]';
$a->strings['Contact not found.'] = 'لم يُعثر على المتراسل.';
$a->strings['Contact update failed.'] = 'فشل تحديث المتراسل.';
$a->strings['Return to contact editor'] = 'عُد لمحرر المتراسلين';
$a->strings['Name'] = 'الاسم';
@ -1191,7 +1190,6 @@ $a->strings['Account Nickname'] = 'لقب الحساب';
$a->strings['Account URL'] = 'رابط الحساب';
$a->strings['Poll/Feed URL'] = 'رابط استطلاع/تغذية';
$a->strings['New photo from this URL'] = 'صورة من هذا الرابط';
$a->strings['Invalid contact.'] = 'متراسل غير صالح.';
$a->strings['No known contacts.'] = 'لا يوجد متراسل معروف.';
$a->strings['No common contacts.'] = 'لا متراسلين مشترَكين.';
$a->strings['Follower (%s)'] = [
@ -1303,7 +1301,6 @@ $a->strings['Revoke Follow'] = 'أبطل المتابعة';
$a->strings['Revoke the follow from this contact'] = 'أبطل المتابعة من هذا المتراسل';
$a->strings['Bad Request.'] = 'طلب خاطئ.';
$a->strings['Unknown contact.'] = 'متراسل مجهول.';
$a->strings['Contact is deleted.'] = 'حُذف المتراسل.';
$a->strings['Contact is being deleted.'] = 'المتراسل يحذف.';
$a->strings['Follow was successfully revoked.'] = 'نجح إبطال المتابعة.';
$a->strings['Do you really want to revoke this contact\'s follow? This cannot be undone and they will have to manually follow you back again.'] = 'هل تريد إلغاء متابعة هذا المتراسل لك؟ لا يمكن التراجع عن هذا الإجراء وسيتحتم عليهم متابعتك يدوياً.';
@ -1314,26 +1311,12 @@ $a->strings['Unfollowing is currently not supported by your network.'] = 'شبك
$a->strings['Disconnect/Unfollow'] = 'ألغ الاقتران/المتابعة';
$a->strings['Contact was successfully unfollowed'] = 'نجح إلغاء متابعة المتراسل';
$a->strings['Unable to unfollow this contact, please contact your administrator'] = 'يتعذر إلغاء متابعة هذا المتراسل، يرجى الاتصال بمدير الموقع';
$a->strings['No results.'] = 'لا نتائج.';
$a->strings['This community stream shows all public posts received by this node. They may not reflect the opinions of this nodes users.'] = 'يسرد هذا الدفق المجتمعي كافة المحادثات العامة التي يتلقاها الخادم. هذا لا يمثل الآراء الشخصية للمستخدمين المحليين.';
$a->strings['Local Community'] = 'المجتمع المحلي';
$a->strings['Posts from local users on this server'] = 'مشاركات مستخدمي هذا الخادم';
$a->strings['Global Community'] = 'المجتمع العالمي';
$a->strings['Posts from users of the whole federated network'] = 'مشركات من الشبكة الموحدة';
$a->strings['Not available.'] = 'غير متاح.';
$a->strings['Own Contacts'] = 'مشاركات متراسليك';
$a->strings['Include'] = 'تضمين';
$a->strings['Hide'] = 'اخف';
$a->strings['No results.'] = 'لا نتائج.';
$a->strings['Not available.'] = 'غير متاح.';
$a->strings['No such group'] = 'لا توجد مثل هذه المجموعة';
$a->strings['Group: %s'] = 'المجموعة: %s';
$a->strings['Latest Activity'] = 'آخر نشاط';
$a->strings['Sort by latest activity'] = 'رتب حسب آخر نشاط';
$a->strings['Latest Posts'] = 'آخر المشاركات';
$a->strings['Sort by post received date'] = 'رتب حسب تاريخ استلام المشاركة';
$a->strings['Personal'] = 'نشاطي';
$a->strings['Posts that mention or involve you'] = 'المشاركات التي تذكرك أو تتعلق بك';
$a->strings['Starred'] = 'المفضلة';
$a->strings['Favourite Posts'] = 'المشاركات المفضلة';
$a->strings['Credits'] = 'إشادات';
$a->strings['Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!'] = 'فرَندِكا هي مشروع مجتمعي، لم يكن ممكنا بدون مساعدة العديد من الناس. إليك قائمة بأولئك الذين ساهموا في الشفرة البرمجية أو في الترجمة. شكرا لكم جميعا!';
$a->strings['Formatted'] = 'مهيأ';
@ -1418,26 +1401,6 @@ $a->strings['Please visit <a href="https://friendi.ca">Friendi.ca</a> to learn m
$a->strings['Bug reports and issues: please visit'] = 'لبلاغات العلل والمشاكل: زر';
$a->strings['the bugtracker at github'] = 'متعقب العلل على غيت-هب';
$a->strings['Suggestions, praise, etc. - please email "info" at "friendi - dot - ca'] = 'للاقتراحات، أو الإشادة ، إلخ.- رجاءً راسل "info" at "friendi - dot - ca';
$a->strings['Could not create group.'] = 'تعذّر إنشاء المجموعة.';
$a->strings['Group not found.'] = 'لم يُعثر على المجموعة.';
$a->strings['Group name was not changed.'] = 'لم يُغير اسم المجموعة.';
$a->strings['Unknown group.'] = 'مجموعة مجهولة.';
$a->strings['Unable to add the contact to the group.'] = 'تعذرت إضافة المتراسل إلى المجموعة.';
$a->strings['Contact successfully added to group.'] = 'أُضيف المتراسل الى المجموعة بنجاح.';
$a->strings['Unable to remove the contact from the group.'] = 'تعذرت إزالة المتراسل من المجموعة.';
$a->strings['Contact successfully removed from group.'] = 'أُزيل المتراسل من المجموعة بنجاح.';
$a->strings['Bad request.'] = 'طلب خاطئ.';
$a->strings['Save Group'] = 'احفظ المجموعة';
$a->strings['Filter'] = 'رشّح';
$a->strings['Create a group of contacts/friends.'] = 'أنشئ مجموعة من المتراسلين/الأصدقاء.';
$a->strings['Unable to remove group.'] = 'تعذر حذف المجموعة.';
$a->strings['Delete Group'] = 'احذف المجموعة';
$a->strings['Edit Group Name'] = 'عدّل اسم المجموعة';
$a->strings['Members'] = 'الأعضاء';
$a->strings['Group is empty'] = 'المجموعة فارغة';
$a->strings['Remove contact from group'] = 'احذف المتراسل من المجموعة';
$a->strings['Click on a contact to add or remove.'] = 'أنقر على المتراسل لإضافته أو حذفه.';
$a->strings['Add contact to group'] = 'أضف المتراسل لمجموعة';
$a->strings['No profile'] = 'لا ملفًا شخصيًا';
$a->strings['Method Not Allowed.'] = 'الطريقة غير مسموح بها.';
$a->strings['Help:'] = 'مساعدة:';
@ -1497,7 +1460,6 @@ $a->strings['Compose new post'] = 'أنشئ مشاركة جديدة';
$a->strings['Visibility'] = 'الظّهور';
$a->strings['Clear the location'] = 'امسح الموقع الجغرافي';
$a->strings['Location services are unavailable on your device'] = 'خدمات الموقع الجغرافي غير متاحة على جهازك';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'العنصر غير موجود أو حُذف.';
$a->strings['The feed for this item is unavailable.'] = 'تغذية هذا العنصر غير متوفرة.';
$a->strings['Unable to follow this item.'] = 'تتعذر متابعة هذا العنصر.';
$a->strings['System down for maintenance'] = 'النظام مغلق للصيانة';
@ -1510,7 +1472,6 @@ $a->strings['Or - did you try to upload an empty file?'] = 'أو - هل حاول
$a->strings['File exceeds size limit of %s'] = 'تجاوز الملف الحد الأقصى للحجم وهو %s';
$a->strings['File upload failed.'] = 'فشل رفع الملف.';
$a->strings['Unable to process image.'] = 'تعذرت معالجة الصورة.';
$a->strings['Image exceeds size limit of %s'] = 'تجاوزت الصورة الحد الأقصى للحجم وهو %s';
$a->strings['Image upload failed.'] = 'فشل رفع الصورة.';
$a->strings['List of all users'] = 'قائمة المستخدمين';
$a->strings['Active'] = 'نشط';
@ -1521,13 +1482,10 @@ $a->strings['Deleted'] = 'حُذف';
$a->strings['List of pending user deletions'] = 'قائمة الحذف المعلق للمستخدمين';
$a->strings['Normal Account Page'] = 'صفحة حساب عادي';
$a->strings['Soapbox Page'] = 'صفحة سياسي';
$a->strings['Public Forum'] = 'منتدى عمومي';
$a->strings['Automatic Friend Page'] = 'صفحة اشترك تلقائي';
$a->strings['Private Forum'] = 'منتدى خاص';
$a->strings['Personal Page'] = 'صفحة شخصية';
$a->strings['Organisation Page'] = 'صفحة منظمة';
$a->strings['News Page'] = 'صفحة إخبارية';
$a->strings['Community Forum'] = 'منتدى مجتمعي';
$a->strings['Relay'] = 'مُرحِل';
$a->strings['%s contact unblocked'] = [
0 => 'لم يُرفع الحجب عن مستخدم %s',
@ -1616,9 +1574,7 @@ $a->strings['Mention'] = 'ذكر';
$a->strings['Implicit Mention'] = 'ذِكر صريح';
$a->strings['Item not found'] = 'لم يُعثر على العنصر';
$a->strings['Normal Account'] = 'حساب عادي';
$a->strings['Public Forum Account'] = 'حساب منتدى عمومي';
$a->strings['Blog Account'] = 'حساب مدونة';
$a->strings['Private Forum Account'] = 'حساب منتدى خاص';
$a->strings['Registered users'] = 'الأعضاء المسجلون';
$a->strings['Pending registrations'] = 'التسجيلات المعلقة';
$a->strings['%s user blocked'] = [
@ -1744,6 +1700,7 @@ $a->strings['No contacts.'] = 'لا متراسلين.';
$a->strings['%s\'s timeline'] = 'الخط الزمني لـ %s';
$a->strings['%s\'s posts'] = 'مشاركات %s';
$a->strings['%s\'s comments'] = 'تعليقات %s';
$a->strings['Image exceeds size limit of %s'] = 'تجاوزت الصورة الحد الأقصى للحجم وهو %s';
$a->strings['Image upload didn\'t complete, please try again'] = 'لم يكتمل رفع الصورة، من فضلك أعد المحاولة';
$a->strings['Image file is missing'] = 'ملف الصورة مفقود';
$a->strings['Server can\'t accept new file upload at this time, please contact your administrator'] = 'الخادم لا يقبل رفع ملفات جديدة، يرجى التواصل مع مدير الموقع';
@ -1766,7 +1723,6 @@ $a->strings['%d year old'] = [
5 => '%d سنة',
];
$a->strings['Description:'] = 'الوصف:';
$a->strings['Forums:'] = 'المنتديات:';
$a->strings['View profile as:'] = 'اعرض الملف الشخصي ك:';
$a->strings['View as'] = 'اعرض ك';
$a->strings['Profile unavailable.'] = 'الملف الشخصي غير متوفر.';
@ -1851,7 +1807,6 @@ $a->strings['Importing Contacts done'] = 'أُستورد المتراسلون';
$a->strings['Relocate message has been send to your contacts'] = 'أُرسلت رسالة تنبيه بانتقالك إلى متراسليك';
$a->strings['Unable to find your profile. Please contact your admin.'] = 'تعذر العثور على ملفك الشخصي. من فضلك اتصال بالمدير.';
$a->strings['Personal Page Subtypes'] = 'الأنواع الفرعية للصفحة الشخصية';
$a->strings['Community Forum Subtypes'] = 'الأنواع الفرعية للمنتدى المجتمعي';
$a->strings['Account for a personal profile.'] = 'حساب ملف شخصي خاص.';
$a->strings['Account for an organisation that automatically approves contact requests as "Followers".'] = 'حساب المنظمة يوافق تلقائياً على طلبات المراسلة "كمتابعين".';
$a->strings['Account for a news reflector that automatically approves contact requests as "Followers".'] = 'حساب إخباري يوافق تلقائياً على طلبات المراسلة "كمتابعين".';
@ -1860,7 +1815,6 @@ $a->strings['Account for a regular personal profile that requires manual approva
$a->strings['Account for a public profile that automatically approves contact requests as "Followers".'] = 'حساب شخصي علني يوافق تلقائياً على طلبات المراسلة "كمتابعين".';
$a->strings['Automatically approves all contact requests.'] = 'يوافق تلقائياً على جميع طلبات المراسلة.';
$a->strings['Account for a popular profile that automatically approves contact requests as "Friends".'] = 'حساب ملف شخصي لمشهور يوافق تلقائياً على طلبات المراسلة كـ"أصدقاء".';
$a->strings['Private Forum [Experimental]'] = 'منتدى خاص [تجريبي]';
$a->strings['Requires manual approval of contact requests.'] = 'يتطلب الموافقة اليدوية على طلبات المراسلة.';
$a->strings['OpenID:'] = 'OpenID:';
$a->strings['(Optional) Allow this OpenID to login to this account.'] = '(اختياري) اسمح لمعرف OpenID بالولوج إلى هذا الحساب.';
@ -1875,6 +1829,7 @@ $a->strings['Password:'] = 'كلمة المرور:';
$a->strings['Your current password to confirm the changes of the email address'] = 'اكتب كلمة المرور الحالية لتأكيد تغيير بريدك الإلكتروني';
$a->strings['Delete OpenID URL'] = 'احذف معرف OpenID';
$a->strings['Basic Settings'] = 'الإعدادات الأساسيّة';
$a->strings['Display name:'] = 'الاسم العلني:';
$a->strings['Email Address:'] = 'البريد الإلكتروني:';
$a->strings['Your Timezone:'] = 'المنطقة الزمنية:';
$a->strings['Your Language:'] = 'لغتك:';
@ -2016,7 +1971,6 @@ $a->strings['Beginning of week:'] = 'بداية الأسبوع:';
$a->strings['Additional Features'] = 'ميزات إضافية';
$a->strings['Connected Apps'] = 'التطبيقات المتصلة';
$a->strings['Remove authorization'] = 'أزل التخويل';
$a->strings['Profile Name is required.'] = 'اسم الملف الشخصي مطلوب.';
$a->strings['Profile couldn\'t be updated.'] = 'تعذر تحديث الملف الشخصي.';
$a->strings['Label:'] = 'التسمية:';
$a->strings['Value:'] = 'القيمة:';
@ -2031,7 +1985,6 @@ $a->strings['Location'] = 'الموقع';
$a->strings['Miscellaneous'] = 'متنوّع';
$a->strings['Custom Profile Fields'] = 'حقول مخصصة للملف الشخصي';
$a->strings['Upload Profile Photo'] = 'ارفع صورة الملف الشخصي';
$a->strings['Display name:'] = 'الاسم العلني:';
$a->strings['Street Address:'] = 'عنوان الشارع:';
$a->strings['Locality/City:'] = 'المدينة:';
$a->strings['Region/State:'] = 'الولاية:';
@ -2046,15 +1999,6 @@ $a->strings['Public Keywords:'] = 'الكلمات المفتاحية العلن
$a->strings['(Used for suggesting potential friends, can be seen by others)'] = '(يستخدم لاقتراح أصدقاء، يمكن للآخرين رؤيتهم)';
$a->strings['Private Keywords:'] = 'الكلمات المفتاحية الخاصة:';
$a->strings['(Used for searching profiles, never shown to others)'] = '(يستخدم للبحث عن ملفات الشخصية، لا يظهر للآخرين)';
$a->strings['<p>Custom fields appear on <a href="%s">your profile page</a>.</p>
<p>You can use BBCodes in the field values.</p>
<p>Reorder by dragging the field title.</p>
<p>Empty the label field to remove a custom field.</p>
<p>Non-public fields can only be seen by the selected Friendica contacts or the Friendica contacts in the selected groups.</p>'] = '<p>الحقول المخصصة تظهر في <a href="%s">صفحة ملفك الشخصي</a>.</p>
<p>يمكنك استخدام رموز BBCCode في حقول القيم.</p>
<p>أعد الترتيب بسحب عنوان الحقل.</p>
<p>أفرغ حقل التسمية لإزالة الحقل مخصص.</p>
<p>لن يتمكن إلاّ المتراسلين المختارين والمجموعات المختارة من رؤية الحقول غير العلنية.</p>';
$a->strings['Image size reduction [%s] failed.'] = 'فشل تقليص حجم الصورة [%s].';
$a->strings['Shift-reload the page or clear browser cache if the new photo does not display immediately.'] = 'إذا لم تظهر الصورة الجديدة أعد تحميل الصفحة مع الضغط على مفتاح Shift، أو امسح ذاكرة التخزين المؤقت للمتصفح.';
$a->strings['Unable to process image'] = 'تعذرت معالجة الصورة';
@ -2148,6 +2092,7 @@ $a->strings['Export your account info, contacts and all your items as json. Coul
$a->strings['Export Contacts to CSV'] = 'صدّر المتراسلين الى ملف CSV';
$a->strings['Export the list of the accounts you are following as CSV file. Compatible to e.g. Mastodon.'] = 'صدّر قائمة الحسابات المتابَعة إلى ملف csv. هذا الملف متوافق مع ماستدون.';
$a->strings['Privacy Statement'] = 'بيان الخصوصية';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'العنصر غير موجود أو حُذف.';
$a->strings['User imports on closed servers can only be done by an administrator.'] = 'يمكن للمدراء فقط استيراد المستخدمين في الخوادم المغلقة.';
$a->strings['Move account'] = 'أنقل الحساب';
$a->strings['You can import an account from another Friendica server.'] = 'يمكنك استيراد حساب من خادم فرَندِكا آخر.';
@ -2188,8 +2133,6 @@ $a->strings['Go to Your Site\'s Directory'] = 'انتقل إلى دليل موق
$a->strings['The Directory page lets you find other people in this network or other federated sites. Look for a <em>Connect</em> or <em>Follow</em> link on their profile page. Provide your own Identity Address if requested.'] = 'تتيح لك صفحة الدليل العثور على أشخاص آخرين في هذه الشبكة أو عبر الشبكة الموحدة. ابحث عن رابط <em>اتصل</em> أو <em>تابع</em> في صفحة ملفهم الشخصي. قدم عنوان معرفك إذا طلب منك.';
$a->strings['Finding New People'] = 'إيجاد أشخاص جدد';
$a->strings['On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours.'] = 'في الشريط الجانبي لصفحة المتراسلين يمكنك للعثور على عدة طرق للعثور على أصدقاء جدد. يمكننا مطابقة الأشخاص بناءً على اهتماماتهم، والبحث عن الأصدقاء بالاسم أو الاهتمام، وتقديم اقتراحات بناءً على هيكلية الشبكة. على موقع جديد تمامًا، يجب أن تبدأ اقتراحات الاشتراك في الظهور بعد 24 ساعة.';
$a->strings['Group Your Contacts'] = 'نظّم متراسليك في مجموعات';
$a->strings['Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page.'] = 'بمجرد حصولك على عدد من الأصدقاء ،نظمهم في مجموعات محادثة خاصة من الشريط الجانبي لصفحة المتراسلين. بهذا يمكنك التفاعل مع كل مجموعة على حدى من خلال صفحة الشبكة.';
$a->strings['Why Aren\'t My Posts Public?'] = 'لماذا لا تنشر مشاركاتي للعموم؟';
$a->strings['Friendica respects your privacy. By default, your posts will only show up to people you\'ve added as friends. For more information, see the help section from the link above.'] = 'فرَندِكا تحترم خصوصيتك. ولهذا افتراضيا ستظهر مشاركاتك لأصدقائك فقط. للمزيد من المعلومات راجع قسم المساعدة عبر الرابط أعلاه.';
$a->strings['Getting Help'] = 'الحصول على مساعدة';
@ -2420,7 +2363,6 @@ $a->strings['Center'] = 'وسط';
$a->strings['Color scheme'] = 'مخططات اللَّون';
$a->strings['Posts font size'] = 'حجم خط المشاركة';
$a->strings['Textareas font size'] = 'حجم خط مساحة النص';
$a->strings['Comma separated list of helper forums'] = 'قائمة مقسمة بفاصلة لمنتديات الدعم';
$a->strings['don\'t show'] = 'لا تعرض';
$a->strings['show'] = 'اعرض';
$a->strings['Set style'] = 'عيّن أسلوبًا';

File diff suppressed because it is too large Load Diff

View File

@ -96,8 +96,6 @@ $a->strings['Password update failed. Please try again.'] = 'Парола акт
$a->strings['Password changed.'] = 'Парола промени.';
$a->strings['Email'] = 'Е-поща';
$a->strings['Diaspora'] = 'Диаспора';
$a->strings['%s likes this.'] = '%s харесва това.';
$a->strings['%s doesn\'t like this.'] = '%s не харесва това.';
$a->strings['and'] = 'и';
$a->strings['Visible to <strong>everybody</strong>'] = 'Видим <strong> всички </ strong>';
$a->strings['Tag term:'] = 'Tag термин:';
@ -125,13 +123,17 @@ $a->strings['Permission settings'] = 'Настройките за достъп';
$a->strings['Public post'] = 'Обществена длъжност';
$a->strings['Message'] = 'Съобщение';
$a->strings['Browser'] = 'Браузър';
$a->strings['remove'] = 'Премахване';
$a->strings['Delete Selected Items'] = 'Изтриване на избраните елементи';
$a->strings['View %s\'s profile @ %s'] = 'Преглед профила на %s в %s';
$a->strings['Categories:'] = 'Категории:';
$a->strings['Filed under:'] = 'Записано в:';
$a->strings['%s from %s'] = '%s от %s';
$a->strings['View in context'] = 'Поглед в контекста';
$a->strings['remove'] = 'Премахване';
$a->strings['Delete Selected Items'] = 'Изтриване на избраните елементи';
$a->strings['Personal'] = 'Лично';
$a->strings['Posts that mention or involve you'] = 'Мнения, които споменават или включват';
$a->strings['Starred'] = 'Със звезда';
$a->strings['Favourite Posts'] = 'Любими Мнения';
$a->strings['show more'] = 'покажи още';
$a->strings['event'] = 'събитието.';
$a->strings['status'] = 'статус';
@ -215,7 +217,6 @@ $a->strings['Random Profile'] = 'Случайна Профил';
$a->strings['Invite Friends'] = 'Покани приятели';
$a->strings['Global Directory'] = 'Глобален справочник';
$a->strings['Local Directory'] = 'Локалната директория';
$a->strings['Groups'] = 'Групи';
$a->strings['All Contacts'] = 'Всички Контакти';
$a->strings['Saved Folders'] = 'Записани папки';
$a->strings['Everything'] = 'Всичко';
@ -273,6 +274,9 @@ $a->strings['October'] = 'октомври';
$a->strings['November'] = 'ноември';
$a->strings['December'] = 'декември';
$a->strings['Update %s failed. See error logs.'] = 'Актуализация %s не успя. Виж логовете за грешки.';
$a->strings['Everybody'] = 'Всички';
$a->strings['edit'] = 'редактиране';
$a->strings['add'] = 'добави';
$a->strings['Approve'] = 'Одобряване';
$a->strings['Disallowed profile URL.'] = 'Отхвърлен профила URL.';
$a->strings['Connect URL missing.'] = 'Свързване URL липсва.';
@ -295,15 +299,6 @@ $a->strings['l, F j'] = 'л, F J';
$a->strings['Edit event'] = 'Редактиране на Събитието';
$a->strings['l F d, Y \@ g:i A'] = 'L F г, Y \ @ G: I A';
$a->strings['Happy Birthday %s'] = 'Честит рожден ден, %s!';
$a->strings['A deleted group with this name was revived. Existing item permissions <strong>may</strong> apply to this group and any future members. If this is not what you intended, please create another group with a different name.'] = 'Изтрита група с това име се възражда. Съществуващ елемент от разрешения <strong> май </ STRONG> се прилагат към тази група и всички бъдещи членове. Ако това не е това, което сте възнамерявали, моля да се създаде друга група с различно име.';
$a->strings['Default privacy group for new contacts'] = 'Неприкосновеността на личния живот на група по подразбиране за нови контакти';
$a->strings['Everybody'] = 'Всички';
$a->strings['edit'] = 'редактиране';
$a->strings['add'] = 'добави';
$a->strings['Edit group'] = 'Редактиране на групата';
$a->strings['Contacts not in any group'] = 'Контакти, не във всяка група';
$a->strings['Create a new group'] = 'Създайте нова група';
$a->strings['Group Name: '] = 'Име на група: ';
$a->strings['activity'] = 'дейност';
$a->strings['post'] = 'след';
$a->strings['bytes'] = 'байта';
@ -447,6 +442,10 @@ $a->strings['Event Finishes:'] = 'Събитие играчи:';
$a->strings['Share this event'] = 'Споделете това събитие';
$a->strings['Events'] = 'Събития';
$a->strings['Create New Event'] = 'Създаване на нов събитие';
$a->strings['Contact not found.'] = 'Контактът не е намерен.';
$a->strings['Invalid contact.'] = 'Невалиден свържете.';
$a->strings['Members'] = 'Членове';
$a->strings['Click on a contact to add or remove.'] = 'Щракнете върху контакт, за да добавите или премахнете.';
$a->strings['Show all contacts'] = 'Покажи на всички контакти';
$a->strings['Blocked'] = 'Блокиран';
$a->strings['Only show blocked contacts'] = 'Покажи само Блокираните контакти';
@ -465,7 +464,6 @@ $a->strings['Mutual Friendship'] = 'Взаимното приятелство';
$a->strings['is a fan of yours'] = 'е фенка';
$a->strings['you are a fan of'] = 'Вие сте фен на';
$a->strings['Visit %s\'s profile [%s]'] = 'Посетете %s Профилът на [ %s ]';
$a->strings['Contact not found.'] = 'Контактът не е намерен.';
$a->strings['Contact update failed.'] = 'Свържете се актуализира провали.';
$a->strings['Return to contact editor'] = 'Назад, за да се свържете с редактор';
$a->strings['Name'] = 'Име';
@ -473,7 +471,6 @@ $a->strings['Account Nickname'] = 'Сметка Псевдоним';
$a->strings['Account URL'] = 'Сметка URL';
$a->strings['Poll/Feed URL'] = 'Анкета / URL Feed';
$a->strings['New photo from this URL'] = 'Нова снимка от този адрес';
$a->strings['Invalid contact.'] = 'Невалиден свържете.';
$a->strings['Access denied.'] = 'Отказан достъп.';
$a->strings['Submit Request'] = 'Изпращане на заявката';
$a->strings['Please answer the following:'] = 'Моля отговорете на следните:';
@ -516,11 +513,6 @@ $a->strings['Yes'] = 'Yes';
$a->strings['No suggestions available. If this is a new site, please try again in 24 hours.'] = 'Няма предложения. Ако това е нов сайт, моля опитайте отново в рамките на 24 часа.';
$a->strings['No results.'] = 'Няма резултати.';
$a->strings['Not available.'] = 'Няма налични';
$a->strings['No such group'] = 'Няма такава група';
$a->strings['Personal'] = 'Лично';
$a->strings['Posts that mention or involve you'] = 'Мнения, които споменават или включват';
$a->strings['Starred'] = 'Със звезда';
$a->strings['Favourite Posts'] = 'Любими Мнения';
$a->strings['Time Conversion'] = 'Време за преобразуване';
$a->strings['UTC time: %s'] = 'UTC време: %s';
$a->strings['Current timezone: %s'] = 'Текуща часова зона: %s';
@ -536,13 +528,6 @@ $a->strings['Friend suggestion sent.'] = 'Предложението за при
$a->strings['Suggest Friends'] = 'Предлагане на приятели';
$a->strings['Suggest a friend for %s'] = 'Предлагане на приятел за %s';
$a->strings['Bug reports and issues: please visit'] = 'Доклади за грешки и проблеми: моля посетете';
$a->strings['Could not create group.'] = 'Не може да се създаде група.';
$a->strings['Group not found.'] = 'Групата не е намерен.';
$a->strings['Create a group of contacts/friends.'] = 'Създаване на група от контакти / приятели.';
$a->strings['Unable to remove group.'] = 'Не може да премахнете група.';
$a->strings['Members'] = 'Членове';
$a->strings['Group is empty'] = 'Групата е празна';
$a->strings['Click on a contact to add or remove.'] = 'Щракнете върху контакт, за да добавите или премахнете.';
$a->strings['No profile'] = 'Няма профил';
$a->strings['Help:'] = 'Помощ';
$a->strings['Welcome to %s'] = 'Добре дошли %s';
@ -661,7 +646,6 @@ $a->strings['Website Privacy Policy'] = 'Политика за поверите
$a->strings['privacy policy'] = 'политика за поверителност';
$a->strings['Logged out.'] = 'Изход';
$a->strings['Current Password:'] = 'Текуща парола:';
$a->strings['Private Forum [Experimental]'] = 'Частен форум [експериментална]';
$a->strings['OpenID:'] = 'OpenID:';
$a->strings['(Optional) Allow this OpenID to login to this account.'] = '(По избор) позволяват това OpenID, за да влезете в тази сметка.';
$a->strings['Account Settings'] = 'Настройки на профила';
@ -723,7 +707,6 @@ $a->strings['Update browser every xx seconds'] = 'Актуализиране н
$a->strings['Additional Features'] = 'Допълнителни възможности';
$a->strings['Connected Apps'] = 'Свързани Apps';
$a->strings['Remove authorization'] = 'Премахване на разрешение';
$a->strings['Profile Name is required.'] = 'Име на профил се изисква.';
$a->strings['(click to open/close)'] = '(Щракнете за отваряне / затваряне)';
$a->strings['Edit Profile Details'] = 'Редактиране на детайли от профила';
$a->strings['Change Profile Photo'] = 'Промяна снимката на профила';
@ -770,7 +753,6 @@ $a->strings['Your Contacts page is your gateway to managing friendships and conn
$a->strings['The Directory page lets you find other people in this network or other federated sites. Look for a <em>Connect</em> or <em>Follow</em> link on their profile page. Provide your own Identity Address if requested.'] = 'Страницата на справочника ви позволява да намерите други хора в тази мрежа или други сайтове Федерални. Потърсете <em> Свържете </ EM> или <em> Следвайте </ EM> в профила си страница. Предоставяне на вашия собствен адрес за самоличност, ако това бъде поискано.';
$a->strings['Finding New People'] = 'Откриване на нови хора';
$a->strings['On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours.'] = 'На страничния панел на страницата "Контакти" са няколко инструмента, да намерите нови приятели. Ние можем да съчетаем хора по интереси, потърсете хора по име или интерес, и да предостави предложения на базата на мрежови връзки. На чисто нов сайт, приятел предложения ще обикновено започват да се населена в рамките на 24 часа.';
$a->strings['Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page.'] = 'След като сте направили някои приятели, да ги организирате в групи от частния разговор от страничната лента на страницата с контакти и след това можете да взаимодействате с всяка група частно във вашата мрежа.';
$a->strings['Why Aren\'t My Posts Public?'] = 'Защо публикациите ми не са публични?';
$a->strings['Our <strong>help</strong> pages may be consulted for detail on other program features and resources.'] = 'Нашата <strong> помощ </ strong> страницата може да бъде консултиран за подробности относно други характеристики, програма и ресурси.';
$a->strings['%s liked %s\'s post'] = '%s харесва %s е след';

File diff suppressed because it is too large Load Diff

View File

@ -215,21 +215,23 @@ $a->strings['Permission settings'] = 'Configuració de permisos';
$a->strings['Public post'] = 'Enviament públic';
$a->strings['Message'] = 'Missatge';
$a->strings['Browser'] = 'Navegador';
$a->strings['remove'] = 'esborrar';
$a->strings['Delete Selected Items'] = 'Esborra els Elements Seleccionats';
$a->strings['%s reshared this.'] = '%s va tornar a compartir això';
$a->strings['View %s\'s profile @ %s'] = 'Veure perfil de %s @ %s';
$a->strings['Categories:'] = 'Categories:';
$a->strings['Filed under:'] = 'Arxivat a:';
$a->strings['%s from %s'] = '%s des de %s';
$a->strings['View in context'] = 'Veure en context';
$a->strings['remove'] = 'esborrar';
$a->strings['Delete Selected Items'] = 'Esborra els Elements Seleccionats';
$a->strings['%s reshared this.'] = '%s va tornar a compartir això';
$a->strings['Personal'] = 'Personal';
$a->strings['Posts that mention or involve you'] = 'Missatge que et menciona o t\'impliquen';
$a->strings['Starred'] = 'Favorits';
$a->strings['Favourite Posts'] = 'Enviaments Favorits';
$a->strings['General Features'] = 'Característiques Generals';
$a->strings['Post Composition Features'] = 'Característiques de Composició d\'Enviaments';
$a->strings['Post/Comment Tools'] = 'Eines d\'Enviaments/Comentaris';
$a->strings['Post Categories'] = 'Categories en Enviaments';
$a->strings['Add categories to your posts'] = 'Afegeix categories als teus enviaments';
$a->strings['Forums'] = 'Forums';
$a->strings['External link to forum'] = 'Enllaç extern al fòrum';
$a->strings['show more'] = 'Mostrar més';
$a->strings['event'] = 'esdeveniment';
$a->strings['status'] = 'estatus';
@ -247,7 +249,6 @@ $a->strings['Ignore'] = 'Ignorar';
$a->strings['Connect/Follow'] = 'Connectar/Seguir';
$a->strings['Nothing new here'] = 'Res nou aquí';
$a->strings['Clear notifications'] = 'Neteja notificacions';
$a->strings['@name, !forum, #tags, content'] = '@name, !forum, #tags, content';
$a->strings['Logout'] = 'Sortir';
$a->strings['End this session'] = 'Termina sessió';
$a->strings['Login'] = 'Identifica\'t';
@ -323,7 +324,6 @@ $a->strings['Random Profile'] = 'Perfi Aleatori';
$a->strings['Invite Friends'] = 'Invita Amics';
$a->strings['Global Directory'] = 'Directori Global';
$a->strings['Local Directory'] = 'Directori Local';
$a->strings['Groups'] = 'Grups';
$a->strings['All Contacts'] = 'Tots els Contactes';
$a->strings['Saved Folders'] = 'Carpetes Guardades';
$a->strings['Everything'] = 'Tot';
@ -446,6 +446,9 @@ Error %d es va produir durant l\'actualització de la base de dades:
$a->strings['Errors encountered performing database changes: '] = 'S\'han produït errors en realitzar canvis de base de dades:';
$a->strings['%s: Database update'] = '%s: Actualització de la base de dades';
$a->strings['%s: updating %s table.'] = '%s: actualització %s taula.';
$a->strings['Everybody'] = 'Tothom';
$a->strings['edit'] = 'editar';
$a->strings['add'] = 'afegir';
$a->strings['Approve'] = 'Aprovar';
$a->strings['Disallowed profile URL.'] = 'Perfil URL no permès.';
$a->strings['Connect URL missing.'] = 'URL del connector perduda.';
@ -479,15 +482,6 @@ $a->strings['Show map'] = 'Mostra el mapa';
$a->strings['Hide map'] = 'Amaga el mapa';
$a->strings['%s\'s birthday'] = '%s aniversari';
$a->strings['Happy Birthday %s'] = 'Feliç Aniversari %s';
$a->strings['A deleted group with this name was revived. Existing item permissions <strong>may</strong> apply to this group and any future members. If this is not what you intended, please create another group with a different name.'] = 'Un grup eliminat amb aquest nom va ser restablert. Els permisos dels elements existents <strong>poden</strong> aplicar-se a aquest grup i tots els futurs membres. Si això no és el que pretén, si us plau, crei un altre grup amb un nom diferent.';
$a->strings['Default privacy group for new contacts'] = 'Privacitat per defecte per a nous contactes';
$a->strings['Everybody'] = 'Tothom';
$a->strings['edit'] = 'editar';
$a->strings['add'] = 'afegir';
$a->strings['Edit group'] = 'Editar grup';
$a->strings['Contacts not in any group'] = 'Contactes en cap grup';
$a->strings['Create a new group'] = 'Crear un nou grup';
$a->strings['Group Name: '] = 'Nom del Grup:';
$a->strings['activity'] = 'activitat';
$a->strings['post'] = 'missatge';
$a->strings['bytes'] = 'bytes';
@ -606,7 +600,6 @@ $a->strings['Check to block public access to all otherwise public personal pages
$a->strings['Force publish'] = 'Forçar publicació';
$a->strings['Check to force all profiles on this site to be listed in the site directory.'] = 'Obliga a que tots el perfils en aquest lloc siguin mostrats en el directori del lloc.';
$a->strings['Private posts by default for new users'] = 'Els enviaments dels nous usuaris seran privats per defecte.';
$a->strings['Set default post permissions for all new members to the default privacy group rather than public.'] = 'Canviar els permisos d\'enviament per defecte per a tots els nous membres a grup privat en lloc de públic.';
$a->strings['Don\'t include post content in email notifications'] = 'No incloure el assumpte a les notificacions per correu electrónic';
$a->strings['Don\'t include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure.'] = 'No incloure assumpte d\'un enviament/comentari/missatge_privat/etc. Als correus electronics que envii fora d\'aquest lloc, com a mesura de privacitat. ';
$a->strings['Disallow public access to addons listed in the apps menu.'] = 'Deshabilita el accés públic als complements llistats al menu d\'aplicacions';
@ -656,6 +649,10 @@ $a->strings['calendar'] = 'calendari';
$a->strings['Events'] = 'Esdeveniments';
$a->strings['Create New Event'] = 'Crear un nou esdeveniment';
$a->strings['list'] = 'llista';
$a->strings['Contact not found.'] = 'Contacte no trobat';
$a->strings['Invalid contact.'] = 'Contacte no vàlid.';
$a->strings['Members'] = 'Membres';
$a->strings['Click on a contact to add or remove.'] = 'Clicar sobre el contacte per afegir o esborrar.';
$a->strings['Show all contacts'] = 'Mostrar tots els contactes';
$a->strings['Blocked'] = 'Blocat';
$a->strings['Only show blocked contacts'] = 'Mostrar únicament els contactes blocats';
@ -674,7 +671,6 @@ $a->strings['Mutual Friendship'] = 'Amistat Mutua';
$a->strings['is a fan of yours'] = 'Es un fan teu';
$a->strings['you are a fan of'] = 'ets fan de';
$a->strings['Visit %s\'s profile [%s]'] = 'Visitar perfil de %s [%s]';
$a->strings['Contact not found.'] = 'Contacte no trobat';
$a->strings['Contact update failed.'] = 'Fracassà l\'actualització de Contacte';
$a->strings['Return to contact editor'] = 'Tornar al editor de contactes';
$a->strings['Name'] = 'Nom';
@ -682,7 +678,6 @@ $a->strings['Account Nickname'] = 'Àlies del Compte';
$a->strings['Account URL'] = 'Adreça URL del Compte';
$a->strings['Poll/Feed URL'] = 'Adreça de Enquesta/Alimentador';
$a->strings['New photo from this URL'] = 'Nova foto d\'aquesta URL';
$a->strings['Invalid contact.'] = 'Contacte no vàlid.';
$a->strings['Access denied.'] = 'Accés denegat.';
$a->strings['Submit Request'] = 'Sol·licitud Enviada';
$a->strings['You already added this contact.'] = 'Ja heu afegit aquest contacte.';
@ -734,11 +729,6 @@ $a->strings['Unfollowing is currently not supported by your network.'] = 'Actual
$a->strings['Disconnect/Unfollow'] = 'Desconnecta / Deixa de seguir';
$a->strings['No results.'] = 'Sense resultats.';
$a->strings['Not available.'] = 'No disponible.';
$a->strings['No such group'] = 'Cap grup com';
$a->strings['Personal'] = 'Personal';
$a->strings['Posts that mention or involve you'] = 'Missatge que et menciona o t\'impliquen';
$a->strings['Starred'] = 'Favorits';
$a->strings['Favourite Posts'] = 'Enviaments Favorits';
$a->strings['Time Conversion'] = 'Temps de Conversió';
$a->strings['Friendica provides this service for sharing events with other networks and friends in unknown timezones.'] = 'Friendica ofereix aquest servei per a compartir esdeveniments amb d\'altres xarxes i amics en zones horaries que son desconegudes';
$a->strings['UTC time: %s'] = 'hora UTC: %s';
@ -756,13 +746,6 @@ $a->strings['Friend suggestion sent.'] = 'Enviat suggeriment d\'amic.';
$a->strings['Suggest Friends'] = 'Suggerir Amics';
$a->strings['Suggest a friend for %s'] = 'Suggerir un amic per a %s';
$a->strings['Bug reports and issues: please visit'] = 'Pels informes d\'error i problemes: si us plau, visiteu';
$a->strings['Could not create group.'] = 'No puc crear grup.';
$a->strings['Group not found.'] = 'Grup no trobat';
$a->strings['Create a group of contacts/friends.'] = 'Crear un grup de contactes/amics.';
$a->strings['Unable to remove group.'] = 'Incapaç de esborrar Grup.';
$a->strings['Members'] = 'Membres';
$a->strings['Group is empty'] = 'El Grup es buit';
$a->strings['Click on a contact to add or remove.'] = 'Clicar sobre el contacte per afegir o esborrar.';
$a->strings['No profile'] = 'Sense perfil';
$a->strings['Help:'] = 'Ajuda:';
$a->strings['Welcome to %s'] = 'Benvingut a %s';
@ -924,7 +907,6 @@ $a->strings['Current Password:'] = 'Contrasenya Actual:';
$a->strings['Your current password to confirm the changes'] = 'La teva actual contrasenya a fi de confirmar els canvis';
$a->strings['Account for an organisation that automatically approves contact requests as "Followers".'] = 'Compte per a una organització que aprovi automàticament les sol·licituds de contacte com a \'seguidors\'.';
$a->strings['Account for a public profile that automatically approves contact requests as "Followers".'] = 'Cuenta para un perfil público que aprueba automáticamente las solicitudes de contacto como \'Seguidores\'.';
$a->strings['Private Forum [Experimental]'] = 'Fòrum Privat [Experimental]';
$a->strings['OpenID:'] = 'OpenID:';
$a->strings['(Optional) Allow this OpenID to login to this account.'] = '(Opcional) Permetre a aquest OpenID iniciar sessió en aquest compte.';
$a->strings['Account Settings'] = 'Ajustos de Compte';
@ -1008,7 +990,6 @@ $a->strings['Minimum of 10 seconds. Enter -1 to disable it.'] = 'Mínim de 10 se
$a->strings['Additional Features'] = 'Característiques Adicionals';
$a->strings['Connected Apps'] = 'Aplicacions conectades';
$a->strings['Remove authorization'] = 'retirar l\'autorització';
$a->strings['Profile Name is required.'] = 'Nom de perfil requerit.';
$a->strings['(click to open/close)'] = '(clicar per a obrir/tancar)';
$a->strings['Edit Profile Details'] = 'Editor de Detalls del Perfil';
$a->strings['Change Profile Photo'] = 'Canviar la Foto del Perfil';
@ -1100,8 +1081,6 @@ $a->strings['Go to Your Site\'s Directory'] = 'Anar al Teu Directori';
$a->strings['The Directory page lets you find other people in this network or other federated sites. Look for a <em>Connect</em> or <em>Follow</em> link on their profile page. Provide your own Identity Address if requested.'] = 'La pàgina del Directori li permet trobar altres persones en aquesta xarxa o altres llocs federats. Busqui un enllaç <em>Connectar</em> o <em>Seguir</em> a la seva pàgina de perfil. Proporcioni la seva pròpia Adreça de Identitat si així ho sol·licita.';
$a->strings['Finding New People'] = 'Trobar Gent Nova';
$a->strings['On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours.'] = 'Al tauler lateral de la pàgina de contacte Hi ha diverses eines per trobar nous amics. Podem coincidir amb les persones per interesos, buscar persones pel nom o per interès, i oferir suggeriments basats en les relacions de la xarxa. En un nou lloc, els suggeriments d\'amics, en general comencen a poblar el lloc a les 24 hores.';
$a->strings['Group Your Contacts'] = 'Agrupar els Teus Contactes';
$a->strings['Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page.'] = 'Una vegada que s\'han fet alguns amics, organitzi\'ls en grups de conversa privada a la barra lateral de la seva pàgina de contactes i després pot interactuar amb cada grup de forma privada a la pàgina de la xarxa.';
$a->strings['Why Aren\'t My Posts Public?'] = 'Per que no es public el meu enviament?';
$a->strings['Friendica respects your privacy. By default, your posts will only show up to people you\'ve added as friends. For more information, see the help section from the link above.'] = 'Friendica respecta la teva privacitat. Per defecte, els teus enviaments només s\'envien a gent que has afegit com a amic. Per més informació, mira la secció d\'ajuda des de l\'enllaç de dalt.';
$a->strings['Getting Help'] = 'Demanant Ajuda';

File diff suppressed because it is too large Load Diff

View File

@ -263,36 +263,38 @@ $a->strings['Permission settings'] = 'Nastavení oprávnění';
$a->strings['Public post'] = 'Veřejný příspěvek';
$a->strings['Message'] = 'Zpráva';
$a->strings['Browser'] = 'Prohlížeč';
$a->strings['remove'] = 'odstranit';
$a->strings['Delete Selected Items'] = 'Smazat vybrané položky';
$a->strings['%s reshared this.'] = '%s tohle znovusdílel/a.';
$a->strings['View %s\'s profile @ %s'] = 'Zobrazit profil uživatele %s na %s';
$a->strings['Categories:'] = 'Kategorie:';
$a->strings['Filed under:'] = 'Vyplněn pod:';
$a->strings['%s from %s'] = '%s z %s';
$a->strings['View in context'] = 'Zobrazit v kontextu';
$a->strings['remove'] = 'odstranit';
$a->strings['Delete Selected Items'] = 'Smazat vybrané položky';
$a->strings['%s reshared this.'] = '%s tohle znovusdílel/a.';
$a->strings['Local Community'] = 'Místní komunita';
$a->strings['Posts from local users on this server'] = 'Příspěvky od místních uživatelů na tomto serveru';
$a->strings['Global Community'] = 'Globální komunita';
$a->strings['Posts from users of the whole federated network'] = 'Příspěvky od uživatelů z celé federované sítě';
$a->strings['Personal'] = 'Osobní';
$a->strings['Posts that mention or involve you'] = 'Příspěvky, které vás zmiňují nebo zahrnují';
$a->strings['Starred'] = 'S hvězdou';
$a->strings['Favourite Posts'] = 'Oblíbené přízpěvky';
$a->strings['General Features'] = 'Obecné vlastnosti';
$a->strings['Photo Location'] = 'Poloha fotky';
$a->strings['Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map.'] = 'Metadata fotek jsou normálně odebrána. Tato funkce před odebrání metadat extrahuje polohu (pokud je k dispozici) a propojí ji s mapou.';
$a->strings['Trending Tags'] = 'Populární štítky';
$a->strings['Show a community page widget with a list of the most popular tags in recent public posts.'] = 'Zobrazit widget komunitní stránky se seznamem nejpopulárnějších štítků v nedávných veřejných příspěvcích.';
$a->strings['Post Composition Features'] = 'Nastavení vytváření příspěvků';
$a->strings['Auto-mention Forums'] = 'Automaticky zmiňovat fóra';
$a->strings['Add/remove mention when a forum page is selected/deselected in ACL window.'] = 'Přidat/odstranit zmínku, když je stránka na fóru označena/odznačena v okně ACL.';
$a->strings['Explicit Mentions'] = 'Výslovné zmínky';
$a->strings['Add explicit mentions to comment box for manual control over who gets mentioned in replies.'] = 'Přidá do pole pro komentování výslovné zmínky pro ruční kontrolu nad tím, koho zmíníte v odpovědích.';
$a->strings['Post/Comment Tools'] = 'Nástroje příspěvků/komentářů';
$a->strings['Post Categories'] = 'Kategorie příspěvků';
$a->strings['Add categories to your posts'] = 'Přidat kategorie k vašim příspěvkům';
$a->strings['Advanced Profile Settings'] = 'Pokročilá nastavení profilu';
$a->strings['List Forums'] = 'Vypsat fóra';
$a->strings['Show visitors public community forums at the Advanced Profile Page'] = 'Zobrazit návštěvníkům veřejná komunitní fóra na stránce pokročilého profilu';
$a->strings['Tag Cloud'] = 'Štítkový oblak';
$a->strings['Provide a personal tag cloud on your profile page'] = 'Poskytne na vaší profilové stránce osobní „štítkový oblak“';
$a->strings['Display Membership Date'] = 'Zobrazit datum členství';
$a->strings['Display membership date in profile'] = 'Zobrazit v profilu datum připojení';
$a->strings['Forums'] = 'Fóra';
$a->strings['External link to forum'] = 'Externí odkaz na fórum';
$a->strings['show more'] = 'zobrazit více';
$a->strings['event'] = 'událost';
$a->strings['status'] = 'stav';
@ -311,7 +313,6 @@ $a->strings['Connect/Follow'] = 'Spojit se/sledovat';
$a->strings['Nothing new here'] = 'Zde není nic nového';
$a->strings['Go back'] = 'Přejít zpět';
$a->strings['Clear notifications'] = 'Vymazat oznámení';
$a->strings['@name, !forum, #tags, content'] = '@jméno, !fórum, #štítky, obsah';
$a->strings['Logout'] = 'Odhlásit se';
$a->strings['End this session'] = 'Konec této relace';
$a->strings['Login'] = 'Přihlásit se';
@ -398,7 +399,6 @@ $a->strings['Random Profile'] = 'Náhodný profil';
$a->strings['Invite Friends'] = 'Pozvat přátele';
$a->strings['Global Directory'] = 'Globální adresář';
$a->strings['Local Directory'] = 'Místní adresář';
$a->strings['Groups'] = 'Skupiny';
$a->strings['Relationships'] = 'Vztahy';
$a->strings['All Contacts'] = 'Všechny kontakty';
$a->strings['Protocols'] = 'Protokoly';
@ -562,9 +562,11 @@ $a->strings['%s: updating %s table.'] = '%s: aktualizuji tabulku %s';
$a->strings['Unauthorized'] = 'Neautorizováno';
$a->strings['Internal Server Error'] = 'Vnitřní chyba serveru';
$a->strings['Legacy module file not found: %s'] = 'Soubor legacy modulu nenalezen: %s';
$a->strings['Everybody'] = 'Všichni';
$a->strings['edit'] = 'upravit';
$a->strings['add'] = 'přidat';
$a->strings['Approve'] = 'Schválit';
$a->strings['Organisation'] = 'Organizace';
$a->strings['Forum'] = 'Fórum';
$a->strings['Disallowed profile URL.'] = 'Nepovolené URL profilu.';
$a->strings['Blocked domain'] = 'Zablokovaná doména';
$a->strings['Connect URL missing.'] = 'Chybí URL adresa pro připojení.';
@ -599,16 +601,6 @@ $a->strings['Show map'] = 'Zobrazit mapu';
$a->strings['Hide map'] = 'Skrýt mapu';
$a->strings['%s\'s birthday'] = '%s má narozeniny';
$a->strings['Happy Birthday %s'] = 'Veselé narozeniny, %s';
$a->strings['A deleted group with this name was revived. Existing item permissions <strong>may</strong> apply to this group and any future members. If this is not what you intended, please create another group with a different name.'] = 'Dříve smazaná skupina s tímto jménem byla obnovena. Stávající oprávnění <strong>může</strong> ovlivnit tuto skupinu a její budoucí členy. Pokud to není to, co jste chtěl/a, vytvořte, prosím, další skupinu s jiným názvem.';
$a->strings['Default privacy group for new contacts'] = 'Výchozí soukromá skupina pro nové kontakty.';
$a->strings['Everybody'] = 'Všichni';
$a->strings['edit'] = 'upravit';
$a->strings['add'] = 'přidat';
$a->strings['Edit group'] = 'Upravit skupinu';
$a->strings['Contacts not in any group'] = 'Kontakty, které nejsou v žádné skupině';
$a->strings['Create a new group'] = 'Vytvořit novou skupinu';
$a->strings['Group Name: '] = 'Název skupiny: ';
$a->strings['Edit groups'] = 'Upravit skupiny';
$a->strings['activity'] = 'aktivita';
$a->strings['post'] = 'příspěvek';
$a->strings['Content warning: %s'] = 'Varování o obsahu: %s';
@ -684,7 +676,6 @@ $a->strings['An error occurred during registration. Please try again.'] = 'Došl
$a->strings['An error occurred creating your default profile. Please try again.'] = 'Při vytváření vašeho výchozího profilu došlo k chybě. Zkuste to prosím znovu.';
$a->strings['An error occurred creating your self contact. Please try again.'] = 'Při vytváření vašeho kontaktu na sebe došlo k chybě. Zkuste to prosím znovu.';
$a->strings['Friends'] = 'Přátelé';
$a->strings['An error occurred creating your default contact group. Please try again.'] = 'Při vytváření vaší výchozí skupiny kontaktů došlo k chybě. Zkuste to prosím znovu.';
$a->strings['Profile Photos'] = 'Profilové fotky';
$a->strings['Registration details for %s'] = 'Registrační údaje pro uživatele %s';
$a->strings['
@ -831,7 +822,6 @@ $a->strings['Enabling this may violate privacy laws like the GDPR'] = 'Povolení
$a->strings['Global directory URL'] = 'Adresa URL globálního adresáře';
$a->strings['URL to the global directory. If this is not set, the global directory is completely unavailable to the application.'] = 'Adresa URL globálního adresáře. Pokud toto není nastaveno, globální adresář bude aplikaci naprosto nedostupný.';
$a->strings['Private posts by default for new users'] = 'Nastavit pro nové uživatele příspěvky jako soukromé';
$a->strings['Set default post permissions for all new members to the default privacy group rather than public.'] = 'Nastavit výchozí práva pro příspěvky od všech nových členů na výchozí soukromou skupinu místo veřejné.';
$a->strings['Don\'t include post content in email notifications'] = 'Nezahrnovat v e-mailových oznámeních obsah příspěvků';
$a->strings['Don\'t include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure.'] = ' V e-mailových oznámeních, které jsou odesílány z tohoto webu, nebudou z důvodů bezpečnosti obsaženy příspěvky/komentáře/soukromé zprávy apod. ';
$a->strings['Disallow public access to addons listed in the apps menu.'] = 'Zakázat veřejný přístup k rozšířením uvedeným v menu aplikace.';
@ -974,7 +964,6 @@ $a->strings['Profile Details'] = 'Detaily profilu';
$a->strings['Only You Can See This'] = 'Toto můžete vidět jen vy';
$a->strings['Tips for New Members'] = 'Tipy pro nové členy';
$a->strings['People Search - %s'] = 'Vyhledávání lidí - %s';
$a->strings['Forum Search - %s'] = 'Vyhledávání fór - %s';
$a->strings['No matches'] = 'Žádné shody';
$a->strings['Account'] = 'Účet';
$a->strings['Two-factor authentication'] = 'Dvoufázové ověřování';
@ -1002,6 +991,13 @@ $a->strings['Events'] = 'Události';
$a->strings['View'] = 'Zobrazit';
$a->strings['Create New Event'] = 'Vytvořit novou událost';
$a->strings['list'] = 'seznam';
$a->strings['Contact not found.'] = 'Kontakt nenalezen.';
$a->strings['Invalid contact.'] = 'Neplatný kontakt.';
$a->strings['Contact is deleted.'] = 'Knotakt je smazán.';
$a->strings['Bad request.'] = 'Špatný požadavek.';
$a->strings['Filter'] = 'Filtr';
$a->strings['Members'] = 'Členové';
$a->strings['Click on a contact to add or remove.'] = 'Klikněte na kontakt pro přidání nebo odebrání';
$a->strings['%d contact edited.'] = [
0 => '%d kontakt upraven',
1 => '%d kontakty upraveny',
@ -1018,7 +1014,6 @@ $a->strings['Archived'] = 'Archivované';
$a->strings['Only show archived contacts'] = 'Zobrazit pouze archivované kontakty';
$a->strings['Hidden'] = 'Skryté';
$a->strings['Only show hidden contacts'] = 'Zobrazit pouze skryté kontakty';
$a->strings['Organize your contact groups'] = 'Organizovat vaše skupiny kontaktů';
$a->strings['Search your contacts'] = 'Prohledat vaše kontakty';
$a->strings['Results for: %s'] = 'Výsledky pro: %s';
$a->strings['Update'] = 'Aktualizace';
@ -1032,7 +1027,6 @@ $a->strings['Mutual Friendship'] = 'Vzájemné přátelství';
$a->strings['is a fan of yours'] = 'je váš fanoušek';
$a->strings['you are a fan of'] = 'jste fanouškem';
$a->strings['Visit %s\'s profile [%s]'] = 'Navštivte profil uživatele %s [%s]';
$a->strings['Contact not found.'] = 'Kontakt nenalezen.';
$a->strings['Contact update failed.'] = 'Aktualizace kontaktu selhala.';
$a->strings['Return to contact editor'] = 'Zpět k editoru kontaktu';
$a->strings['Name'] = 'Jméno';
@ -1040,7 +1034,6 @@ $a->strings['Account Nickname'] = 'Přezdívka účtu';
$a->strings['Account URL'] = 'URL adresa účtu';
$a->strings['Poll/Feed URL'] = 'URL adresa poll/feed';
$a->strings['New photo from this URL'] = 'Nová fotka z této URL adresy';
$a->strings['Invalid contact.'] = 'Neplatný kontakt.';
$a->strings['Follower (%s)'] = [
0 => 'Sledující (%s)',
1 => 'Sledující (%s)',
@ -1128,26 +1121,15 @@ $a->strings['Mark this contact as remote_self, this will cause friendica to repo
$a->strings['Refetch contact data'] = 'Znovu načíst data kontaktu';
$a->strings['Toggle Blocked status'] = 'Přepínat stav Blokováno';
$a->strings['Toggle Ignored status'] = 'Přepínat stav Ignorováno';
$a->strings['Contact is deleted.'] = 'Knotakt je smazán.';
$a->strings['Yes'] = 'Ano';
$a->strings['No suggestions available. If this is a new site, please try again in 24 hours.'] = 'Nejsou dostupné žádné návrhy. Pokud je toto nový server, zkuste to znovu za 24 hodin.';
$a->strings['You aren\'t following this contact.'] = 'Tento kontakt nesledujete.';
$a->strings['Unfollowing is currently not supported by your network.'] = 'Zrušení sledování není aktuálně na Vaši síti podporováno.';
$a->strings['Disconnect/Unfollow'] = 'Odpojit se/Zrušit sledování';
$a->strings['This community stream shows all public posts received by this node. They may not reflect the opinions of this nodes users.'] = 'Tento komunitní proud ukazuje všechny veřejné příspěvky, které tento server přijme. Nemusí odrážet názory uživatelů serveru.';
$a->strings['Local Community'] = 'Místní komunita';
$a->strings['Posts from local users on this server'] = 'Příspěvky od místních uživatelů na tomto serveru';
$a->strings['Global Community'] = 'Globální komunita';
$a->strings['Posts from users of the whole federated network'] = 'Příspěvky od uživatelů z celé federované sítě';
$a->strings['No results.'] = 'Žádné výsledky.';
$a->strings['This community stream shows all public posts received by this node. They may not reflect the opinions of this nodes users.'] = 'Tento komunitní proud ukazuje všechny veřejné příspěvky, které tento server přijme. Nemusí odrážet názory uživatelů serveru.';
$a->strings['Community option not available.'] = 'Možnost komunity není dostupná.';
$a->strings['Not available.'] = 'Není k dispozici.';
$a->strings['No such group'] = 'Žádná taková skupina';
$a->strings['Group: %s'] = 'Skupina: %s';
$a->strings['Personal'] = 'Osobní';
$a->strings['Posts that mention or involve you'] = 'Příspěvky, které vás zmiňují nebo zahrnují';
$a->strings['Starred'] = 'S hvězdou';
$a->strings['Favourite Posts'] = 'Oblíbené přízpěvky';
$a->strings['Credits'] = 'Poděkování';
$a->strings['Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!'] = 'Friendica je komunitní projekt, který by nebyl možný bez pomoci mnoha lidí. Zde je seznam těch, kteří přispěli ke kódu nebo k překladu Friendica. Děkujeme všem!';
$a->strings['Error'] = [
@ -1215,25 +1197,6 @@ $a->strings['Please visit <a href="https://friendi.ca">Friendi.ca</a> to learn m
$a->strings['Bug reports and issues: please visit'] = 'Pro hlášení chyb a námětů na změny prosím navštivte';
$a->strings['the bugtracker at github'] = 'sledování chyb na GitHubu';
$a->strings['Suggestions, praise, etc. - please email "info" at "friendi - dot - ca'] = 'Návrhy, pochvaly atd. prosím posílejte na adresu „info“ zavináč „friendi“-tečka-„ca“';
$a->strings['Could not create group.'] = 'Nelze vytvořit skupinu.';
$a->strings['Group not found.'] = 'Skupina nenalezena.';
$a->strings['Unknown group.'] = 'Neznámá skupina.';
$a->strings['Unable to add the contact to the group.'] = 'Nelze přidat kontakt ke skupině.';
$a->strings['Contact successfully added to group.'] = 'Kontakt úspěšně přidán ke skupině.';
$a->strings['Unable to remove the contact from the group.'] = 'Nelze odstranit kontakt ze skupiny.';
$a->strings['Contact successfully removed from group.'] = 'Kontakt úspěšně odstraněn ze skupiny.';
$a->strings['Bad request.'] = 'Špatný požadavek.';
$a->strings['Save Group'] = 'Uložit skupinu';
$a->strings['Filter'] = 'Filtr';
$a->strings['Create a group of contacts/friends.'] = 'Vytvořit skupinu kontaktů/přátel.';
$a->strings['Unable to remove group.'] = 'Nelze odstranit skupinu.';
$a->strings['Delete Group'] = 'Odstranit skupinu';
$a->strings['Edit Group Name'] = 'Upravit název skupiny';
$a->strings['Members'] = 'Členové';
$a->strings['Group is empty'] = 'Skupina je prázdná';
$a->strings['Remove contact from group'] = 'Odebrat kontakt ze skupiny';
$a->strings['Click on a contact to add or remove.'] = 'Klikněte na kontakt pro přidání nebo odebrání';
$a->strings['Add contact to group'] = 'Přidat kontakt ke skupině';
$a->strings['No profile'] = 'Žádný profil';
$a->strings['Help:'] = 'Nápověda:';
$a->strings['Welcome to %s'] = 'Vítejte na %s';
@ -1290,7 +1253,6 @@ $a->strings['Once you have registered, please connect with me via my profile pag
$a->strings['For more information about the Friendica project and why we feel it is important, please visit http://friendi.ca'] = 'Pro více informací o projektu Friendica a proč si myslím, že je důležitý, prosím navštiv http://friendi.ca';
$a->strings['Compose new personal note'] = 'Napsat novou osobní poznámku';
$a->strings['Compose new post'] = 'Napsat nový příspěvek';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'Požadovaná položka neexistuje nebo byla smazána.';
$a->strings['The feed for this item is unavailable.'] = 'Proud pro tuto položku je nedostupný.';
$a->strings['System down for maintenance'] = 'Systém vypnut z důvodů údržby';
$a->strings['Files'] = 'Soubory';
@ -1300,17 +1262,13 @@ $a->strings['Or - did you try to upload an empty file?'] = 'Nebo - nenahrával/a
$a->strings['File exceeds size limit of %s'] = 'Velikost souboru přesáhla limit %s';
$a->strings['File upload failed.'] = 'Nahrání souboru se nezdařilo.';
$a->strings['Unable to process image.'] = 'Obrázek není možné zprocesovat';
$a->strings['Image exceeds size limit of %s'] = 'Velikost obrázku překročila limit %s';
$a->strings['Image upload failed.'] = 'Nahrání obrázku selhalo.';
$a->strings['Normal Account Page'] = 'Normální stránka účtu';
$a->strings['Soapbox Page'] = 'Propagační stránka';
$a->strings['Public Forum'] = 'Veřejné fórum';
$a->strings['Automatic Friend Page'] = 'Stránka s automatickými přátely';
$a->strings['Private Forum'] = 'Soukromé fórum';
$a->strings['Personal Page'] = 'Osobní stránka';
$a->strings['Organisation Page'] = 'Stránka organizace';
$a->strings['News Page'] = 'Zpravodajská stránka';
$a->strings['Community Forum'] = 'Komunitní fórum';
$a->strings['Relay'] = 'Přeposílací server';
$a->strings['%s contact unblocked'] = [
0 => '%s kontakt odblokován',
@ -1351,10 +1309,8 @@ $a->strings['Item not found'] = 'Položka nenalezena';
$a->strings['Item Guid'] = 'Číslo GUID položky';
$a->strings['Normal Account'] = 'Normální účet';
$a->strings['Automatic Follower Account'] = 'Účet s automatickými sledujícími';
$a->strings['Public Forum Account'] = 'Účet veřejného fóra';
$a->strings['Automatic Friend Account'] = 'Účet s automatickými přáteli';
$a->strings['Blog Account'] = 'Blogovací účet';
$a->strings['Private Forum Account'] = 'Účet soukromého fóra';
$a->strings['Registered users'] = 'Registrovaní uživatelé';
$a->strings['Pending registrations'] = 'Čekající registrace';
$a->strings['%s user blocked'] = [
@ -1446,6 +1402,7 @@ $a->strings['No contacts.'] = 'Žádné kontakty.';
$a->strings['%s\'s timeline'] = 'Časová osa uživatele %s';
$a->strings['%s\'s posts'] = 'Příspěvky uživatele %s';
$a->strings['%s\'s comments'] = 'Komentáře uživatele %s';
$a->strings['Image exceeds size limit of %s'] = 'Velikost obrázku překročila limit %s';
$a->strings['Image upload didn\'t complete, please try again'] = 'Nahrávání obrázku nebylo dokončeno, zkuste to prosím znovu';
$a->strings['Image file is missing'] = 'Chybí soubor obrázku';
$a->strings['Server can\'t accept new file upload at this time, please contact your administrator'] = 'Server v tuto chvíli nemůže akceptovat nové nahrané soubory, prosím kontaktujte vašeho administrátora';
@ -1459,7 +1416,6 @@ $a->strings['j F'] = 'j F';
$a->strings['Birthday:'] = 'Narozeniny:';
$a->strings['Age: '] = 'Věk: ';
$a->strings['Description:'] = 'Popis:';
$a->strings['Forums:'] = 'Fóra';
$a->strings['Profile unavailable.'] = 'Profil není k dispozici.';
$a->strings['Invalid locator'] = 'Neplatný odkaz';
$a->strings['Remote subscription can\'t be done for your network. Please subscribe directly on your system.'] = 'Vzdálený odběr nemůže být na vaší síti proveden. Prosím, přihlaste se k odběru přímo na vašem systému.';
@ -1525,7 +1481,6 @@ $a->strings['Cannot change to that email.'] = 'Nelze změnit na tento e-mail.';
$a->strings['Relocate message has been send to your contacts'] = 'Správa o změně umístění byla odeslána vašim kontaktům';
$a->strings['Unable to find your profile. Please contact your admin.'] = 'Nelze najít Váš účet. Prosím kontaktujte vašeho administrátora.';
$a->strings['Personal Page Subtypes'] = 'Podtypy osobních stránek';
$a->strings['Community Forum Subtypes'] = 'Podtypy komunitních fór';
$a->strings['Account for a personal profile.'] = 'Účet pro osobní profil.';
$a->strings['Account for an organisation that automatically approves contact requests as "Followers".'] = 'Účet pro organizaci, který automaticky potvrzuje požadavky o přidání kontaktu jako „Sledující“.';
$a->strings['Account for a news reflector that automatically approves contact requests as "Followers".'] = 'Účet pro zpravodaje, který automaticky potvrzuje požadavky o přidání kontaktu jako „Sledující“.';
@ -1534,7 +1489,6 @@ $a->strings['Account for a regular personal profile that requires manual approva
$a->strings['Account for a public profile that automatically approves contact requests as "Followers".'] = 'Účet pro veřejný profil, který automaticky potvrzuje požadavky o přidání kontaktu jako „Sledující“.';
$a->strings['Automatically approves all contact requests.'] = 'Automaticky potvrzuje všechny žádosti o přidání kontaktu.';
$a->strings['Account for a popular profile that automatically approves contact requests as "Friends".'] = 'Účet pro populární profil, který automaticky potvrzuje požadavky o přidání kontaktu jako „Přátele“.';
$a->strings['Private Forum [Experimental]'] = 'Soukromé fórum [Experimentální]';
$a->strings['Requires manual approval of contact requests.'] = 'Vyžaduje manuální potvrzení požadavků o přidání kontaktu.';
$a->strings['OpenID:'] = 'OpenID:';
$a->strings['(Optional) Allow this OpenID to login to this account.'] = '(Volitelné) Povolit tomuto OpenID přihlášení k tomuto účtu.';
@ -1633,7 +1587,6 @@ $a->strings['Beginning of week:'] = 'Začátek týdne:';
$a->strings['Additional Features'] = 'Dodatečné vlastnosti';
$a->strings['Connected Apps'] = 'Připojené aplikace';
$a->strings['Remove authorization'] = 'Odstranit oprávnění';
$a->strings['Profile Name is required.'] = 'Jméno profilu je povinné.';
$a->strings['(click to open/close)'] = '(klikněte pro otevření/zavření)';
$a->strings['Profile Actions'] = 'Akce profilu';
$a->strings['Edit Profile Details'] = 'Upravit podrobnosti profilu ';
@ -1731,6 +1684,7 @@ $a->strings['Export all'] = 'Exportovat vše';
$a->strings['At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node\'s user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication.'] = 'Ve chvíli registrace, a pro poskytování komunikace mezi uživatelským účtem a jeho kontakty, musí uživatel poskytnout zobrazované jméno (pseudonym), uživatelské jméno (přezdívku) a funkční e-mailovou adresu. Jména budou dostupná na profilové stránce účtu pro kteréhokoliv návštěvníka, i kdyby ostatní detaily nebyly zobrazeny. E-mailová adresa bude použita pouze pro zasílání oznámení o interakcích, nebude ale viditelně zobrazována. Zápis účtu do adresáře účtů serveru nebo globálního adresáře účtů je nepovinný a může být ovládán v nastavení uživatele, není potřebný pro komunikaci.';
$a->strings['This data is required for communication and is passed on to the nodes of the communication partners and is stored there. Users can enter additional private data that may be transmitted to the communication partners accounts.'] = 'Tato data jsou vyžadována ke komunikaci a jsou předávána serverům komunikačních partnerů a jsou tam ukládána. Uživatelé mohou zadávat dodatečná soukromá data, která mohou být odeslána na účty komunikačních partnerů.';
$a->strings['Privacy Statement'] = 'Prohlášení o soukromí';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'Požadovaná položka neexistuje nebo byla smazána.';
$a->strings['User imports on closed servers can only be done by an administrator.'] = 'Importy uživatelů na uzavřených serverech může provést pouze administrátor.';
$a->strings['Move account'] = 'Přesunout účet';
$a->strings['You can import an account from another Friendica server.'] = 'Můžete importovat účet z jiného serveru Friendica.';
@ -1772,8 +1726,6 @@ $a->strings['Go to Your Site\'s Directory'] = 'Navštivte adresář vaší strá
$a->strings['The Directory page lets you find other people in this network or other federated sites. Look for a <em>Connect</em> or <em>Follow</em> link on their profile page. Provide your own Identity Address if requested.'] = 'Stránka Adresář vám pomůže najít další lidi na tomto serveru nebo v jiných propojených serverech. Najděte na jejich stránce odkaz <em>Spojit se</em> nebo <em>Sledovat</em>. Uveďte svou vlastní adresu identity, je-li požadována.';
$a->strings['Finding New People'] = 'Nalezení nových lidí';
$a->strings['On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours.'] = 'Na bočním panelu stránky s kontakty je několik nástrojů k nalezení nových přátel. Porovnáme lidi dle zájmů, najdeme lidi podle jména nebo zájmu a poskytneme Vám návrhy založené na přátelství v síti přátel. Na zcela novém serveru se návrhy přátelství nabínou obvykle během 24 hodin.';
$a->strings['Group Your Contacts'] = 'Seskupte si své kontakty';
$a->strings['Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page.'] = 'Jakmile získáte nějaké přátele, uspořádejte si je do soukromých konverzačních skupin na postranním panelu vaší stránky Kontakty a pak můžete komunikovat s každou touto skupinu soukromě prostřednictvím stránky Síť.';
$a->strings['Why Aren\'t My Posts Public?'] = 'Proč nejsou mé příspěvky veřejné?';
$a->strings['Friendica respects your privacy. By default, your posts will only show up to people you\'ve added as friends. For more information, see the help section from the link above.'] = 'Friendica respektuje vaše soukromí. Ve výchozím stavu jsou vaše příspěvky viditelné pouze lidem, které označíte jako vaše přátelé. Více informací naleznete v nápovědě na výše uvedeném odkazu';
$a->strings['Getting Help'] = 'Získání nápovědy';

File diff suppressed because it is too large Load Diff

View File

@ -199,6 +199,8 @@ $a->strings['Delete this item?'] = 'Diesen Beitrag löschen?';
$a->strings['Block this author? They won\'t be able to follow you nor see your public posts, and you won\'t be able to see their posts and their notifications.'] = 'Soll dieser Autor geblockt werden? Sie werden nicht in der Lage sein, dir zu folgen oder deine öffentlichen Beiträge zu sehen. Außerdem wirst du nicht in der Lage sein ihre Beiträge und Benachrichtigungen zu lesen.';
$a->strings['Ignore this author? You won\'t be able to see their posts and their notifications.'] = 'Diesen Autor ignorieren? Du wirst seine Beiträge und Benachrichtigungen nicht mehr sehen können.';
$a->strings['Collapse this author\'s posts?'] = 'Beiträge dieses Autors zusammenklappen?';
$a->strings['Ignore this author\'s server?'] = 'Den Server dieses Autors ignorieren?';
$a->strings['You won\'t see any content from this server including reshares in your Network page, the community pages and individual conversations.'] = 'Sie werden keine Inhalte von dieser Instanz sehen, auch nicht das erneute Teilen auf Ihrer Netzwerkseite, den Gemeinschaftsseiten und einzelnen Unterhaltungen.';
$a->strings['Like not successful'] = 'Das "Mag ich" war nicht erfolgreich';
$a->strings['Dislike not successful'] = 'Das "Mag ich nicht" war nicht erfolgreich';
$a->strings['Sharing not successful'] = 'Das Teilen war nicht erfolgreich';
@ -367,6 +369,7 @@ $a->strings['Italic'] = 'Kursiv';
$a->strings['Underline'] = 'Unterstrichen';
$a->strings['Quote'] = 'Zitat';
$a->strings['Add emojis'] = 'Emojis hinzufügen';
$a->strings['Content Warning'] = 'Inhaltswarnung';
$a->strings['Code'] = 'Code';
$a->strings['Image'] = 'Bild';
$a->strings['Link'] = 'Link';
@ -384,16 +387,11 @@ $a->strings['Public post'] = 'Öffentlicher Beitrag';
$a->strings['Message'] = 'Nachricht';
$a->strings['Browser'] = 'Browser';
$a->strings['Open Compose page'] = 'Composer Seite öffnen';
$a->strings['Pinned item'] = 'Angehefteter Beitrag';
$a->strings['View %s\'s profile @ %s'] = 'Das Profil von %s auf %s betrachten.';
$a->strings['Categories:'] = 'Kategorien:';
$a->strings['Filed under:'] = 'Abgelegt unter:';
$a->strings['%s from %s'] = '%s von %s';
$a->strings['View in context'] = 'Im Zusammenhang betrachten';
$a->strings['remove'] = 'löschen';
$a->strings['Delete Selected Items'] = 'Lösche die markierten Beiträge';
$a->strings['You had been addressed (%s).'] = 'Du wurdest angeschrieben (%s).';
$a->strings['You are following %s.'] = 'Du folgst %s.';
$a->strings['You subscribed to %s.'] = 'Sie haben %s abonniert.';
$a->strings['You subscribed to one or more tags in this post.'] = 'Du folgst einem oder mehreren Hashtags dieses Beitrags.';
$a->strings['%s reshared this.'] = '%s hat dies geteilt';
$a->strings['Reshared'] = 'Geteilt';
@ -410,6 +408,40 @@ $a->strings['Local delivery'] = 'Lokale Zustellung';
$a->strings['Stored because of your activity (like, comment, star, ...)'] = 'Gespeichert aufgrund Ihrer Aktivität (Like, Kommentar, Stern, ...)';
$a->strings['Distributed'] = 'Verteilt';
$a->strings['Pushed to us'] = 'Zu uns gepusht';
$a->strings['Pinned item'] = 'Angehefteter Beitrag';
$a->strings['View %s\'s profile @ %s'] = 'Das Profil von %s auf %s betrachten.';
$a->strings['Categories:'] = 'Kategorien:';
$a->strings['Filed under:'] = 'Abgelegt unter:';
$a->strings['%s from %s'] = '%s von %s';
$a->strings['View in context'] = 'Im Zusammenhang betrachten';
$a->strings['For you'] = 'Für Dich';
$a->strings['Posts from contacts you interact with and who interact with you'] = 'Beiträge von Kontakten, mit denen Sie interagieren und die mit Ihnen interagieren';
$a->strings['What\'s Hot'] = 'Angesagt';
$a->strings['Posts with a lot of interactions'] = 'Beiträge mit vielen Interaktionen';
$a->strings['Posts in %s'] = 'Beiträge in %s';
$a->strings['Posts from your followers that you don\'t follow'] = 'Beiträge von Ihren Followern, denen Sie nicht folgen';
$a->strings['Sharers of sharers'] = 'Geteilt von teilenden ';
$a->strings['Posts from accounts that are followed by accounts that you follow'] = 'Beiträge von Accounts, welche von von Accounts gefolgt werden, denen Sie folgen ';
$a->strings['Images'] = 'Bilder';
$a->strings['Posts with images'] = 'Beiträge mit Bildern';
$a->strings['Audio'] = 'Audio';
$a->strings['Posts with audio'] = 'Beiträge mit Audio';
$a->strings['Videos'] = 'Videos';
$a->strings['Posts with videos'] = 'Beiträge mit Videos';
$a->strings['Local Community'] = 'Lokale Gemeinschaft';
$a->strings['Posts from local users on this server'] = 'Beiträge von Nutzern dieses Servers';
$a->strings['Global Community'] = 'Globale Gemeinschaft';
$a->strings['Posts from users of the whole federated network'] = 'Beiträge von Nutzern des gesamten föderalen Netzwerks';
$a->strings['Latest Activity'] = 'Neu - Aktivität';
$a->strings['Sort by latest activity'] = 'Sortiere nach neueste Aktivität';
$a->strings['Latest Posts'] = 'Neu - Empfangen';
$a->strings['Sort by post received date'] = 'Nach Empfangsdatum der Beiträge sortiert';
$a->strings['Latest Creation'] = 'Neu - Erstellung';
$a->strings['Sort by post creation date'] = 'Sortiert nach dem Erstellungsdatum';
$a->strings['Personal'] = 'Persönlich';
$a->strings['Posts that mention or involve you'] = 'Beiträge, in denen es um dich geht';
$a->strings['Starred'] = 'Markierte';
$a->strings['Favourite Posts'] = 'Favorisierte Beiträge';
$a->strings['General Features'] = 'Allgemeine Features';
$a->strings['Photo Location'] = 'Aufnahmeort';
$a->strings['Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map.'] = 'Die Foto-Metadaten werden ausgelesen. Dadurch kann der Aufnahmeort (wenn vorhanden) in einer Karte angezeigt werden.';
@ -439,6 +471,7 @@ $a->strings['Groups'] = 'Gruppen';
$a->strings['External link to group'] = 'Externer Link zur Gruppe';
$a->strings['show less'] = 'weniger anzeigen';
$a->strings['show more'] = 'mehr anzeigen';
$a->strings['Create new group'] = 'Neue Gruppe erstellen';
$a->strings['event'] = 'Veranstaltung';
$a->strings['status'] = 'Status';
$a->strings['photo'] = 'Foto';
@ -453,6 +486,7 @@ $a->strings['Send PM'] = 'Private Nachricht senden';
$a->strings['Block'] = 'Sperren';
$a->strings['Ignore'] = 'Ignorieren';
$a->strings['Collapse'] = 'Zuklappen';
$a->strings['Ignore %s server'] = 'Ignoriere %s Server';
$a->strings['Languages'] = 'Sprachen';
$a->strings['Connect/Follow'] = 'Verbinden/Folgen';
$a->strings['Unable to fetch user.'] = 'Benutzer kann nicht abgerufen werden.';
@ -570,11 +604,13 @@ $a->strings['%d contact in common'] = [
1 => '%d gemeinsame Kontakte',
];
$a->strings['Archives'] = 'Archiv';
$a->strings['On this date'] = 'An diesem Datum';
$a->strings['Persons'] = 'Personen';
$a->strings['Organisations'] = 'Organisationen';
$a->strings['News'] = 'Nachrichten';
$a->strings['Account Types'] = 'Kontenarten';
$a->strings['All'] = 'Alle';
$a->strings['Channels'] = 'Kanäle';
$a->strings['Export'] = 'Exportieren';
$a->strings['Export calendar as ical'] = 'Kalender als ical exportieren';
$a->strings['Export calendar as csv'] = 'Kalender als csv exportieren';
@ -714,6 +750,8 @@ $a->strings['Sep'] = 'Sep';
$a->strings['Oct'] = 'Okt';
$a->strings['Nov'] = 'Nov';
$a->strings['Dec'] = 'Dez';
$a->strings['The logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'Die Logdatei \'%s\' ist nicht beschreibbar. Derzeit ist keine Aufzeichnung möglich (Fehler: \'%s\')';
$a->strings['The debug logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'Die Logdatei \'%s\' ist nicht beschreibbar. Derzeit ist keine Aufzeichnung möglich (Fehler: \'%s\')';
$a->strings['Friendica can\'t display this page at the moment, please contact the administrator.'] = 'Friendica kann die Seite im Moment nicht darstellen. Bitte kontaktiere das Administratoren Team.';
$a->strings['template engine cannot be registered without a name.'] = 'Die Template Engine kann nicht ohne einen Namen registriert werden.';
$a->strings['template engine is not registered!'] = 'Template Engine wurde nicht registriert!';
@ -761,13 +799,12 @@ $a->strings['Token is not authorized with a valid user or is missing a required
$a->strings['Internal Server Error'] = 'Interner Serverfehler';
$a->strings['Legacy module file not found: %s'] = 'Legacy-Moduldatei nicht gefunden: %s';
$a->strings['A deleted circle with this name was revived. Existing item permissions <strong>may</strong> apply to this circle and any future members. If this is not what you intended, please create another circle with a different name.'] = 'Ein gelöschter Circle mit diesem Namen wurde wiederhergestellt. Bestehende Objektberechtigungen <strong>können</strong> für diesen Circle und alle zukünftigen Mitglieder gelten. Wenn dies nicht das ist, was Sie beabsichtigen, erstellen Sie bitte einen neuen Circle mit einem anderen Namen.';
$a->strings['Default privacy circle for new contacts'] = 'Voreingestellter Circle für neue Kontakte';
$a->strings['Everybody'] = 'Alle Kontakte';
$a->strings['edit'] = 'bearbeiten';
$a->strings['add'] = 'hinzufügen';
$a->strings['Edit circle'] = 'Circle ändern';
$a->strings['Contacts not in any circle'] = 'Kontakte die keinem Circle zugeordnet sind';
$a->strings['Create a new circle'] = 'Erstelle neuen Cricle';
$a->strings['Contacts not in any circle'] = 'Kontakte, die keinem Circle zugeordnet sind';
$a->strings['Create a new circle'] = 'Erstelle neuen Circle';
$a->strings['Circle Name: '] = 'Circle Name: ';
$a->strings['Edit circles'] = 'Circles bearbeiten';
$a->strings['Approve'] = 'Genehmigen';
@ -1368,8 +1405,6 @@ $a->strings['The last worker execution was on %s UTC. This is older than one hou
$a->strings['Friendica\'s configuration now is stored in config/local.config.php, please copy config/local-sample.config.php and move your config from <code>.htconfig.php</code>. See <a href="%s">the Config help page</a> for help with the transition.'] = 'Die Konfiguration von Friendica befindet sich ab jetzt in der \'config/local.config.php\' Datei. Kopiere bitte die Datei \'config/local-sample.config.php\' nach \'config/local.config.php\' und setze die Konfigurationvariablen so wie in der alten <code>.htconfig.php</code>. Wie die Übertragung der Werte aussehen muss, kannst du der <a href="%s">Konfiguration Hilfeseite</a> entnehmen.';
$a->strings['Friendica\'s configuration now is stored in config/local.config.php, please copy config/local-sample.config.php and move your config from <code>config/local.ini.php</code>. See <a href="%s">the Config help page</a> for help with the transition.'] = 'Die Konfiguration von Friendica befindet sich ab jetzt in der \'config/local.config.php\' Datei. Kopiere bitte die Datei \'config/local-sample.config.php\' nach \'config/local.config.php\' und setze die Konfigurationvariablen so wie in der alten <code>config/local.ini.php</code>. Wie die Übertragung der Werte aussehen muss, kannst du der <a href="%s">Konfiguration Hilfeseite</a> entnehmen.';
$a->strings['<a href="%s">%s</a> is not reachable on your system. This is a severe configuration issue that prevents server to server communication. See <a href="%s">the installation page</a> for help.'] = '<a href="%s">%s</a> konnte von deinem System nicht aufgerufen werden. Dies deutet auf ein schwerwiegendes Problem deiner Konfiguration hin. Bitte konsultiere <a href="%s">die Installations-Dokumentation</a> zum Beheben des Problems.';
$a->strings['The logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'Die Logdatei \'%s\' ist nicht beschreibbar. Derzeit ist keine Aufzeichnung möglich (Fehler: \'%s\')';
$a->strings['The debug logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'Die Logdatei \'%s\' ist nicht beschreibbar. Derzeit ist keine Aufzeichnung möglich (Fehler: \'%s\')';
$a->strings['Friendica\'s system.basepath was updated from \'%s\' to \'%s\'. Please remove the system.basepath from your db to avoid differences.'] = 'Friendica\'s system.basepath wurde aktualisiert \'%s\' von \'%s\'. Bitte entferne system.basepath aus der Datenbank um Unterschiede zu vermeiden.';
$a->strings['Friendica\'s current system.basepath \'%s\' is wrong and the config file \'%s\' isn\'t used.'] = 'Friendica\'s aktueller system.basepath \'%s\' ist verkehrt und die config file \'%s\' wird nicht benutzt.';
$a->strings['Friendica\'s current system.basepath \'%s\' is not equal to the config file \'%s\'. Please fix your configuration.'] = 'Friendica\'s aktueller system.basepath \'%s\' ist nicht gleich wie die config file \'%s\'. Bitte korrigiere deine Konfiguration.';
@ -1440,6 +1475,9 @@ $a->strings['Monthly posting limit of %d post reached. The post was rejected.']
0 => 'Das monatliche Limit von %d Beitrag wurde erreicht. Der Beitrag wurde verworfen.',
1 => 'Das monatliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen.',
];
$a->strings['You don\'t have access to moderation pages.'] = 'Sie haben keinen Zugriff zu den Moderationsseiten.';
$a->strings['Submanaged account can\'t access the moderation pages. Please log back in as the main account.'] = 'Das unterverwaltete Konto kann nicht auf die Moderationsseiten zugreifen. Bitte melden Sie sich wieder mit dem Hauptkonto an.';
$a->strings['Reports'] = 'Reports';
$a->strings['Users'] = 'Nutzer';
$a->strings['Tools'] = 'Werkzeuge';
$a->strings['Contact Blocklist'] = 'Kontakt Blockliste';
@ -1465,6 +1503,7 @@ $a->strings['Display'] = 'Anzeige';
$a->strings['Social Networks'] = 'Soziale Netzwerke';
$a->strings['Manage Accounts'] = 'Accounts Verwalten';
$a->strings['Connected apps'] = 'Verbundene Programme';
$a->strings['Remote servers'] = 'Remote Instanzen';
$a->strings['Export personal data'] = 'Persönliche Daten exportieren';
$a->strings['Remove account'] = 'Konto löschen';
$a->strings['This page is missing a url parameter.'] = 'Der Seite fehlt ein URL Parameter.';
@ -1610,6 +1649,7 @@ $a->strings['You are mutual friends with %s'] = 'Du hast mit %s eine beidseitige
$a->strings['You are sharing with %s'] = 'Du teilst mit %s';
$a->strings['%s is sharing with you'] = '%s teilt mit dir';
$a->strings['Private communications are not available for this contact.'] = 'Private Kommunikation ist für diesen Kontakt nicht verfügbar.';
$a->strings['This contact is on a server you ignored.'] = 'Dieser Kontakt befindet sich auf einem Server, den Sie ignoriert haben.';
$a->strings['Never'] = 'Niemals';
$a->strings['(Update was not successful)'] = '(Aktualisierung war nicht erfolgreich)';
$a->strings['(Update was successful)'] = '(Aktualisierung war erfolgreich)';
@ -1640,6 +1680,7 @@ $a->strings['Currently blocked'] = 'Derzeit geblockt';
$a->strings['Currently ignored'] = 'Derzeit ignoriert';
$a->strings['Currently collapsed'] = 'Derzeit zugeklappt';
$a->strings['Currently archived'] = 'Momentan archiviert';
$a->strings['Manage remote servers'] = 'Verwaltung entfernter Instanzen';
$a->strings['Hide this contact from others'] = 'Verbirg diesen Kontakt vor Anderen';
$a->strings['Replies/likes to your public posts <strong>may</strong> still be visible'] = 'Antworten/Likes auf deine öffentlichen Beiträge <strong>könnten</strong> weiterhin sichtbar sein';
$a->strings['Notification for new posts'] = 'Benachrichtigung bei neuen Beiträgen';
@ -1650,6 +1691,17 @@ $a->strings['Actions'] = 'Aktionen';
$a->strings['Status'] = 'Status';
$a->strings['Mirror postings from this contact'] = 'Spiegle Beiträge dieses Kontakts';
$a->strings['Mark this contact as remote_self, this will cause friendica to repost new entries from this contact.'] = 'Markiere diesen Kontakt als remote_self (entferntes Konto), dies veranlasst Friendica, alle Top-Level Beiträge dieses Kontakts an all Deine Kontakte zu senden (spiegeln).';
$a->strings['Channel Settings'] = 'Kanal Einstellungen';
$a->strings['Frequency of this contact in relevant channels'] = 'Häufigkeit dieses Kontakts in relevanten Kanälen';
$a->strings['Depending on the type of the channel not all posts from this contact are displayed. By default, posts need to have a minimum amount of interactions (comments, likes) to show in your channels. On the other hand there can be contacts who flood the channel, so you might want to see only some of their posts. Or you don\'t want to see their content at all, but you don\'t want to block or hide the contact completely.'] = 'Je nach Art des Kanals werden nicht alle Beiträge dieses Kontakts angezeigt. Standardmäßig müssen Beiträge eine Mindestanzahl an Interaktionen (Kommentare, Gefällt mir Angaben) aufweisen, um in Ihren Kanälen angezeigt zu werden. Andererseits kann es Kontakte geben, die den Kanal überfluten, so dass Sie vielleicht nur einige ihrer Beiträge sehen möchten. Oder Sie möchten deren Inhalte überhaupt nicht sehen, aber Sie möchten den Kontakt nicht komplett blockieren oder ausblenden.';
$a->strings['Default frequency'] = 'Standardhäufigkeit';
$a->strings['Posts by this contact are displayed in the "for you" channel if you interact often with this contact or if a post reached some level of interaction.'] = 'Beiträge dieses Kontakts werden im "Für Dich"-Kanal angezeigt, wenn Sie häufig mit diesem Kontakt interagieren oder wenn ein Beitrag ein gewisses Maß an Interaktion erreicht hat.';
$a->strings['Display all posts of this contact'] = 'Alle Beiträge dieses Kontakts anzeigen';
$a->strings['All posts from this contact will appear on the "for you" channel'] = 'Alle Beiträge dieses Kontakts werden auf dem Kanal "Für Dich" erscheinen';
$a->strings['Display only few posts'] = 'Zeige nur einige Beiträge an';
$a->strings['When a contact creates a lot of posts in a short period, this setting reduces the number of displayed posts in every channel.'] = 'Wenn ein Kontakt viele Beiträge in einem kurzen Zeitraum erstellt, reduziert diese Einstellung die Anzahl der angezeigten Beiträge in jedem Kanal.';
$a->strings['Never display posts'] = 'Zeige keine Beiträge an';
$a->strings['Posts from this contact will never be displayed in any channel'] = 'Beiträge von diesem Kontakt werden in keinem Kanal angezeigt';
$a->strings['Refetch contact data'] = 'Kontaktdaten neu laden';
$a->strings['Toggle Blocked status'] = 'Geblockt-Status ein-/ausschalten';
$a->strings['Toggle Ignored status'] = 'Ignoriert-Status ein-/ausschalten';
@ -1668,29 +1720,17 @@ $a->strings['Unfollowing is currently not supported by your network.'] = 'Bei di
$a->strings['Disconnect/Unfollow'] = 'Verbindung lösen/Nicht mehr folgen';
$a->strings['Contact was successfully unfollowed'] = 'Kontakt wurde erfolgreich entfolgt.';
$a->strings['Unable to unfollow this contact, please contact your administrator'] = 'Konnte dem Kontakt nicht entfolgen. Bitte kontaktiere deinen Administrator.';
$a->strings['This community stream shows all public posts received by this node. They may not reflect the opinions of this nodes users.'] = 'Diese Gemeinschaftsseite zeigt alle öffentlichen Beiträge, die auf diesem Knoten eingegangen sind. Der Inhalt entspricht nicht zwingend der Meinung der Nutzer dieses Servers.';
$a->strings['Local Community'] = 'Lokale Gemeinschaft';
$a->strings['Posts from local users on this server'] = 'Beiträge von Nutzern dieses Servers';
$a->strings['Global Community'] = 'Globale Gemeinschaft';
$a->strings['Posts from users of the whole federated network'] = 'Beiträge von Nutzern des gesamten föderalen Netzwerks';
$a->strings['Own Contacts'] = 'Eigene Kontakte';
$a->strings['Include'] = 'Einschließen';
$a->strings['Hide'] = 'Verbergen';
$a->strings['No results.'] = 'Keine Ergebnisse.';
$a->strings['Channel not available.'] = 'Channel nicht verüfgbar';
$a->strings['This community stream shows all public posts received by this node. They may not reflect the opinions of this nodes users.'] = 'Diese Gemeinschaftsseite zeigt alle öffentlichen Beiträge, die auf diesem Knoten eingegangen sind. Der Inhalt entspricht nicht zwingend der Meinung der Nutzer dieses Servers.';
$a->strings['Community option not available.'] = 'Optionen für die Gemeinschaftsseite nicht verfügbar.';
$a->strings['Not available.'] = 'Nicht verfügbar.';
$a->strings['No such circle'] = 'Circle ist nicht vorhanden';
$a->strings['Circle: %s'] = 'Circle: %s';
$a->strings['Latest Activity'] = 'Neu - Aktivität';
$a->strings['Sort by latest activity'] = 'Sortiere nach neueste Aktivität';
$a->strings['Latest Posts'] = 'Neu - Empfangen';
$a->strings['Sort by post received date'] = 'Nach Empfangsdatum der Beiträge sortiert';
$a->strings['Latest Creation'] = 'Neu - Erstellung';
$a->strings['Sort by post creation date'] = 'Sortiert nach dem Erstellungsdatum';
$a->strings['Personal'] = 'Persönlich';
$a->strings['Posts that mention or involve you'] = 'Beiträge, in denen es um dich geht';
$a->strings['Starred'] = 'Markierte';
$a->strings['Favourite Posts'] = 'Favorisierte Beiträge';
$a->strings['Network feed not available.'] = 'Netzwerkfeed nicht verfügbar.';
$a->strings['Own Contacts'] = 'Eigene Kontakte';
$a->strings['Include'] = 'Einschließen';
$a->strings['Hide'] = 'Verbergen';
$a->strings['Credits'] = 'Credits';
$a->strings['Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!'] = 'Friendica ist ein Gemeinschaftsprojekt, das nicht ohne die Hilfe vieler Personen möglich wäre. Hier ist eine Aufzählung der Personen, die zum Code oder der Übersetzung beigetragen haben. Dank an alle !';
$a->strings['Formatted'] = 'Formatiert';
@ -1854,7 +1894,6 @@ $a->strings['Clear the location'] = 'Ort löschen';
$a->strings['Location services are unavailable on your device'] = 'Ortungsdienste sind auf Ihrem Gerät nicht verfügbar';
$a->strings['Location services are disabled. Please check the website\'s permissions on your device'] = 'Ortungsdienste sind deaktiviert. Bitte überprüfe die Berechtigungen der Website auf deinem Gerät';
$a->strings['You can make this page always open when you use the New Post button in the <a href="/settings/display">Theme Customization settings</a>.'] = 'Wenn du magst, kannst du unter den <a href="/settings/display">Benutzerdefinierte Theme-Einstellungen</a> einstellen, dass diese Seite immer geöffnet wird, wenn du den "Neuer Beitrag" Button verwendest.';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'Der angeforderte Beitrag existiert nicht oder wurde gelöscht.';
$a->strings['The feed for this item is unavailable.'] = 'Der Feed für diesen Beitrag ist nicht verfügbar.';
$a->strings['Unable to follow this item.'] = 'Konnte dem Beitrag nicht folgen.';
$a->strings['System down for maintenance'] = 'System zur Wartung abgeschaltet';
@ -1998,6 +2037,56 @@ $a->strings['Item not found'] = 'Beitrag nicht gefunden';
$a->strings['No source recorded'] = 'Keine Quelle aufgezeichnet';
$a->strings['Please make sure the <code>debug.store_source</code> config key is set in <code>config/local.config.php</code> for future items to have sources.'] = 'Bitte stelle sicher, dass der Config-Schlüssel <code>debug.store_source</code> in der <code>config/local.config.php</code> gesetzt ist um in Zukunft Quellen zu haben.';
$a->strings['Item Guid'] = 'Beitrags-Guid';
$a->strings['Contact not found or their server is already blocked on this node.'] = 'Kontakt nicht gefunden oder seine Instanz ist bereits auf dieser Instanz blockiert.';
$a->strings['Please login to access this page.'] = 'Bitte melden Sie sich an, um auf diese Seite zuzugreifen.';
$a->strings['Create Moderation Report'] = 'Moderationsbericht erstellen';
$a->strings['Pick Contact'] = 'Kontakt wählen';
$a->strings['Please enter below the contact address or profile URL you would like to create a moderation report about.'] = 'Bitte geben Sie unten die Kontaktadresse oder Profil-URL ein, über die Sie einen Moderationsbericht erstellen möchten.';
$a->strings['Contact address/URL'] = 'Kontaktadresse/URL';
$a->strings['Pick Category'] = 'Kategorie auswählen';
$a->strings['Please pick below the category of your report.'] = 'Bitte wählen Sie unten die Kategorie für Ihren Bericht.';
$a->strings['Spam'] = 'Spam';
$a->strings['This contact is publishing many repeated/overly long posts/replies or advertising their product/websites in otherwise irrelevant conversations.'] = 'Dieser Kontakt veröffentlicht viele wiederholte/überlange Beiträge/Antworten oder wirbt für sein Produkt/seine Website in ansonsten belanglosen Gesprächen.';
$a->strings['Illegal Content'] = 'Illegaler Inhalt';
$a->strings['This contact is publishing content that is considered illegal in this node\'s hosting juridiction.'] = 'Dieser Kontakt veröffentlicht Inhalte, die in dem Land, in dem diese Instanz gehostet wird, als illegal gelten.';
$a->strings['Community Safety'] = 'Sicherheit in der Gemeinschaft';
$a->strings['This contact aggravated you or other people, by being provocative or insensitive, intentionally or not. This includes disclosing people\'s private information (doxxing), posting threats or offensive pictures in posts or replies.'] = 'Dieser Kontakt hat Sie oder andere Personen verärgert, indem er absichtlich oder unabsichtlich provokativ oder unsensibel war. Dazu gehören die Offenlegung privater Informationen (Doxxing), das Posten von Drohungen oder anstößigen Bildern in Beiträgen oder Antworten.';
$a->strings['Unwanted Content/Behavior'] = 'Unerwünschte Inhalte/Verhaltensweisen';
$a->strings['This contact has repeatedly published content irrelevant to the node\'s theme or is openly criticizing the node\'s administration/moderation without directly engaging with the relevant people for example or repeatedly nitpicking on a sensitive topic.'] = 'Dieser Kontakt hat wiederholt Inhalte veröffentlicht, die für das Thema der Instanz irrelevant sind, oder er kritisiert offen die Verwaltung/Moderation der Instanz, ohne sich direkt mit den betreffenden Personen auseinanderzusetzen, oder er ist wiederholt erbsenzählerisch bei einem heiklen Thema.';
$a->strings['Rules Violation'] = 'Verstoß gegen die Regeln';
$a->strings['This contact violated one or more rules of this node. You will be able to pick which one(s) in the next step.'] = 'Dieser Kontakt hat gegen eine oder mehrere Regeln dieser Instanz verstoßen. Sie können im nächsten Schritt auswählen, welche.';
$a->strings['Please elaborate below why you submitted this report. The more details you provide, the better your report can be handled.'] = 'Bitte geben Sie im Folgenden an, warum Sie diese Meldung eingereicht haben. Je mehr Details Sie angeben, desto besser kann Ihre Meldung bearbeitet werden.';
$a->strings['Additional Information'] = 'Zusätzliche Informationen';
$a->strings['Please provide any additional information relevant to this particular report. You will be able to attach posts by this contact in the next step, but any context is welcome.'] = 'Bitte geben Sie alle zusätzlichen Informationen an, die für diesen Bericht relevant sind. Sie können im nächsten Schritt Beiträge dieser Kontaktperson anhängen, aber jeder Kontext ist willkommen.';
$a->strings['Pick Rules'] = 'Regeln auswählen';
$a->strings['Please pick below the node rules you believe this contact violated.'] = 'Bitte wählen Sie unten die Instanzregeln aus, gegen die dieser Kontakt Ihrer Meinung nach verstoßen hat.';
$a->strings['Pick Posts'] = 'Beiträge auswählen';
$a->strings['Please optionally pick posts to attach to your report.'] = 'Bitte wählen Sie optional Beiträge aus, die Sie an Ihren Bericht anhängen möchten.';
$a->strings['Submit Report'] = 'Bericht senden';
$a->strings['Further Action'] = 'Weiteres Vorgehen';
$a->strings['You can also perform one of the following action on the contact you reported:'] = 'Sie können auch eine der folgenden Aktionen für den gemeldeten Kontakt durchführen:';
$a->strings['Nothing'] = 'Nichts';
$a->strings['Collapse contact'] = 'Kontakt verbergen';
$a->strings['Their posts and replies will keep appearing in your Network page but their content will be collapsed by default.'] = 'Ihre Beiträge und Antworten werden weiterhin auf Ihrer Netzwerkseite angezeigt, aber ihr Inhalt wird standardmäßig ausgeblendet.';
$a->strings['Their posts won\'t appear in your Network page anymore, but their replies can appear in forum threads. They still can follow you.'] = 'Ihre Beiträge werden nicht mehr auf Ihrer Netzwerkseite angezeigt, aber ihre Antworten können in Forenbeiträgen erscheinen. Sie können Ihnen immer noch folgen.';
$a->strings['Block contact'] = 'Kontakt blockieren';
$a->strings['Their posts won\'t appear in your Network page anymore, but their replies can appear in forum threads, with their content collapsed by default. They cannot follow you but still can have access to your public posts by other means.'] = 'Ihre Beiträge erscheinen nicht mehr auf Ihrer Netzwerkseite, aber ihre Antworten können in Forumsthemen erscheinen, wobei ihr Inhalt standardmäßig eingeklappt ist. Sie können Ihnen nicht folgen, haben aber auf anderem Wege weiterhin Zugang zu Ihren öffentlichen Beiträgen.';
$a->strings['Forward report'] = 'Bericht weiterleiten';
$a->strings['Would you ike to forward this report to the remote server?'] = 'Möchten Sie diesen Bericht an den Remote-Server weiterleiten?';
$a->strings['1. Pick a contact'] = '1. Wählen Sie einen Kontakt';
$a->strings['2. Pick a category'] = '2. Wählen Sie eine Kategorie';
$a->strings['2a. Pick rules'] = '2a. Regeln wählen';
$a->strings['2b. Add comment'] = '2b. Kommentar hinzufügen';
$a->strings['3. Pick posts'] = '3. Beiträge auswählen';
$a->strings['List of reports'] = 'Liste der Reports';
$a->strings['This page display reports created by our or remote users.'] = 'Auf dieser Seite werden Reports angezeigt, die von unseren oder entfernten Benutzern erstellt wurden.';
$a->strings['No report exists at this node.'] = 'Auf dieser Instanz ist kein Report vorhanden.';
$a->strings['Category'] = 'Kategorie';
$a->strings['%s total report'] = [
0 => '%s Report',
1 => '%s Reports insgesamt',
];
$a->strings['URL of the reported contact.'] = 'URL des gemeldeten Kontakts.';
$a->strings['Normal Account'] = 'Normales Konto';
$a->strings['Automatic Follower Account'] = 'Automatisch folgendes Konto (Marktschreier)';
$a->strings['Public Group Account'] = 'Öffentliches Gruppen-Konto';
@ -2302,6 +2391,7 @@ $a->strings['Password:'] = 'Passwort:';
$a->strings['Your current password to confirm the changes of the email address'] = 'Dein aktuelles Passwort um die Änderungen deiner E-Mail Adresse zu bestätigen';
$a->strings['Delete OpenID URL'] = 'OpenID URL löschen';
$a->strings['Basic Settings'] = 'Grundeinstellungen';
$a->strings['Display name:'] = 'Anzeigename:';
$a->strings['Email Address:'] = 'E-Mail-Adresse:';
$a->strings['Your Timezone:'] = 'Deine Zeitzone:';
$a->strings['Your Language:'] = 'Deine Sprache:';
@ -2312,7 +2402,7 @@ $a->strings['Security and Privacy Settings'] = 'Sicherheits- und Privatsphäre-E
$a->strings['Maximum Friend Requests/Day:'] = 'Maximale Anzahl von Kontaktanfragen/Tag:';
$a->strings['(to prevent spam abuse)'] = '(um SPAM zu vermeiden)';
$a->strings['Allow your profile to be searchable globally?'] = 'Darf dein Profil bei Suchanfragen gefunden werden?';
$a->strings['Activate this setting if you want others to easily find and follow you. Your profile will be searchable on remote systems. This setting also determines whether Friendica will inform search engines that your profile should be indexed or not.'] = 'Aktiviere diese Einstellung, wenn du von anderen einfach gefunden und gefolgt werden möchtest. Dei Profil wird dann auf anderen Systemen leicht durchsuchbar. Außerdem regelt diese Einstellung ob Friendica Suchmaschinen mitteilen soll, ob dein Profil indiziert werden soll oder nicht.';
$a->strings['Activate this setting if you want others to easily find and follow you. Your profile will be searchable on remote systems. This setting also determines whether Friendica will inform search engines that your profile should be indexed or not.'] = 'Aktiviere diese Einstellung, wenn du von anderen einfach gefunden und gefolgt werden möchtest. Dein Profil wird dann auf anderen Systemen leicht durchsuchbar. Außerdem regelt diese Einstellung ob Friendica Suchmaschinen mitteilen soll, ob dein Profil indiziert werden soll oder nicht.';
$a->strings['Hide your contact/friend list from viewers of your profile?'] = 'Liste der Kontakte vor Betrachtern des Profil verbergen?';
$a->strings['A list of your contacts is displayed on your profile page. Activate this option to disable the display of your contact list.'] = 'Auf deiner Profilseite wird eine Liste deiner Kontakte angezeigt. Aktiviere diese Option wenn du das nicht möchtest.';
$a->strings['Hide your public content from anonymous viewers'] = 'Verbirg die öffentliche Inhalte vor anonymen Besuchern';
@ -2328,6 +2418,8 @@ $a->strings['Your contacts can add additional tags to your posts.'] = 'Deine Kon
$a->strings['Permit unknown people to send you private mail?'] = 'Dürfen dir Unbekannte private Nachrichten schicken?';
$a->strings['Friendica network users may send you private messages even if they are not in your contact list.'] = 'Nutzer des Friendica Netzwerks können dir private Nachrichten senden, selbst wenn sie nicht in deine Kontaktliste sind.';
$a->strings['Maximum private messages per day from unknown people:'] = 'Maximale Anzahl privater Nachrichten von Unbekannten pro Tag:';
$a->strings['Default privacy circle for new contacts'] = 'Voreingestellter Circle für neue Kontakte';
$a->strings['Default privacy circle for new group contacts'] = 'Voreingestellter Circle für neue Gruppenkontakte';
$a->strings['Default Post Permissions'] = 'Standard-Zugriffsrechte für Beiträge';
$a->strings['Expiration settings'] = 'Verfalls-Einstellungen';
$a->strings['Automatically expire posts after this many days:'] = 'Beiträge verfallen automatisch nach dieser Anzahl von Tagen:';
@ -2445,6 +2537,7 @@ $a->strings['General Theme Settings'] = 'Allgemeine Theme-Einstellungen';
$a->strings['Custom Theme Settings'] = 'Benutzerdefinierte Theme-Einstellungen';
$a->strings['Content Settings'] = 'Einstellungen zum Inhalt';
$a->strings['Theme settings'] = 'Theme-Einstellungen';
$a->strings['Timelines'] = 'Timelines';
$a->strings['Display Theme:'] = 'Theme:';
$a->strings['Mobile Theme:'] = 'Mobiles Theme';
$a->strings['Number of items to display per page:'] = 'Zahl der Beiträge, die pro Netzwerkseite angezeigt werden sollen: ';
@ -2466,12 +2559,17 @@ $a->strings['Stay local'] = 'Bleib lokal';
$a->strings['Don\'t go to a remote system when following a contact link.'] = 'Gehe nicht zu einem Remote-System, wenn einem Kontaktlink gefolgt wird';
$a->strings['Link preview mode'] = 'Vorschau Modus für Links';
$a->strings['Appearance of the link preview that is added to each post with a link.'] = 'Aussehen der Linkvorschau, die zu jedem Beitrag mit einem Link hinzugefügt wird.';
$a->strings['Timelines for the network page:'] = 'Timelines für die Netzwerkseite:';
$a->strings['Select all the timelines that you want to see on your network page.'] = 'Wählen Sie alle Timelines aus, die Sie auf Ihrer Netzwerkseite sehen möchten.';
$a->strings['Channel languages:'] = 'Channel Spachen:';
$a->strings['Select all languages that you want to see in your channels.'] = 'Wählen Sie alle Sprachen aus, die Sie in Ihren Kanälen sehen möchten.';
$a->strings['Beginning of week:'] = 'Wochenbeginn:';
$a->strings['Default calendar view:'] = 'Standard-Kalenderansicht:';
$a->strings['%s: %s'] = '%s: %s';
$a->strings['Additional Features'] = 'Zusätzliche Features';
$a->strings['Connected Apps'] = 'Verbundene Programme';
$a->strings['Remove authorization'] = 'Autorisierung entziehen';
$a->strings['Profile Name is required.'] = 'Profilname ist erforderlich.';
$a->strings['Display Name is required.'] = 'Der Anzeigename ist erforderlich.';
$a->strings['Profile couldn\'t be updated.'] = 'Das Profil konnte nicht aktualisiert werden.';
$a->strings['Label:'] = 'Bezeichnung:';
$a->strings['Value:'] = 'Wert:';
@ -2488,7 +2586,16 @@ $a->strings['Location'] = 'Wohnort';
$a->strings['Miscellaneous'] = 'Verschiedenes';
$a->strings['Custom Profile Fields'] = 'Benutzerdefinierte Profilfelder';
$a->strings['Upload Profile Photo'] = 'Profilbild hochladen';
$a->strings['Display name:'] = 'Anzeigename:';
$a->strings['<p>Custom fields appear on <a href="%s">your profile page</a>.</p>
<p>You can use BBCodes in the field values.</p>
<p>Reorder by dragging the field title.</p>
<p>Empty the label field to remove a custom field.</p>
<p>Non-public fields can only be seen by the selected Friendica contacts or the Friendica contacts in the selected circles.</p>'] = '<p>Die benutzerdefinierten Felder erscheinen auf <a href="%s">deiner Profil-Seite</a></p>.
<p>BBCode kann verwendet werden</p>
<p>Die Reihenfolge der Felder kann durch Ziehen des Feld-Titels mit der Maus angepasst werden.</p>
<p>Wird die Bezeichnung des Felds geleert, wird das Feld beim Speichern aus dem Profil entfernt.</p>
<p>Nicht öffentliche Felder können nur von den ausgewählten Friendica Circles gesehen werden.</p>';
$a->strings['Street Address:'] = 'Adresse:';
$a->strings['Locality/City:'] = 'Wohnort:';
$a->strings['Region/State:'] = 'Region/Bundesstaat:';
@ -2503,16 +2610,6 @@ $a->strings['Public Keywords:'] = 'Öffentliche Schlüsselwörter:';
$a->strings['(Used for suggesting potential friends, can be seen by others)'] = '(Wird verwendet, um potentielle Kontakte zu finden, kann von Kontakten eingesehen werden)';
$a->strings['Private Keywords:'] = 'Private Schlüsselwörter:';
$a->strings['(Used for searching profiles, never shown to others)'] = '(Wird für die Suche nach Profilen verwendet und niemals veröffentlicht)';
$a->strings['<p>Custom fields appear on <a href="%s">your profile page</a>.</p>
<p>You can use BBCodes in the field values.</p>
<p>Reorder by dragging the field title.</p>
<p>Empty the label field to remove a custom field.</p>
<p>Non-public fields can only be seen by the selected Friendica contacts or the Friendica contacts in the selected circles.</p>'] = '<p>Die benutzerdefinierten Felder erscheinen auf <a href="%s">deiner Profil-Seite</a></p>.
<p>BBCode kann verwendet werden</p>
<p>Die Reihenfolge der Felder kann durch Ziehen des Feld-Titels mit der Maus angepasst werden.</p>
<p>Wird die Bezeichnung des Felds geleert, wird das Feld beim Speichern aus dem Profil entfernt.</p>
<p>Nicht öffentliche Felder können nur von den ausgewählten Friendica Circles gesehen werden.</p>';
$a->strings['Image size reduction [%s] failed.'] = 'Verkleinern der Bildgröße von [%s] scheiterte.';
$a->strings['Shift-reload the page or clear browser cache if the new photo does not display immediately.'] = 'Drücke Umschalt+Neu Laden oder leere den Browser-Cache, falls das neue Foto nicht gleich angezeigt wird.';
$a->strings['Unable to process image'] = 'Bild konnte nicht verarbeitet werden';
@ -2537,6 +2634,14 @@ $a->strings['Your user account has been successfully removed. Bye bye!'] = 'Dein
$a->strings['Remove My Account'] = 'Konto löschen';
$a->strings['This will completely remove your account. Once this has been done it is not recoverable.'] = 'Dein Konto wird endgültig gelöscht. Es gibt keine Möglichkeit, es wiederherzustellen.';
$a->strings['Please enter your password for verification:'] = 'Bitte gib dein Passwort zur Verifikation ein:';
$a->strings['Do you want to ignore this server?'] = 'Möchten Sie diese Instanz ignorieren?';
$a->strings['Do you want to unignore this server?'] = 'Möchten Sie diese Instanz nicht mehr ignorieren?';
$a->strings['Remote server settings'] = 'Einstellungen der Remote-Instanz';
$a->strings['Server URL'] = 'Server URL';
$a->strings['Settings saved'] = 'Einstellungen gespeichert';
$a->strings['Here you can find all the remote servers you have taken individual moderation actions against. For a list of servers your node has blocked, please check out the <a href="friendica">Information</a> page.'] = 'Hier finden Sie alle Remote-Server, gegen die Sie individuelle Moderationsmaßnahmen ergriffen haben. Eine Liste der Server, die Ihre Instanz blockiert hat, finden Sie auf der <a href="friendica">Informationseite</a> .';
$a->strings['Delete all your settings for the remote server'] = 'Löschen Sie alle Ihre Einstellungen für die Remote-Instanz';
$a->strings['Save changes'] = 'Einstellungen speichern';
$a->strings['Please enter your password to access this page.'] = 'Bitte gib dein Passwort ein, um auf diese Seite zuzugreifen.';
$a->strings['App-specific password generation failed: The description is empty.'] = 'Die Erzeugung des App spezifischen Passworts ist fehlgeschlagen. Die Beschreibung ist leer.';
$a->strings['App-specific password generation failed: This description already exists.'] = 'Die Erzeugung des App spezifischen Passworts ist fehlgeschlagen. Die Beschreibung existiert bereits.';
@ -2631,22 +2736,14 @@ $a->strings['Export all'] = 'Alles exportieren';
$a->strings['Export your account info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)'] = 'Exportiere deine Account Informationen, Kontakte und alle Einträge als JSON Datei. Dies könnte eine sehr große Datei werden und dementsprechend viel Zeit benötigen. Verwende dies um ein komplettes Backup deines Accounts anzulegen (Photos werden nicht exportiert).';
$a->strings['Export Contacts to CSV'] = 'Kontakte nach CSV exportieren';
$a->strings['Export the list of the accounts you are following as CSV file. Compatible to e.g. Mastodon.'] = 'Exportiert die Liste der Nutzerkonten denen du folgst in eine CSV Datei. Das Format ist z.B. zu Mastodon kompatibel.';
$a->strings['Not Found'] = 'Nicht gefunden';
$a->strings['<p>Unfortunately, the requested conversation isn\'t available to you.</p>
<p>Possible reasons include:</p>
<ul>
<li>The top-level post isn\'t visible.</li>
<li>The top-level post was deleted.</li>
<li>The node has blocked the top-level author or the author of the shared post.</li>
<li>You have ignored or blocked the top-level author or the author of the shared post.</li>
</ul>'] = '<p>Leider ist die gewünschte Konversation für Sie nicht verfügbar.</p>
<p>Mögliche Gründe sind::</p>
<ul>
<li>Der Beitrag der obersten Ebene ist nicht sichtbar,</li>
<li>Der Beitrag der obersten Ebene wurde gelöscht.</li>
<li>Die Instanz hat den Autor der obersten Ebene oder den Autor des freigegebenen Beitrags blockiert.</li>
<li>Sie haben den Autor der obersten Ebene oder den Autor des freigegebenen Beitrags ignoriert oder blockiert.</li>
</ul>';
$a->strings['The top-level post isn\'t visible.'] = 'Der Beitrag der obersten Ebene ist nicht sichtbar.';
$a->strings['The top-level post was deleted.'] = 'Der Beitrag auf der obersten Ebene wurde gelöscht.';
$a->strings['This node has blocked the top-level author or the author of the shared post.'] = 'Diese Instanz hat den Top-Level-Autor oder den Autor des freigegebenen Beitrags gesperrt.';
$a->strings['You have ignored or blocked the top-level author or the author of the shared post.'] = 'Sie haben den Autor der obersten Ebene oder den Autor des freigegebenen Beitrags ignoriert oder blockiert.';
$a->strings['You have ignored the top-level author\'s server or the shared post author\'s server.'] = 'Sie haben die Instanz des übergeordneten Autors oder die Instanz des Autors des freigegebenen Beitrags ignoriert.';
$a->strings['Conversation Not Found'] = 'Konversation nicht gefunden';
$a->strings['Unfortunately, the requested conversation isn\'t available to you.'] = 'Leider ist die gewünschte Konversation für Sie nicht verfügbar.';
$a->strings['Possible reasons include:'] = 'Mögliche Gründe sind:';
$a->strings['Stack trace:'] = 'Stack trace:';
$a->strings['Exception thrown in %s:%d'] = 'Exception thrown in %s:%d';
$a->strings['At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node\'s user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication.'] = 'Zum Zwecke der Registrierung und um die Kommunikation zwischen dem Nutzer und seinen Kontakten zu gewährleisten, muß der Nutzer einen Namen (auch Pseudonym) und einen Nutzernamen (Spitzname) sowie eine funktionierende E-Mail-Adresse angeben. Der Name ist auf der Profilseite für alle Nutzer sichtbar, auch wenn die Profildetails nicht angezeigt werden.
@ -2656,6 +2753,7 @@ $a->strings['At any point in time a logged in user can export their account data
$a->strings['Privacy Statement'] = 'Datenschutzerklärung';
$a->strings['Rules'] = 'Regeln';
$a->strings['Parameter uri_id is missing.'] = 'Der Parameter uri_id fehlt.';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'Der angeforderte Beitrag existiert nicht oder wurde gelöscht.';
$a->strings['User imports on closed servers can only be done by an administrator.'] = 'Auf geschlossenen Servern können ausschließlich die Administratoren Benutzerkonten importieren.';
$a->strings['Move account'] = 'Account umziehen';
$a->strings['You can import an account from another Friendica server.'] = 'Du kannst einen Account von einem anderen Friendica Server importieren.';
@ -2811,6 +2909,7 @@ $a->strings['Remove locally'] = 'Lokal entfernen';
$a->strings['Block %s'] = 'Blockiere %s';
$a->strings['Ignore %s'] = 'Ignoriere %s';
$a->strings['Collapse %s'] = 'Verberge %s';
$a->strings['Report post'] = 'Beitrag melden';
$a->strings['Save to folder'] = 'In Ordner speichern';
$a->strings['I will attend'] = 'Ich werde teilnehmen';
$a->strings['I will not attend'] = 'Ich werde nicht teilnehmen';

File diff suppressed because it is too large Load Diff

View File

@ -101,8 +101,6 @@ $a->strings['newer'] = 'pli nova';
$a->strings['older'] = 'pli malnova';
$a->strings['Email'] = 'Retpoŝto';
$a->strings['Diaspora'] = 'Diaspora';
$a->strings['%s likes this.'] = '%s ŝatas tiun.';
$a->strings['%s doesn\'t like this.'] = '%s malŝatas tiun.';
$a->strings['and'] = 'kaj';
$a->strings['Visible to <strong>everybody</strong>'] = 'Videbla al <strong>ĉiuj</strong>';
$a->strings['Tag term:'] = 'Markfrazo:';
@ -128,13 +126,15 @@ $a->strings['Categories (comma-separated list)'] = 'Kategorioj (disigita per kom
$a->strings['Permission settings'] = 'Permesagordoj';
$a->strings['Public post'] = 'Publika afiŝo';
$a->strings['Message'] = 'Mesaĝo';
$a->strings['remove'] = 'forviŝi';
$a->strings['Delete Selected Items'] = 'Forviŝi Elektitajn Elementojn';
$a->strings['View %s\'s profile @ %s'] = 'Vidi la profilon de %s ĉe %s';
$a->strings['%s from %s'] = '%s de %s';
$a->strings['View in context'] = 'Vidi kun kunteksto';
$a->strings['remove'] = 'forviŝi';
$a->strings['Delete Selected Items'] = 'Forviŝi Elektitajn Elementojn';
$a->strings['Forums'] = 'Forumoj';
$a->strings['External link to forum'] = 'Ekstera ligilo al forumo';
$a->strings['Personal'] = 'Propra';
$a->strings['Posts that mention or involve you'] = 'Afiŝoj menciantaj vin aŭ pri vi';
$a->strings['Starred'] = 'Steligita';
$a->strings['Favourite Posts'] = 'Favorigitaj Afiŝoj';
$a->strings['show more'] = 'montri pli';
$a->strings['event'] = 'okazo';
$a->strings['status'] = 'staton';
@ -150,7 +150,6 @@ $a->strings['Ignore'] = 'Ignori';
$a->strings['Connect/Follow'] = 'Konekti/Aboni';
$a->strings['Nothing new here'] = 'Estas neniu nova ĉi tie';
$a->strings['Clear notifications'] = 'Forigi atentigojn';
$a->strings['@name, !forum, #tags, content'] = '@nomo, !forumo, #kradvorto, enhavo';
$a->strings['Logout'] = 'Elsaluti';
$a->strings['End this session'] = 'Fini ĉi-tiun seancon';
$a->strings['Login'] = 'Ensaluti';
@ -224,7 +223,6 @@ $a->strings['Random Profile'] = 'Hazarda Profilo';
$a->strings['Invite Friends'] = 'Inviti amikojn';
$a->strings['Global Directory'] = 'Tutmonda Katalogo';
$a->strings['Local Directory'] = 'Loka Katalogo';
$a->strings['Groups'] = 'Grupoj';
$a->strings['All Contacts'] = 'Ĉiuj Kontaktoj';
$a->strings['Saved Folders'] = 'Konservitaj Dosierujoj';
$a->strings['Everything'] = 'Ĉio';
@ -290,6 +288,9 @@ $a->strings['October'] = 'Oktobro';
$a->strings['November'] = 'Novembro';
$a->strings['December'] = 'Decembro';
$a->strings['Update %s failed. See error logs.'] = 'Malsukcesis ĝisdatigi %s. Vidu la protokolojn.';
$a->strings['Everybody'] = 'Ĉiuj';
$a->strings['edit'] = 'redakti';
$a->strings['add'] = 'aldoni';
$a->strings['Approve'] = 'Aprobi';
$a->strings['Disallowed profile URL.'] = 'Malpermesita adreso de profilo.';
$a->strings['Connect URL missing.'] = 'Ne ekzistas URL adreso por konekti.';
@ -313,15 +314,6 @@ $a->strings['Edit event'] = 'Redakti okazon';
$a->strings['l F d, Y \@ g:i A'] = 'l F d, Y \@ g:i A';
$a->strings['%s\'s birthday'] = 'Naskiĝtago de %s';
$a->strings['Happy Birthday %s'] = 'Feliĉan Naskiĝtagon al %s';
$a->strings['A deleted group with this name was revived. Existing item permissions <strong>may</strong> apply to this group and any future members. If this is not what you intended, please create another group with a different name.'] = 'Revivigis malnovan grupon kun la sama nomo. Permesoj por estantaj elementoj <strong>eble</strong> estas validaj por la grupo kaj estontaj membroj. Se tiu ne estas kiun vi atendis, bonvolu krei alian grupon kun alia nomo.';
$a->strings['Default privacy group for new contacts'] = 'Defaŭlta privateca grupo por novaj kontaktoj';
$a->strings['Everybody'] = 'Ĉiuj';
$a->strings['edit'] = 'redakti';
$a->strings['add'] = 'aldoni';
$a->strings['Edit group'] = 'Redakti grupon';
$a->strings['Contacts not in any group'] = 'Kontaktoj en neniu grupo';
$a->strings['Create a new group'] = 'Krei novan grupon';
$a->strings['Group Name: '] = 'Nomo de la grupo:';
$a->strings['activity'] = 'aktiveco';
$a->strings['post'] = 'afiŝo';
$a->strings['bytes'] = 'bajtoj';
@ -456,6 +448,10 @@ $a->strings['Event Finishes:'] = 'Okazo finas:';
$a->strings['Share this event'] = 'Kunhavigi la okazon';
$a->strings['Events'] = 'Okazoj';
$a->strings['Create New Event'] = 'Krei novan okazon';
$a->strings['Contact not found.'] = 'Kontakto ne trovita.';
$a->strings['Invalid contact.'] = 'Nevalida kontakto.';
$a->strings['Members'] = 'Anoj';
$a->strings['Click on a contact to add or remove.'] = 'Klaku kontakton por aldoni aŭ forviŝi.';
$a->strings['Show all contacts'] = 'Montri ĉiujn kontaktojn';
$a->strings['Blocked'] = 'Blokita';
$a->strings['Only show blocked contacts'] = 'Nur montri blokitajn kontaktojn';
@ -474,7 +470,6 @@ $a->strings['Mutual Friendship'] = 'Reciproka amikeco';
$a->strings['is a fan of yours'] = 'estas admiranto de vi';
$a->strings['you are a fan of'] = 'vi estas admiranto de';
$a->strings['Visit %s\'s profile [%s]'] = 'Viziti la profilon de %s [%s]';
$a->strings['Contact not found.'] = 'Kontakto ne trovita.';
$a->strings['Contact update failed.'] = 'Ĝisdatigo de kontakto malsukcesis.';
$a->strings['Return to contact editor'] = 'Reen al kontakta redaktilo';
$a->strings['Name'] = 'Nomo';
@ -482,7 +477,6 @@ $a->strings['Account Nickname'] = 'Kaŝnomo de la konto';
$a->strings['Account URL'] = 'Adreso de la konto';
$a->strings['Poll/Feed URL'] = 'Adreso de fluo';
$a->strings['New photo from this URL'] = 'Nova bildo el tiu adreso';
$a->strings['Invalid contact.'] = 'Nevalida kontakto.';
$a->strings['Access denied.'] = 'Atingo nepermesita.';
$a->strings['Submit Request'] = 'Sendi peton';
$a->strings['Please answer the following:'] = 'Bonvolu respondi:';
@ -525,11 +519,6 @@ $a->strings['Yes'] = 'Jes';
$a->strings['No suggestions available. If this is a new site, please try again in 24 hours.'] = 'Neniu sugestoj disponeblas. Se ĉi tiu estas nova retejo, bonvolu reprovi post 24 horoj.';
$a->strings['No results.'] = 'Nenion trovita.';
$a->strings['Not available.'] = 'Ne disponebla.';
$a->strings['No such group'] = 'Grupo ne estas trovita';
$a->strings['Personal'] = 'Propra';
$a->strings['Posts that mention or involve you'] = 'Afiŝoj menciantaj vin aŭ pri vi';
$a->strings['Starred'] = 'Steligita';
$a->strings['Favourite Posts'] = 'Favorigitaj Afiŝoj';
$a->strings['Time Conversion'] = 'Konverto de tempo';
$a->strings['Friendica provides this service for sharing events with other networks and friends in unknown timezones.'] = 'Friendica provizas tiun servon por kunhavigi okazojn kun aliaj retoj kaj amikoj en aliaj horzonoj.';
$a->strings['UTC time: %s'] = 'UTC horo: %s';
@ -546,13 +535,6 @@ $a->strings['Friend suggestion sent.'] = 'Amikosugesto sendita.';
$a->strings['Suggest Friends'] = 'Sugesti amikojn';
$a->strings['Suggest a friend for %s'] = 'Sugesti amikon por %s';
$a->strings['Bug reports and issues: please visit'] = 'Cimraportoj kaj atendindaĵo: bonvolu iri al';
$a->strings['Could not create group.'] = 'Ne povas krei grupon.';
$a->strings['Group not found.'] = 'Grupo ne estas trovita.';
$a->strings['Create a group of contacts/friends.'] = 'Krei grupon da kontaktoj/amikoj.';
$a->strings['Unable to remove group.'] = 'Ne eblas forviŝi grupon.';
$a->strings['Members'] = 'Anoj';
$a->strings['Group is empty'] = 'Grupo estas malplena';
$a->strings['Click on a contact to add or remove.'] = 'Klaku kontakton por aldoni aŭ forviŝi.';
$a->strings['No profile'] = 'Neniu profilo';
$a->strings['Help:'] = 'Helpo:';
$a->strings['Welcome to %s'] = 'Bonvenon ĉe %s';
@ -673,7 +655,6 @@ $a->strings['Or login using OpenID: '] = 'Aŭ ensaluti per OpenID:';
$a->strings['Password: '] = 'Pasvorto:';
$a->strings['Forgot your password?'] = 'Ĉu vi vorgesis vian pasvorton?';
$a->strings['Logged out.'] = 'Elsalutita.';
$a->strings['Private Forum [Experimental]'] = 'Privata Forumo [eksperimenta]';
$a->strings['OpenID:'] = 'OpenID:';
$a->strings['(Optional) Allow this OpenID to login to this account.'] = '(Nedeviga) Permesi atingon al la konton al ĉi tio OpenID.';
$a->strings['Account Settings'] = 'Kontoagordoj';
@ -733,7 +714,6 @@ $a->strings['Maximum of 100 items'] = 'Maksimume 100 eroj';
$a->strings['Update browser every xx seconds'] = 'Ĝisdatigu retesplorilon ĉiu xxx sekundoj';
$a->strings['Connected Apps'] = 'Konektitaj Programoj';
$a->strings['Remove authorization'] = 'Forviŝi rajtigon';
$a->strings['Profile Name is required.'] = 'Nomo de profilo estas bezonata.';
$a->strings['(click to open/close)'] = '(klaku por malfermi/fermi)';
$a->strings['Edit Profile Details'] = 'Redakti Detalojn de Profilo';
$a->strings['Location'] = 'Loko';
@ -771,7 +751,6 @@ $a->strings['Enter your email access information on your Connector Settings page
$a->strings['Your Contacts page is your gateway to managing friendships and connecting with friends on other networks. Typically you enter their address or site URL in the <em>Add New Contact</em> dialog.'] = 'Via kontaktpaĝo estas via portalo por administri amikojn kaj konekti kun amikoj en aliaj retoj. Vi kutime entajpas iliajn adreson aŭ URL adreso en la <em>Aldonu Novan Kontakton</em> dialogon.';
$a->strings['The Directory page lets you find other people in this network or other federated sites. Look for a <em>Connect</em> or <em>Follow</em> link on their profile page. Provide your own Identity Address if requested.'] = 'Ĉe la Katalogo vi povas trovi aliajn homojn en ĉi tiu retejo, au en aliaj federaciaj retejoj. Elrigardi al <em>Konekti</em> aŭ <em>Sekvi</em> ligiloj ĉe iliaj profilo. Donu vian propran Identecan Adreson se la retejo demandas ĝin.';
$a->strings['On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours.'] = 'En la flanka strio de la Kontaktoj paĝo troviĝas kelkajn helpilojn por trovi novajn amikojn. Ni povas automate trovi amikojn per interesoj, serĉu ilin per nomo aŭ intereso kaj faras sugestojn baze de estantaj kontaktoj. Ĉe nova instalita retejo, la unuaj sugestoj kutime aperas post 24 horoj.';
$a->strings['Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page.'] = 'Kiam vi trovis kelkajn novajn amikojn, ordigi ilin en grupoj por privata komunikado en la flanka strio de via Kontaktoj paĝo, kaj vi povas private komuniki kun ili je via Reto paĝo.';
$a->strings['Our <strong>help</strong> pages may be consulted for detail on other program features and resources.'] = 'Niaj <strong>Helpo</strong> paĝoj enhavas pli da detaloj pri aliaj programaj trajtoj.';
$a->strings['%s liked %s\'s post'] = '%s ŝatis la afiŝon de %s';
$a->strings['%s disliked %s\'s post'] = '%s malŝatis la afiŝon de %s';

File diff suppressed because it is too large Load Diff

View File

@ -287,11 +287,6 @@ $a->strings['Public post'] = 'Artículo público';
$a->strings['Message'] = 'Mensaje';
$a->strings['Browser'] = 'Navegador';
$a->strings['Open Compose page'] = 'Abrir página de publicación';
$a->strings['View %s\'s profile @ %s'] = 'Ver perfil de %s @ %s';
$a->strings['Categories:'] = 'Categorías:';
$a->strings['Filed under:'] = 'Archivado en:';
$a->strings['%s from %s'] = '%s de %s';
$a->strings['View in context'] = 'Verlo en contexto';
$a->strings['remove'] = 'eliminar';
$a->strings['Delete Selected Items'] = 'Eliminar los seleccionados';
$a->strings['You had been addressed (%s).'] = 'Has sido mencionado (%s).';
@ -300,28 +295,39 @@ $a->strings['%s reshared this.'] = '%s reenvió esto.';
$a->strings['Reshared'] = 'Compartido';
$a->strings['%s is participating in this thread.'] = '%s participa en el hilo.';
$a->strings['Fetched'] = 'Recuperado';
$a->strings['View %s\'s profile @ %s'] = 'Ver perfil de %s @ %s';
$a->strings['Categories:'] = 'Categorías:';
$a->strings['Filed under:'] = 'Archivado en:';
$a->strings['%s from %s'] = '%s de %s';
$a->strings['View in context'] = 'Verlo en contexto';
$a->strings['Local Community'] = 'Comunidad Local';
$a->strings['Posts from local users on this server'] = 'Artículos de usuarios charla! MX';
$a->strings['Global Community'] = 'Comunidad Global';
$a->strings['Posts from users of the whole federated network'] = 'Artículos de usuarios del Fediverso';
$a->strings['Latest Activity'] = 'Actividad Reciente';
$a->strings['Sort by latest activity'] = 'Ordenar por actividad reciente';
$a->strings['Latest Posts'] = 'Artículos Recientes';
$a->strings['Sort by post received date'] = 'Ordenar por fecha de artículo';
$a->strings['Personal'] = 'Personal';
$a->strings['Posts that mention or involve you'] = 'Publicaciones que te mencionan o involucran';
$a->strings['Starred'] = 'Destacados';
$a->strings['Favourite Posts'] = 'Artículos favoritos';
$a->strings['General Features'] = 'Opciones generales';
$a->strings['Photo Location'] = 'Ubicación de foto';
$a->strings['Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map.'] = 'Normalmente los meta datos de las imágenes son eliminados. Esto extraerá la localización si presente antes de eliminar los meta datos y enlaza la misma con el mapa.';
$a->strings['Trending Tags'] = 'Etiquetas tendencia';
$a->strings['Show a community page widget with a list of the most popular tags in recent public posts.'] = 'Mostrar un widget de comunidad con las etiquetas populares en recientes artículos.';
$a->strings['Post Composition Features'] = 'Opciones de edición de publicaciones.';
$a->strings['Auto-mention Forums'] = 'Auto-mencionar foros';
$a->strings['Add/remove mention when a forum page is selected/deselected in ACL window.'] = 'Añadir/eliminar mención cuando un foro es seleccionado/deseleccionado en la ventana ACL.';
$a->strings['Explicit Mentions'] = 'Menciones explicitas';
$a->strings['Add explicit mentions to comment box for manual control over who gets mentioned in replies.'] = 'Añadir menciones explicitas a cuadro de comentarios para control manual sobre quien se menciona en respuestas.';
$a->strings['Post/Comment Tools'] = 'Herramienta de publicaciones/respuestas';
$a->strings['Post Categories'] = 'Categorías de publicaciones';
$a->strings['Add categories to your posts'] = 'Agregue categorías a sus publicaciones. Las mismas serán visualizadas en su pagina de inicio.';
$a->strings['Advanced Profile Settings'] = 'Ajustes avanzados del perfil';
$a->strings['List Forums'] = 'Listar foros';
$a->strings['Show visitors public community forums at the Advanced Profile Page'] = 'Mostrar a los visitantes foros públicos en las que se esta participando en el pagina avanzada de perfiles.';
$a->strings['Tag Cloud'] = 'Nube de etiquetas';
$a->strings['Provide a personal tag cloud on your profile page'] = 'Dar una etiqueta personal en tu página de perfil';
$a->strings['Display Membership Date'] = 'Desplegar fecha de membresía';
$a->strings['Display membership date in profile'] = 'Desplegar fecha de membresía en perfil';
$a->strings['Forums'] = 'Foros';
$a->strings['External link to forum'] = 'Enlace externo al foro';
$a->strings['show less'] = 'mostrar menos';
$a->strings['show more'] = 'Mostrar más';
$a->strings['event'] = 'evento';
@ -342,7 +348,6 @@ $a->strings['Connect/Follow'] = 'Conectar/Seguir';
$a->strings['Nothing new here'] = 'No hay nada nuevo';
$a->strings['Go back'] = 'Regresar';
$a->strings['Clear notifications'] = 'Borrar notificaciones';
$a->strings['@name, !forum, #tags, content'] = '@name, !forum, #tags, contenido';
$a->strings['Logout'] = 'Salir';
$a->strings['End this session'] = 'Cerrar sesión';
$a->strings['Login'] = 'Ingreso';
@ -430,7 +435,6 @@ $a->strings['Random Profile'] = 'Perfil Al Azar';
$a->strings['Invite Friends'] = 'Invitar Amigos';
$a->strings['Global Directory'] = 'Directorio Global';
$a->strings['Local Directory'] = 'Directorio Local';
$a->strings['Groups'] = 'Grupos';
$a->strings['Everyone'] = 'Todos';
$a->strings['Relationships'] = 'Relaciones';
$a->strings['All Contacts'] = 'Todos los contactos';
@ -581,6 +585,8 @@ $a->strings['Sep'] = 'Sep';
$a->strings['Oct'] = 'Oct';
$a->strings['Nov'] = 'Nov';
$a->strings['Dec'] = 'Dec';
$a->strings['The logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'Tl archivo de log \'%s\' no se puede usar. No es posible el registro (error: \'%s\')';
$a->strings['The debug logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'El archivo de log de debugg \'%s\' no puede usarse. No es posible el registro (error: \'%s\')';
$a->strings['Friendica can\'t display this page at the moment, please contact the administrator.'] = 'Friendica no puede mostrar la página actualmente, contacte al administrador.';
$a->strings['template engine cannot be registered without a name.'] = 'Motor de plantilla no puede registrarse sin nombre.';
$a->strings['template engine is not registered!'] = 'Motor de Plantilla no esta registrado!';
@ -624,9 +630,11 @@ $a->strings['Record not found'] = 'Registro no encontrado';
$a->strings['Unauthorized'] = 'No autorizado';
$a->strings['Internal Server Error'] = 'Error Interno del Servidor';
$a->strings['Legacy module file not found: %s'] = 'Modulo legado no encontrado: %s';
$a->strings['Everybody'] = 'Todo el mundo';
$a->strings['edit'] = 'editar';
$a->strings['add'] = 'añadir';
$a->strings['Approve'] = 'Aprobar';
$a->strings['Organisation'] = 'Organización';
$a->strings['Forum'] = 'Foro';
$a->strings['Disallowed profile URL.'] = 'Dirección de perfil no permitida.';
$a->strings['Blocked domain'] = 'Dominio bloqueado';
$a->strings['Connect URL missing.'] = 'Falta el conector URL.';
@ -661,16 +669,6 @@ $a->strings['Show map'] = 'Mostrar mapa';
$a->strings['Hide map'] = 'Ocultar mapa';
$a->strings['%s\'s birthday'] = 'Cumpleaños de %s';
$a->strings['Happy Birthday %s'] = 'Feliz cumpleaños %s';
$a->strings['A deleted group with this name was revived. Existing item permissions <strong>may</strong> apply to this group and any future members. If this is not what you intended, please create another group with a different name.'] = 'Un grupo eliminado con este nombre fue restablecido. Los permisos existentes <strong>pueden</strong> aplicarse a este grupo y a sus futuros miembros. Si esto no es lo que pretendes, por favor, crea otro grupo con un nombre diferente.';
$a->strings['Default privacy group for new contacts'] = 'Grupo por defecto para nuevos contactos';
$a->strings['Everybody'] = 'Todo el mundo';
$a->strings['edit'] = 'editar';
$a->strings['add'] = 'añadir';
$a->strings['Edit group'] = 'Editar grupo';
$a->strings['Contacts not in any group'] = 'Contactos sin grupo';
$a->strings['Create a new group'] = 'Crear un nuevo grupo';
$a->strings['Group Name: '] = 'Nombre del grupo: ';
$a->strings['Edit groups'] = 'Editar grupo';
$a->strings['Detected languages in this post:\n%s'] = 'Lenguajes detectados en artículo:\n%s';
$a->strings['activity'] = 'Actividad';
$a->strings['post'] = 'Publicación';
@ -748,7 +746,6 @@ $a->strings['An error occurred during registration. Please try again.'] = 'Se pr
$a->strings['An error occurred creating your default profile. Please try again.'] = 'Error al crear tu perfil predeterminado. Por favor, inténtalo de nuevo.';
$a->strings['An error occurred creating your self contact. Please try again.'] = 'Ocurrió un error creando el contacto. Vuelve a intentar.';
$a->strings['Friends'] = 'Amigos';
$a->strings['An error occurred creating your default contact group. Please try again.'] = 'Ocurrió un error creando el grupo Default. Vuleve a intentar.';
$a->strings['Profile Photos'] = 'Fotos del perfil';
$a->strings['
Dear %1$s,
@ -918,7 +915,6 @@ $a->strings['Enabling this may violate privacy laws like the GDPR'] = 'Habilitar
$a->strings['Global directory URL'] = 'URL del directorio global.';
$a->strings['URL to the global directory. If this is not set, the global directory is completely unavailable to the application.'] = 'URL del directorio global. Si se deja este campo vacío, el directorio global sera completamente inaccesible para la instancia.';
$a->strings['Private posts by default for new users'] = 'Publicaciones privadas por defecto para usuarios nuevos';
$a->strings['Set default post permissions for all new members to the default privacy group rather than public.'] = 'Ajusta los permisos de publicación por defecto a los miembros nuevos al grupo privado por defecto en vez del público.';
$a->strings['Don\'t include post content in email notifications'] = 'No incluir el contenido del post en las notificaciones de correo electrónico';
$a->strings['Don\'t include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure.'] = 'No incluye el contenido de un mensaje/comentario/mensaje privado/etc. en las notificaciones de correo electrónico que se envían desde este sitio, como una medida de privacidad.';
$a->strings['Disallow public access to addons listed in the apps menu.'] = 'Deshabilitar acceso a addons listados en el menú de aplicaciones.';
@ -1014,8 +1010,6 @@ $a->strings['The last worker execution was on %s UTC. This is older than one hou
$a->strings['Friendica\'s configuration now is stored in config/local.config.php, please copy config/local-sample.config.php and move your config from <code>.htconfig.php</code>. See <a href="%s">the Config help page</a> for help with the transition.'] = 'Configuración Friendica ahora se almacena en config/local.config.php, copie config/local-sample.config.php y mueva su configuración de <code>.htconfig.php</code>. Ver <a href="%s">página de ayuda</a> como ayuda en la transición.';
$a->strings['Friendica\'s configuration now is stored in config/local.config.php, please copy config/local-sample.config.php and move your config from <code>config/local.ini.php</code>. See <a href="%s">the Config help page</a> for help with the transition.'] = 'Configuración Friendica ahora se almacena en config/local.config.php, copie config/local-sample.config.php y mueva su configuración de <code>config/local.ini.php</code>. Ver <a href="%s">página de ayuda </a> como ayuda en la transición.';
$a->strings['<a href="%s">%s</a> is not reachable on your system. This is a severe configuration issue that prevents server to server communication. See <a href="%s">the installation page</a> for help.'] = '<a href="%s">%s</a> no se alcanza en tu sistema. Es un error grave en la configuración que evita la comunicación de servidor a servidor. Ver <a href="%s">la página de instalación</a> como ayuda.';
$a->strings['The logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'Tl archivo de log \'%s\' no se puede usar. No es posible el registro (error: \'%s\')';
$a->strings['The debug logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'El archivo de log de debugg \'%s\' no puede usarse. No es posible el registro (error: \'%s\')';
$a->strings['Friendica\'s system.basepath was updated from \'%s\' to \'%s\'. Please remove the system.basepath from your db to avoid differences.'] = 'La ruta Friendica system.basepath se actualizó de \'%s\' a \'%s\'. Quite la system.basepath de tu BD para evitar diferencias.';
$a->strings['Friendica\'s current system.basepath \'%s\' is wrong and the config file \'%s\' isn\'t used.'] = 'Ruta actual Friendica system.basepath \'%s\' es errónea y el archivo de configuración \'%s\' no se usa.';
$a->strings['Friendica\'s current system.basepath \'%s\' is not equal to the config file \'%s\'. Please fix your configuration.'] = 'Ruta actual de Friendica system.basepath \'%s\' no es igual al archivo config \'%s\'. Corrija su configuración.';
@ -1083,7 +1077,6 @@ $a->strings['Profile Details'] = 'Detalles del Perfil';
$a->strings['Only You Can See This'] = 'Únicamente tú puedes ver esto';
$a->strings['Tips for New Members'] = 'Consejos para nuevos miembros';
$a->strings['People Search - %s'] = 'Buscar personas - %s';
$a->strings['Forum Search - %s'] = 'Búsqueda de Foros - %s';
$a->strings['No matches'] = 'Sin resultados';
$a->strings['Account'] = 'Cuenta';
$a->strings['Two-factor authentication'] = 'Ingreso de 2 factores';
@ -1112,6 +1105,13 @@ $a->strings['Events'] = 'Eventos';
$a->strings['View'] = 'Vista';
$a->strings['Create New Event'] = 'Crea un evento nuevo';
$a->strings['list'] = 'lista';
$a->strings['Contact not found.'] = 'Contacto no encontrado.';
$a->strings['Invalid contact.'] = 'Contacto erróneo.';
$a->strings['Contact is deleted.'] = 'El contacto se borra.';
$a->strings['Bad request.'] = 'Petición no reconocida';
$a->strings['Filter'] = 'Filtro';
$a->strings['Members'] = 'Miembros';
$a->strings['Click on a contact to add or remove.'] = 'Pulsa en un contacto para añadirlo o eliminarlo.';
$a->strings['%d contact edited.'] = [
0 => '%d contacto editado.',
1 => '%d contactos editados.',
@ -1128,7 +1128,6 @@ $a->strings['Archived'] = 'Archivados';
$a->strings['Only show archived contacts'] = 'Mostrar solo contactos archivados';
$a->strings['Hidden'] = 'Ocultos';
$a->strings['Only show hidden contacts'] = 'Mostrar solo contactos ocultos';
$a->strings['Organize your contact groups'] = 'Organizar tus grupos de contactos';
$a->strings['Search your contacts'] = 'Buscar en tus contactos';
$a->strings['Results for: %s'] = 'Resultados para: %s';
$a->strings['Update'] = 'Actualizar';
@ -1145,7 +1144,6 @@ $a->strings['you are a fan of'] = 'eres seguidor de';
$a->strings['Pending outgoing contact request'] = 'Solicitud de Contacto pendiente';
$a->strings['Pending incoming contact request'] = 'Solicitud de Contacto pendiente';
$a->strings['Visit %s\'s profile [%s]'] = 'Ver el perfil de %s [%s]';
$a->strings['Contact not found.'] = 'Contacto no encontrado.';
$a->strings['Contact update failed.'] = 'Error al actualizar el Contacto.';
$a->strings['Return to contact editor'] = 'Volver al editor de contactos';
$a->strings['Name'] = 'Nombre';
@ -1153,7 +1151,6 @@ $a->strings['Account Nickname'] = 'Apodo de cuenta';
$a->strings['Account URL'] = 'Dirección de cuenta';
$a->strings['Poll/Feed URL'] = 'Dirección de Sondeo/Fuente';
$a->strings['New photo from this URL'] = 'Nueva foto de esta URL';
$a->strings['Invalid contact.'] = 'Contacto erróneo.';
$a->strings['No known contacts.'] = 'No hay contactos conocidos.';
$a->strings['No common contacts.'] = 'Sin contactos comunes.';
$a->strings['Follower (%s)'] = [
@ -1251,33 +1248,18 @@ $a->strings['Refetch contact data'] = 'Recuperar datos del contacto.';
$a->strings['Toggle Blocked status'] = 'Cambiar Estatus de Bloqueado';
$a->strings['Toggle Ignored status'] = 'Cambiar ignorados';
$a->strings['Bad Request.'] = 'Petición errónea';
$a->strings['Contact is deleted.'] = 'El contacto se borra.';
$a->strings['Yes'] = 'Sí';
$a->strings['No suggestions available. If this is a new site, please try again in 24 hours.'] = 'No hay sugerencias disponibles. Si el sitio web es nuevo inténtalo de nuevo en 24 horas.';
$a->strings['You aren\'t following this contact.'] = 'No sigues a este contacto.';
$a->strings['Unfollowing is currently not supported by your network.'] = 'Dejar de Seguir no es compatible con tu red.';
$a->strings['Disconnect/Unfollow'] = 'Desconectar/Dejar de seguir';
$a->strings['No results.'] = 'Sin resultados.';
$a->strings['This community stream shows all public posts received by this node. They may not reflect the opinions of this nodes users.'] = 'Este hilo de la comunidad muestra todas las publicaciones públicas recibidas por este nodo. Puede no reflejar las opiniones de los usuarios de este nodo.';
$a->strings['Local Community'] = 'Comunidad Local';
$a->strings['Posts from local users on this server'] = 'Artículos de usuarios charla! MX';
$a->strings['Global Community'] = 'Comunidad Global';
$a->strings['Posts from users of the whole federated network'] = 'Artículos de usuarios del Fediverso';
$a->strings['Community option not available.'] = 'Fediverso no disponible';
$a->strings['Not available.'] = 'No disponible';
$a->strings['Own Contacts'] = 'Contactos propios';
$a->strings['Include'] = 'Incluir';
$a->strings['Hide'] = 'Ocultar';
$a->strings['No results.'] = 'Sin resultados.';
$a->strings['Community option not available.'] = 'Fediverso no disponible';
$a->strings['Not available.'] = 'No disponible';
$a->strings['No such group'] = 'No existe grupo';
$a->strings['Group: %s'] = 'Grupo: %s';
$a->strings['Latest Activity'] = 'Actividad Reciente';
$a->strings['Sort by latest activity'] = 'Ordenar por actividad reciente';
$a->strings['Latest Posts'] = 'Artículos Recientes';
$a->strings['Sort by post received date'] = 'Ordenar por fecha de artículo';
$a->strings['Personal'] = 'Personal';
$a->strings['Posts that mention or involve you'] = 'Publicaciones que te mencionan o involucran';
$a->strings['Starred'] = 'Destacados';
$a->strings['Favourite Posts'] = 'Artículos favoritos';
$a->strings['Credits'] = 'Créditos';
$a->strings['Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!'] = 'Friendica es un proyecto comunitario, que no seria posible sin la ayuda de mucha gente. Aquí una lista de de aquellos que aportaron al código o la traducción de friendica.
Gracias a todos! ';
@ -1374,26 +1356,6 @@ $a->strings['Please visit <a href="https://friendi.ca">Friendi.ca</a> to learn m
$a->strings['Bug reports and issues: please visit'] = 'Reporte de fallos y problemas: por favor visita';
$a->strings['the bugtracker at github'] = 'aviso de fallas (bugs) en github';
$a->strings['Suggestions, praise, etc. - please email "info" at "friendi - dot - ca'] = 'Sugerencias, agradecimientos, etc. - envie correo "info" at "friendi - dot - ca';
$a->strings['Could not create group.'] = 'Imposible crear el grupo.';
$a->strings['Group not found.'] = 'Grupo no encontrado.';
$a->strings['Group name was not changed.'] = 'Nombre de Grupo no modificado.';
$a->strings['Unknown group.'] = 'Grupo no existe.';
$a->strings['Unable to add the contact to the group.'] = 'No es posible añadir contacto al grupo.';
$a->strings['Contact successfully added to group.'] = 'Se añadió el contacto el grupo.';
$a->strings['Unable to remove the contact from the group.'] = 'No es posible borrar contacto del grupo.';
$a->strings['Contact successfully removed from group.'] = 'Contacto borrado del grupo.';
$a->strings['Bad request.'] = 'Petición no reconocida';
$a->strings['Save Group'] = 'Guardar grupo';
$a->strings['Filter'] = 'Filtro';
$a->strings['Create a group of contacts/friends.'] = 'Crea un grupo de contactos/amigos.';
$a->strings['Unable to remove group.'] = 'No se puede eliminar el grupo.';
$a->strings['Delete Group'] = 'Borrar grupo';
$a->strings['Edit Group Name'] = 'Editar nombre de grupo';
$a->strings['Members'] = 'Miembros';
$a->strings['Group is empty'] = 'Grupo está vacío';
$a->strings['Remove contact from group'] = 'Borrar contacto del grupo';
$a->strings['Click on a contact to add or remove.'] = 'Pulsa en un contacto para añadirlo o eliminarlo.';
$a->strings['Add contact to group'] = 'Añadir contacto a grupo';
$a->strings['No profile'] = 'Ningún perfil';
$a->strings['Method Not Allowed.'] = 'Método no Permitido';
$a->strings['Help:'] = 'Ayuda:';
@ -1459,7 +1421,6 @@ $a->strings['Visibility'] = 'Visibilidad';
$a->strings['Clear the location'] = 'Borrar ubicación';
$a->strings['Location services are unavailable on your device'] = 'Servicios de ubicación no disponibles en tu dispositivo';
$a->strings['Location services are disabled. Please check the website\'s permissions on your device'] = 'Servicios de ubicación no habilitados. Checa los permisos del sitio en tu dispositivo';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'El artículo solicitado no existe o fue borrado.';
$a->strings['The feed for this item is unavailable.'] = 'El hilo de este artículo no se encontró';
$a->strings['Unable to follow this item.'] = 'Imposible seguir este artículo.';
$a->strings['System down for maintenance'] = 'Servicio suspendido por mantenimiento';
@ -1472,7 +1433,6 @@ $a->strings['Or - did you try to upload an empty file?'] = 'O - intentó subir u
$a->strings['File exceeds size limit of %s'] = 'El archivo excede Tamaño de %s';
$a->strings['File upload failed.'] = 'Ha fallado la subida del archivo.';
$a->strings['Unable to process image.'] = 'Imposible procesar la imagen.';
$a->strings['Image exceeds size limit of %s'] = 'Imagen excede el tamaño de %s';
$a->strings['Image upload failed.'] = 'Error al subir la imagen.';
$a->strings['List of all users'] = 'Lista de todos los usuarios';
$a->strings['Active'] = 'Activos';
@ -1483,13 +1443,10 @@ $a->strings['Deleted'] = 'Borrados';
$a->strings['List of pending user deletions'] = 'Lista de borrados de usuario pendientes';
$a->strings['Normal Account Page'] = 'Página de Cuenta Normal';
$a->strings['Soapbox Page'] = 'Página de Tribuna';
$a->strings['Public Forum'] = 'Foro Público';
$a->strings['Automatic Friend Page'] = 'Página de Amistad Autómatica';
$a->strings['Private Forum'] = 'Foro Privado';
$a->strings['Personal Page'] = 'Página personal';
$a->strings['Organisation Page'] = 'Página de Organización';
$a->strings['News Page'] = 'Página de Noticias';
$a->strings['Community Forum'] = 'Foro de la Comunidad';
$a->strings['Relay'] = 'Retransmisión';
$a->strings['%s contact unblocked'] = [
0 => '%s Contacto desbloqueado',
@ -1542,10 +1499,8 @@ $a->strings['Item not found'] = 'Elemento no encontrado';
$a->strings['Item Guid'] = 'Clave Guid';
$a->strings['Normal Account'] = 'Cuenta normal';
$a->strings['Automatic Follower Account'] = 'Cuenta de Seguimiento Automático';
$a->strings['Public Forum Account'] = 'Cuenta del Foro Pública';
$a->strings['Automatic Friend Account'] = 'Cuenta de amistad automática';
$a->strings['Blog Account'] = 'Cuenta de blog';
$a->strings['Private Forum Account'] = 'Cuenta del Foro Privada';
$a->strings['Registered users'] = 'Usuarios registrados';
$a->strings['Pending registrations'] = 'Pendientes de registro';
$a->strings['%s user blocked'] = [
@ -1655,6 +1610,7 @@ $a->strings['No contacts.'] = 'Sin contactos.';
$a->strings['%s\'s timeline'] = 'Estado de %s';
$a->strings['%s\'s posts'] = 'Artículos de %s';
$a->strings['%s\'s comments'] = 'Comentarios de %s';
$a->strings['Image exceeds size limit of %s'] = 'Imagen excede el tamaño de %s';
$a->strings['Image upload didn\'t complete, please try again'] = 'Subida de imagen no completa, vuelve a intentar';
$a->strings['Image file is missing'] = 'Falta el archivo de imagen';
$a->strings['Server can\'t accept new file upload at this time, please contact your administrator'] = 'El servidor no puede aceptar la carga de archivos nuevos en este momento, comuníquese con el Administrador';
@ -1674,7 +1630,6 @@ $a->strings['%d year old'] = [
2 => '%d Años',
];
$a->strings['Description:'] = 'Descripción:';
$a->strings['Forums:'] = 'Foros:';
$a->strings['View profile as:'] = 'Ver perfil como:';
$a->strings['View as'] = 'Ver como';
$a->strings['Profile unavailable.'] = 'Perfil no disponible.';
@ -1769,7 +1724,6 @@ $a->strings['Importing Contacts done'] = 'Importación del contacto completada';
$a->strings['Relocate message has been send to your contacts'] = 'Mensaje de reubicación enviado a sus contactos.';
$a->strings['Unable to find your profile. Please contact your admin.'] = 'No se encontró tu perfil. Contacta al Administrador.';
$a->strings['Personal Page Subtypes'] = 'Subtipos de Página Personal';
$a->strings['Community Forum Subtypes'] = 'Subtipos de Foro de Comunidad';
$a->strings['Account for a personal profile.'] = 'Cuenta para un perfil personal.';
$a->strings['Account for an organisation that automatically approves contact requests as "Followers".'] = 'Cuenta para una organización que aprueba automáticamente solicitudes de "Seguidores".';
$a->strings['Account for a news reflector that automatically approves contact requests as "Followers".'] = 'Cuenta Reflector de noticias que aprueba automáticamente solicitudes de contacto como "Seguidores".';
@ -1778,7 +1732,6 @@ $a->strings['Account for a regular personal profile that requires manual approva
$a->strings['Account for a public profile that automatically approves contact requests as "Followers".'] = 'Cuenta para un perfil público que aprueba automáticamente las solicitudes de contacto como «Seguidores».';
$a->strings['Automatically approves all contact requests.'] = 'Aprueba automáticamente las solicitudes de contacto.';
$a->strings['Account for a popular profile that automatically approves contact requests as "Friends".'] = 'Cuenta para un perfil popular que aprueba automáticamente solicitudes de contacto como "Amigos".';
$a->strings['Private Forum [Experimental]'] = 'Foro privado [Experimental]';
$a->strings['Requires manual approval of contact requests.'] = 'Requiere aprobación manual de solicitudes de contacto.';
$a->strings['OpenID:'] = 'OpenID:';
$a->strings['(Optional) Allow this OpenID to login to this account.'] = '(Opcional) Permitir a este OpenID acceder a esta cuenta.';
@ -1793,6 +1746,7 @@ $a->strings['Password:'] = 'Contraseña:';
$a->strings['Your current password to confirm the changes of the email address'] = 'Tu contraseña actual para confirmar los cambios de cuenta de corréo.';
$a->strings['Delete OpenID URL'] = 'Borrar URL de OpenID';
$a->strings['Basic Settings'] = 'Configuración Básica';
$a->strings['Display name:'] = 'Nombre desplegable:';
$a->strings['Email Address:'] = 'Dirección de Correo:';
$a->strings['Your Timezone:'] = 'Zona horaria:';
$a->strings['Your Language:'] = 'Tu idioma:';
@ -1919,7 +1873,6 @@ $a->strings['Beginning of week:'] = 'Principio de la semana:';
$a->strings['Additional Features'] = 'Opciones Adicionales';
$a->strings['Connected Apps'] = 'Aplicaciones conectadas';
$a->strings['Remove authorization'] = 'Quitar autorización';
$a->strings['Profile Name is required.'] = 'Se necesita un nombre de perfil.';
$a->strings['Profile couldn\'t be updated.'] = 'No puede actualizarse perfil.';
$a->strings['Label:'] = 'Etiqueta:';
$a->strings['Value:'] = 'Valor:';
@ -1934,7 +1887,6 @@ $a->strings['Location'] = 'Ubicación';
$a->strings['Miscellaneous'] = 'Varios';
$a->strings['Custom Profile Fields'] = 'Campos personalizados de perfil';
$a->strings['Upload Profile Photo'] = 'Subir foto del Perfil';
$a->strings['Display name:'] = 'Nombre desplegable:';
$a->strings['Street Address:'] = 'Dirección';
$a->strings['Locality/City:'] = 'Localidad/Ciudad:';
$a->strings['Region/State:'] = 'Región/Estado:';
@ -1946,15 +1898,6 @@ $a->strings['Public Keywords:'] = 'Palabras clave públicas:';
$a->strings['(Used for suggesting potential friends, can be seen by others)'] = '(Utilizadas para sugerir amigos potenciales, otros pueden verlo)';
$a->strings['Private Keywords:'] = 'Palabras clave privadas:';
$a->strings['(Used for searching profiles, never shown to others)'] = '(Utilizadas para buscar perfiles, nunca se muestra a otros)';
$a->strings['<p>Custom fields appear on <a href="%s">your profile page</a>.</p>
<p>You can use BBCodes in the field values.</p>
<p>Reorder by dragging the field title.</p>
<p>Empty the label field to remove a custom field.</p>
<p>Non-public fields can only be seen by the selected Friendica contacts or the Friendica contacts in the selected groups.</p>'] = '<p>Campos personalizados aparecen en <a href="%s">tu perfil</a>.</p>
<p>Puedes usar BBCode en los campos.</p>
<p>Reordenar para arrastrar campo título.</p>
<p>Vacie la etiqueta para quitar un campo personalizado.</p>
<p>Campos no públicos solo pueden verse por contactos Friendica seleccionados o contactos Friendica en grupos selecionados.</p>';
$a->strings['Image size reduction [%s] failed.'] = 'Ha fallado la reducción de las dimensiones de la imagen [%s].';
$a->strings['Shift-reload the page or clear browser cache if the new photo does not display immediately.'] = 'Recarga la página o limpia la caché del navegador si la foto nueva no aparece inmediatamente.';
$a->strings['Unable to process image'] = 'Imposible procesar la imagen';
@ -2076,6 +2019,7 @@ $a->strings['Exception thrown in %s:%d'] = 'Excepción lanzada en %s:%d';
$a->strings['At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node\'s user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication.'] = 'En el momento del registro, y para proporcionar comunicaciones entre la cuenta de usuario y sus contactos, el usuario debe proporcionar un nombre para mostrar (seudónimo), un nombre de usuario (apodo) y una dirección de correo que funcione. Los nombres seran visibles en tu página de perfil de la cuenta por cualquier visitante de la página, incluso si no se muestran otros detalles del perfil. La dirección de correo solo se usará para enviar notificaciones al usuario sobre interacciones, pero no será visible. La lista de una cuenta en el directorio de usuarios del nodo o el directorio de usuarios global es opcional y se puede controlar en los Ajustes de Configuración, no es necesario para la comunicación.';
$a->strings['This data is required for communication and is passed on to the nodes of the communication partners and is stored there. Users can enter additional private data that may be transmitted to the communication partners accounts.'] = 'Estos datos son necesarios para la comunicación y se transmiten a los nodos de los socios de comunicación y se almacena allí. Los usuarios pueden ingresar datos privados que pueden ser transmitidos a las cuentas de los socios de comunicación.';
$a->strings['Privacy Statement'] = 'Declaración de Privacidad';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'El artículo solicitado no existe o fue borrado.';
$a->strings['User imports on closed servers can only be done by an administrator.'] = 'Importar usuarios en sitios cerrados solo lo hace el Administrador.';
$a->strings['Move account'] = 'Mover cuenta';
$a->strings['You can import an account from another Friendica server.'] = 'Puedes importar una cuenta desde otro servidor de Friendica.';
@ -2117,8 +2061,6 @@ $a->strings['Go to Your Site\'s Directory'] = 'Ir al directorio de tu sitio';
$a->strings['The Directory page lets you find other people in this network or other federated sites. Look for a <em>Connect</em> or <em>Follow</em> link on their profile page. Provide your own Identity Address if requested.'] = 'El Directorio te permite encontrar otras personas en esta red o en cualquier otro sitio federado. Busca algún enlace de <em>Conectar</em> o <em>Seguir</em> en su perfil. Proporciona tu direción personal si es necesario.';
$a->strings['Finding New People'] = 'Encontrando nueva gente';
$a->strings['On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours.'] = 'En el panel lateral de la página de Contactos existen varias herramientas para encontrar nuevos amigos. Podemos filtrar personas por sus intereses, buscar personas por nombre o por sus intereses, y ofrecerte sugerencias basadas en sus relaciones de la red. En un sitio nuevo, las sugerencias de amigos por lo general comienzan pasadas las 24 horas.';
$a->strings['Group Your Contacts'] = 'Agrupa tus contactos';
$a->strings['Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page.'] = 'Una vez que tengas algunos amigos, puedes organizarlos en grupos privados de conversación mediante el memnú en tu página de Contactos y luego puedes interactuar con cada grupo por separado desde tu página de Red.';
$a->strings['Why Aren\'t My Posts Public?'] = '¿Por qué mis publicaciones no son públicas?';
$a->strings['Friendica respects your privacy. By default, your posts will only show up to people you\'ve added as friends. For more information, see the help section from the link above.'] = 'Friendica respeta tu privacidad. Por defecto, tus publicaciones solo se mostrarán a personas que hayas añadido como amistades. Para más información, mira la sección de ayuda en el enlace de más arriba.';
$a->strings['Getting Help'] = 'Consiguiendo ayuda';
@ -2305,7 +2247,6 @@ $a->strings['Center'] = 'Centrado';
$a->strings['Color scheme'] = 'Esquema de color';
$a->strings['Posts font size'] = 'Tamaño de letra de artículos';
$a->strings['Textareas font size'] = 'Tamaño de letra de áreas de texto';
$a->strings['Comma separated list of helper forums'] = 'Lista separada por comas de foros de ayuda.';
$a->strings['don\'t show'] = 'no mostrar';
$a->strings['show'] = 'mostrar';
$a->strings['Set style'] = 'Definir estilo';

File diff suppressed because it is too large Load Diff

View File

@ -146,23 +146,32 @@ $a->strings['Permission settings'] = 'Õiguste sätted';
$a->strings['Public post'] = 'Avalik postitus';
$a->strings['Message'] = 'Sõnum';
$a->strings['Browser'] = 'Sirvik';
$a->strings['Categories:'] = 'Kategooriad:';
$a->strings['remove'] = 'eemalda';
$a->strings['Delete Selected Items'] = 'Kustuta valitud elemendid';
$a->strings['Reshared'] = 'Taasjagatud';
$a->strings['Categories:'] = 'Kategooriad:';
$a->strings['Local Community'] = 'Kohalik kogukond';
$a->strings['Posts from local users on this server'] = 'Selle kohaliku serveri kasutajate postitused';
$a->strings['Global Community'] = 'Globaalne kogukond';
$a->strings['Posts from users of the whole federated network'] = 'Terve fõderatsiooni võrgu kasutajate postitused';
$a->strings['Latest Activity'] = 'Viimased tegevused';
$a->strings['Sort by latest activity'] = 'Sorteeri hiljutiste tegevuste järgi';
$a->strings['Latest Posts'] = 'Viimased postitused';
$a->strings['Latest Creation'] = 'Viimati loodud';
$a->strings['Personal'] = 'Isiklik';
$a->strings['Posts that mention or involve you'] = 'Postitused, mis mainivad või puudutavad sind';
$a->strings['Starred'] = 'Tähega märgitud';
$a->strings['Favourite Posts'] = 'Lemmikpostitused';
$a->strings['General Features'] = 'Üldised funktsioonid';
$a->strings['Photo Location'] = 'Foto asukoht';
$a->strings['Post/Comment Tools'] = 'Postituse/Kommenteerimise tööriistad';
$a->strings['Post Categories'] = 'Postituse kategooriad';
$a->strings['Add categories to your posts'] = 'Lisa kategooriad on postitustele';
$a->strings['Advanced Profile Settings'] = 'Täpsemad profiili sätted';
$a->strings['List Forums'] = 'Foorumite nimistu';
$a->strings['Tag Cloud'] = 'Sildipilv tag cloud';
$a->strings['Provide a personal tag cloud on your profile page'] = 'Näita personaalset sildipilve oma profiili lehel';
$a->strings['Display Membership Date'] = 'Kuva liitumise kuupäev';
$a->strings['Display membership date in profile'] = 'Kuva liitumiskuupäev oma profiilil';
$a->strings['Forums'] = 'Foorumid';
$a->strings['External link to forum'] = 'Välimine link foorumisse';
$a->strings['show more'] = 'näita veel';
$a->strings['event'] = 'sündmus';
$a->strings['status'] = 'staatus';
@ -252,7 +261,6 @@ $a->strings['Random Profile'] = 'Suvaline profiil';
$a->strings['Invite Friends'] = 'Kutsu sõpru';
$a->strings['Global Directory'] = 'Globaalne kataloog';
$a->strings['Local Directory'] = 'Kohalik kataloog';
$a->strings['Groups'] = 'Grupid';
$a->strings['Relationships'] = 'Suhted';
$a->strings['All Contacts'] = 'Kõik kontaktid';
$a->strings['Protocols'] = 'Protokollid';
@ -310,8 +318,10 @@ $a->strings['Thu'] = 'Nel';
$a->strings['Fri'] = 'Ree';
$a->strings['Sat'] = 'Lau';
$a->strings['Sun'] = 'Püh';
$a->strings['Everybody'] = 'Igaüks';
$a->strings['edit'] = 'muuda';
$a->strings['add'] = 'lisa';
$a->strings['Organisation'] = 'Organisatsioon';
$a->strings['Forum'] = 'Foorum';
$a->strings['Disallowed profile URL.'] = 'Mittelubatud profiili URL.';
$a->strings['Starts:'] = 'Algab:';
$a->strings['Finishes:'] = 'Lõpeb:';
@ -329,15 +339,6 @@ $a->strings['Show map'] = 'Näita kaarti';
$a->strings['Hide map'] = 'Peida kaart';
$a->strings['%s\'s birthday'] = '%s sünnipäev';
$a->strings['Happy Birthday %s'] = 'Palju Õnne %s ';
$a->strings['Default privacy group for new contacts'] = 'Baas turvalisuse grupp uutele kontaktidele';
$a->strings['Everybody'] = 'Igaüks';
$a->strings['edit'] = 'muuda';
$a->strings['add'] = 'lisa';
$a->strings['Edit group'] = 'Muuda gruppi';
$a->strings['Contacts not in any group'] = 'Mitteüheski grupis olevad kontaktid';
$a->strings['Create a new group'] = 'Loo uus grupp';
$a->strings['Group Name: '] = 'Grupi nimi:';
$a->strings['Edit groups'] = 'Muuda gruppe';
$a->strings['activity'] = 'tegevused';
$a->strings['post'] = 'postitus';
$a->strings['View on separate page'] = 'Kuva eraldi lehel';
@ -418,7 +419,6 @@ $a->strings['Scheduled Posts'] = 'Ajastatud postitused';
$a->strings['Posts that are scheduled for publishing'] = 'Avaldamiseks ajastatud postitused';
$a->strings['Tips for New Members'] = 'Näpunäiteid uutele liikmetele';
$a->strings['People Search - %s'] = 'Inimeste otsing - %s';
$a->strings['Forum Search - %s'] = 'Foorumi otsing - %s';
$a->strings['No matches'] = 'Pole kattuvusi';
$a->strings['Account'] = 'Konto';
$a->strings['Display'] = 'Kuva';
@ -444,6 +444,10 @@ $a->strings['calendar'] = 'kalender';
$a->strings['Events'] = 'Sündmused';
$a->strings['View'] = 'Vaade';
$a->strings['Create New Event'] = 'Loo uus sündmus';
$a->strings['Contact not found.'] = 'Kontakti ei leitud.';
$a->strings['Invalid contact.'] = 'Mittevaliidne kontakt.';
$a->strings['Members'] = 'Liikmed';
$a->strings['Click on a contact to add or remove.'] = 'Lisamiseks või eemaldamiseks klõpsa kontaktil.';
$a->strings['%d contact edited.'] = [
0 => '%d kontakt muudetud. ',
1 => '%d kontakti muudetud. ',
@ -459,7 +463,6 @@ $a->strings['Archived'] = 'Arhiveeritud';
$a->strings['Only show archived contacts'] = 'Näita ainult arhiveeritud kontakte';
$a->strings['Hidden'] = 'Peidetud';
$a->strings['Only show hidden contacts'] = 'Näita ainult peidetud kontakte';
$a->strings['Organize your contact groups'] = 'Organiseeri oma kontaktgruppe';
$a->strings['Search your contacts'] = 'Otsi oma kontakte';
$a->strings['Results for: %s'] = 'Tulemused: %s ';
$a->strings['Update'] = 'Uuenda';
@ -473,12 +476,10 @@ $a->strings['Mutual Friendship'] = 'Ühine sõprus';
$a->strings['Pending outgoing contact request'] = 'Ootel väljuv kontaktitaotlus';
$a->strings['Pending incoming contact request'] = 'Ootel sisenev kontaktitaotlus';
$a->strings['Visit %s\'s profile [%s]'] = 'Külasta %s profiili [%s] ';
$a->strings['Contact not found.'] = 'Kontakti ei leitud.';
$a->strings['Contact update failed.'] = 'Kontakti uuendamine nurjus.';
$a->strings['Name'] = 'Nimi';
$a->strings['Account Nickname'] = 'Konto hüüdnimi';
$a->strings['Account URL'] = 'Konto URL';
$a->strings['Invalid contact.'] = 'Mittevaliidne kontakt.';
$a->strings['Access denied.'] = 'Ligipääs keelatud.';
$a->strings['Submit Request'] = 'Saada taotlus';
$a->strings['You already added this contact.'] = 'Te juba lisasite selle kontakti.';
@ -531,23 +532,9 @@ $a->strings['Yes'] = 'Jah';
$a->strings['You aren\'t following this contact.'] = 'Sa ei jälgi seda kontakti.';
$a->strings['Unfollowing is currently not supported by your network.'] = 'Mittejälgimine ei ole sinu võrgus hetkel toetatud.';
$a->strings['Disconnect/Unfollow'] = 'Ühenda lahti/Ära jälgi';
$a->strings['Local Community'] = 'Kohalik kogukond';
$a->strings['Posts from local users on this server'] = 'Selle kohaliku serveri kasutajate postitused';
$a->strings['Global Community'] = 'Globaalne kogukond';
$a->strings['Posts from users of the whole federated network'] = 'Terve fõderatsiooni võrgu kasutajate postitused';
$a->strings['No results.'] = 'Pole tulemusi.';
$a->strings['Community option not available.'] = 'Kogukondlik valik pole saadaval. ';
$a->strings['Not available.'] = 'Pole saadaval.';
$a->strings['No such group'] = 'Sellist gruppi pole';
$a->strings['Group: %s'] = 'Grupp: %s ';
$a->strings['Latest Activity'] = 'Viimased tegevused';
$a->strings['Sort by latest activity'] = 'Sorteeri hiljutiste tegevuste järgi';
$a->strings['Latest Posts'] = 'Viimased postitused';
$a->strings['Latest Creation'] = 'Viimati loodud';
$a->strings['Personal'] = 'Isiklik';
$a->strings['Posts that mention or involve you'] = 'Postitused, mis mainivad või puudutavad sind';
$a->strings['Starred'] = 'Tähega märgitud';
$a->strings['Favourite Posts'] = 'Lemmikpostitused';
$a->strings['You must be logged in to use this module'] = 'Selle mooduli kasutamiseks tuleb sisse logida';
$a->strings['Source URL'] = 'Allika URL';
$a->strings['UTC time: %s'] = 'UTC aeg: %s ';
@ -563,18 +550,6 @@ $a->strings['- select -'] = '-vali-';
$a->strings['Friend suggestion sent.'] = 'Sõbrasoovitus saadetud.';
$a->strings['Suggest Friends'] = 'Soovita sõpru';
$a->strings['Suggest a friend for %s'] = 'Soovita kasutaja %s -le sõpra. ';
$a->strings['Could not create group.'] = 'Ei õnnestunud gruppi luua.';
$a->strings['Group not found.'] = 'Gruppi ei leitud.';
$a->strings['Save Group'] = 'Salvesta grupp';
$a->strings['Create a group of contacts/friends.'] = 'Loo grupp kontaktidest/sõpradest.';
$a->strings['Unable to remove group.'] = 'Ei saa gruppi eemaldada.';
$a->strings['Delete Group'] = 'Kustuta grupp';
$a->strings['Edit Group Name'] = 'Muud grupi nime';
$a->strings['Members'] = 'Liikmed';
$a->strings['Group is empty'] = 'Grupp on tühi';
$a->strings['Remove contact from group'] = 'Eemalda kontakt grupist';
$a->strings['Click on a contact to add or remove.'] = 'Lisamiseks või eemaldamiseks klõpsa kontaktil.';
$a->strings['Add contact to group'] = 'Lisa kontakt gruppi';
$a->strings['No profile'] = 'Profiili ei ole';
$a->strings['Help:'] = 'Abi:';
$a->strings['Next'] = 'Järgmine';
@ -611,16 +586,12 @@ $a->strings['Files'] = 'Failid';
$a->strings['Upload'] = 'Lae üles';
$a->strings['File upload failed.'] = 'Faili üleslaadimine nurjus.';
$a->strings['Unable to process image.'] = 'Ei suuda pilti töödelda. ';
$a->strings['Image exceeds size limit of %s'] = 'Pilt ületab suuruse limiidi %s ';
$a->strings['Image upload failed.'] = 'Pildi üleslaadimine nurjus.';
$a->strings['Normal Account Page'] = 'Normaalse konto leht';
$a->strings['Public Forum'] = 'Avalik foorum';
$a->strings['Automatic Friend Page'] = 'Automaatne sõbraleht';
$a->strings['Private Forum'] = 'Privaatne foorum';
$a->strings['Personal Page'] = 'Isiklik leht';
$a->strings['Organisation Page'] = 'Organisatsiooni leht';
$a->strings['News Page'] = 'Uudiste leht';
$a->strings['Community Forum'] = 'Kogukonna foorum';
$a->strings['Blocked Remote Contacts'] = 'Blokeeritud kaugkontaktid';
$a->strings['Block New Remote Contact'] = 'Blokeeri kaugkontakt';
$a->strings['Photo'] = 'Foto';
@ -630,10 +601,8 @@ $a->strings['Type'] = 'Tüüp';
$a->strings['Item not found'] = 'Ei leitud';
$a->strings['Normal Account'] = 'Normaalne konto';
$a->strings['Automatic Follower Account'] = 'Automaatse jälgija konto';
$a->strings['Public Forum Account'] = 'Avaliku foorumi konto';
$a->strings['Automatic Friend Account'] = 'Automaatse sõbra konto';
$a->strings['Blog Account'] = 'Blogikonto';
$a->strings['Private Forum Account'] = 'Privaatfoorumi konto';
$a->strings['Registered users'] = 'Registreeritud kasutajad';
$a->strings['Pending registrations'] = 'Ootel registreeringud';
$a->strings['You can\'t remove yourself'] = 'Iseend eemaldada ei saa';
@ -681,6 +650,7 @@ $a->strings['No contacts.'] = 'Kontakte pole.';
$a->strings['%s\'s timeline'] = '%s ajajoon';
$a->strings['%s\'s posts'] = '%s postitused';
$a->strings['%s\'s comments'] = '%s kommentaarid';
$a->strings['Image exceeds size limit of %s'] = 'Pilt ületab suuruse limiidi %s ';
$a->strings['Image upload didn\'t complete, please try again'] = 'Pildi üleslaadimine ei lõppenud, palun ürita uuesti';
$a->strings['Image file is missing'] = 'Pildifail on puudu';
$a->strings['Server can\'t accept new file upload at this time, please contact your administrator'] = 'Server ei aktsepteeri hetkel uue faili üleslaadimist. Palun kontakteeru adminniga. ';
@ -692,7 +662,6 @@ $a->strings['Member since:'] = 'Liige alates: ';
$a->strings['Birthday:'] = 'Sünnipäev:';
$a->strings['Age: '] = 'Vanus:';
$a->strings['Description:'] = 'Kirjeldus:';
$a->strings['Forums:'] = 'Foorumid:';
$a->strings['Profile unavailable.'] = 'Profiil pole saadaval.';
$a->strings['Remote subscription can\'t be done for your network. Please subscribe directly on your system.'] = 'Kaugliitumist ei saa teostada Teie võrguga. Palun liituge otse oma süsteemis. ';
$a->strings['Friend/Connection Request'] = 'Sõbra/Ühenduse taotlus';
@ -721,7 +690,6 @@ $a->strings['Current Password:'] = 'Kehtiv parool';
$a->strings['Your current password to confirm the changes'] = 'Sinu kehtiv parool muutuste kinnitamiseks';
$a->strings['Unable to find your profile. Please contact your admin.'] = 'Ei leia sinu profiili. Palun kontakteeru adminniga. ';
$a->strings['Personal Page Subtypes'] = 'Isikliku lehe alltüübid';
$a->strings['Community Forum Subtypes'] = 'Kogukonnafoorumi alltüübid';
$a->strings['Account for a personal profile.'] = 'Personaalse profiili konto.';
$a->strings['Account for an organisation that automatically approves contact requests as "Followers".'] = 'Konto organisatsioonile, mis automaatselt kiidab kontaktitaotlused heaks kui "Jälgijad". ';
$a->strings['Account for a news reflector that automatically approves contact requests as "Followers".'] = 'Uudistelevitaja konto, kes automaatselt kiidab kontaktitaotlused heaks kui "Jälgijad". ';
@ -730,7 +698,6 @@ $a->strings['Account for a regular personal profile that requires manual approva
$a->strings['Account for a public profile that automatically approves contact requests as "Followers".'] = 'Avaliku profiili konto, mis kiidab automaatselt heaks kontaktitaotlused kui "Jälgijad". ';
$a->strings['Automatically approves all contact requests.'] = 'Kiidab automaatselt kõik kontaktitaotlused heaks. ';
$a->strings['Account for a popular profile that automatically approves contact requests as "Friends".'] = 'Kuulsuse profiili konto, mis kiidab automaatselt kontaktitaotlused heaks kui "Sõbrad". ';
$a->strings['Private Forum [Experimental]'] = 'Privaatne Foorum [Eksperimentaalne]';
$a->strings['Requires manual approval of contact requests.'] = 'Nõuab käsitsi kontaktitaotluste heakskiitu. ';
$a->strings['Account Settings'] = 'Konto sätted';
$a->strings['Your Identity Address is <strong>\'%s\'</strong> or \'%s\'.'] = 'Sinu ID Aadress on <strong>\'%s\'</strong> või \'%s\'. ';
@ -810,7 +777,6 @@ $a->strings['Display the resharer'] = 'Kuva taasjagaja';
$a->strings['Beginning of week:'] = 'Nädala algus:';
$a->strings['Additional Features'] = 'Lisafunktsioonid';
$a->strings['Connected Apps'] = 'Ühendatud rakendused';
$a->strings['Profile Name is required.'] = 'Profiili Nimi nõutav.';
$a->strings['(click to open/close)'] = '(klõpsa ava/sulge)';
$a->strings['Profile Actions'] = 'Profiili tegevused';
$a->strings['Edit Profile Details'] = 'Muuda profiili detaile';
@ -863,8 +829,6 @@ $a->strings['Go to Your Site\'s Directory'] = 'Mine oma Lehe Kataloogi';
$a->strings['The Directory page lets you find other people in this network or other federated sites. Look for a <em>Connect</em> or <em>Follow</em> link on their profile page. Provide your own Identity Address if requested.'] = 'Kataloogi leht aitab leida teisi selles võrgus ja teistes seotud võrkudes. Otsi <em> Ühendu </em> või <em> Jälgi </em> linki nende profiili lehel. Anna sinna oma ID aadress kui küsitud. ';
$a->strings['Finding New People'] = 'Uute inimeste leidmine';
$a->strings['On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours.'] = 'Kontaktide lehe küljepaneelil on mitmeid tööriistu uute sõprade leidmiseks. Me saame sidustada inimesi huvide, huvide ja nime järgi või saame soovitada vastavalt võrgusuhtlusele. Päris uuel lehel tulevad soovitused 24 tunni möödudes. ';
$a->strings['Group Your Contacts'] = 'Grupeeri oma Kontaktid';
$a->strings['Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page.'] = 'Kui oled mõned sõbrad leidnud, organiseeri nad privaatsuhtluse gruppidesse oma Kontaktide lehe külgpaanil. Siis saad iga grupiga privaatselt oma Võrgulehel suhelda. ';
$a->strings['Why Aren\'t My Posts Public?'] = 'Miks mu postitused avalikud ei ole?';
$a->strings['Friendica respects your privacy. By default, your posts will only show up to people you\'ve added as friends. For more information, see the help section from the link above.'] = 'Friendica austab sinu privaatsust. Algseadena näevad sinu postitusi inimesed, kelle oled sõbrana lisanud. Lisainfot saad abiinfost lingilt ülalpool. ';
$a->strings['Getting Help'] = 'Kuidas saada abi';

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@ -201,6 +201,9 @@ $a->strings['Apologies but the website is unavailable at the moment.'] = 'Elnéz
$a->strings['Delete this item?'] = 'Törli ezt az elemet?';
$a->strings['Block this author? They won\'t be able to follow you nor see your public posts, and you won\'t be able to see their posts and their notifications.'] = 'Tiltja ezt a szerzőt? Nem lesz képes követni Önt, és a nyilvános bejegyzéseit sem látja, valamint Ön sem lesz képes megtekinteni az ő bejegyzéseit és értesítéseit.';
$a->strings['Ignore this author? You won\'t be able to see their posts and their notifications.'] = 'Mellőzi ezt a szerzőt? Nem lesz képes megtekinteni az ő bejegyzéseit és értesítéseit.';
$a->strings['Collapse this author\'s posts?'] = 'Összecsukja ennek a szerzőnek a bejegyzéseit?';
$a->strings['Ignore this author\'s server?'] = 'Mellőzi ennek a szerzőnek a kiszolgálóját?';
$a->strings['You won\'t see any content from this server including reshares in your Network page, the community pages and individual conversations.'] = 'Nem fog látni semmilyen tartalmat erről a kiszolgálóról, beleértve a hálózat oldalon, a közösségi oldalakon és az egyéni beszélgetésekben lévő újra megosztásokat is.';
$a->strings['Like not successful'] = 'A kedvelés sikertelen';
$a->strings['Dislike not successful'] = 'A nem kedvelés sikertelen';
$a->strings['Sharing not successful'] = 'A megosztás sikertelen';
@ -300,6 +303,7 @@ $a->strings['GNU Social Connector'] = 'GNU Social összekötő';
$a->strings['ActivityPub'] = 'ActivityPub';
$a->strings['pnut'] = 'pnut';
$a->strings['Tumblr'] = 'Tumblr';
$a->strings['Bluesky'] = 'Bluesky';
$a->strings['%s (via %s)'] = '%s (ezen keresztül: %s)';
$a->strings['and'] = 'és';
$a->strings['and %d other people'] = 'és %d más személy';
@ -368,6 +372,7 @@ $a->strings['Italic'] = 'Dőlt';
$a->strings['Underline'] = 'Aláhúzott';
$a->strings['Quote'] = 'Idézet';
$a->strings['Add emojis'] = 'Emodzsik hozzáadása';
$a->strings['Content Warning'] = 'Tartalom figyelmeztetés';
$a->strings['Code'] = 'Kód';
$a->strings['Image'] = 'Kép';
$a->strings['Link'] = 'Hivatkozás';
@ -385,16 +390,11 @@ $a->strings['Public post'] = 'Nyilvános bejegyzés';
$a->strings['Message'] = 'Üzenet';
$a->strings['Browser'] = 'Böngésző';
$a->strings['Open Compose page'] = 'Írás oldal megnyitása';
$a->strings['Pinned item'] = 'Kitűzött elem';
$a->strings['View %s\'s profile @ %s'] = '%s profiljának megtekintése ezen: %s';
$a->strings['Categories:'] = 'Kategóriák:';
$a->strings['Filed under:'] = 'Iktatva itt:';
$a->strings['%s from %s'] = '%s tőle: %s';
$a->strings['View in context'] = 'Megtekintés környezetben';
$a->strings['remove'] = 'eltávolítás';
$a->strings['Delete Selected Items'] = 'Kijelölt elemek törlése';
$a->strings['You had been addressed (%s).'] = 'Önt megszólították (%s).';
$a->strings['You are following %s.'] = 'Ön követi őt: %s.';
$a->strings['You subscribed to %s.'] = 'Ön feliratkozott erre: %s.';
$a->strings['You subscribed to one or more tags in this post.'] = 'Ön feliratkozott egy vagy több címkére ebben a bejegyzésben.';
$a->strings['%s reshared this.'] = '%s újra megosztotta ezt.';
$a->strings['Reshared'] = 'Újra megosztva';
@ -411,14 +411,48 @@ $a->strings['Local delivery'] = 'Helyi kézbesítés';
$a->strings['Stored because of your activity (like, comment, star, ...)'] = 'Eltárolva az Ön tevékenysége miatt (kedvelés, hozzászólás, csillagozás stb.)';
$a->strings['Distributed'] = 'Elosztott';
$a->strings['Pushed to us'] = 'Leküldve nekünk';
$a->strings['Pinned item'] = 'Kitűzött elem';
$a->strings['View %s\'s profile @ %s'] = '%s profiljának megtekintése ezen: %s';
$a->strings['Categories:'] = 'Kategóriák:';
$a->strings['Filed under:'] = 'Iktatva itt:';
$a->strings['%s from %s'] = '%s tőle: %s';
$a->strings['View in context'] = 'Megtekintés környezetben';
$a->strings['For you'] = 'Önnek';
$a->strings['Posts from contacts you interact with and who interact with you'] = 'Azoktól a partnerektől származó bejegyzések, akikkel kapcsolatba kerül és akik kapcsolatba kerülnek Önnel';
$a->strings['What\'s Hot'] = 'Mi a menő';
$a->strings['Posts with a lot of interactions'] = 'Sok interakcióval rendelkező bejegyzések';
$a->strings['Posts in %s'] = 'Bejegyzések ebben: %s';
$a->strings['Posts from your followers that you don\'t follow'] = 'Az olyan követőitől származó bejegyzések, akiket nem követ';
$a->strings['Sharers of sharers'] = 'Megosztók megosztói';
$a->strings['Posts from accounts that are followed by accounts that you follow'] = 'Az Ön által követett fiókok által követett fiókokból származó bejegyzések';
$a->strings['Images'] = 'Képek';
$a->strings['Posts with images'] = 'Képekkel rendelkező bejegyzések';
$a->strings['Audio'] = 'Hang';
$a->strings['Posts with audio'] = 'Hanggal rendelkező bejegyzések';
$a->strings['Videos'] = 'Videók';
$a->strings['Posts with videos'] = 'Videókkal rendelkező bejegyzések';
$a->strings['Local Community'] = 'Helyi közösség';
$a->strings['Posts from local users on this server'] = 'Bejegyzések a kiszolgálón lévő helyi felhasználóktól';
$a->strings['Global Community'] = 'Globális közösség';
$a->strings['Posts from users of the whole federated network'] = 'Bejegyzések a teljes föderált hálózat felhasználóitól';
$a->strings['Latest Activity'] = 'Legutóbbi tevékenység';
$a->strings['Sort by latest activity'] = 'Rendezés a legutóbbi tevékenység szerint';
$a->strings['Latest Posts'] = 'Legutóbbi bejegyzések';
$a->strings['Sort by post received date'] = 'Rendezés a bejegyzés érkezési dátuma szerint';
$a->strings['Latest Creation'] = 'Legutóbbi létrehozás';
$a->strings['Sort by post creation date'] = 'Rendezés a bejegyzés létrehozási dátuma szerint';
$a->strings['Personal'] = 'Személyes';
$a->strings['Posts that mention or involve you'] = 'Bejegyzések, amelyek említik vagy tartalmazzák Önt';
$a->strings['Starred'] = 'Csillagozott';
$a->strings['Favourite Posts'] = 'Kedvenc bejegyzések';
$a->strings['General Features'] = 'Általános funkciók';
$a->strings['Photo Location'] = 'Fénykép helye';
$a->strings['Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map.'] = 'A fénykép metaadatai általában ki vannak törölve. Ez kinyeri a helyet (ha meg van adva) a metaadatok törlése előtt, és hivatkozást készít rá egy térképen.';
$a->strings['Trending Tags'] = 'Népszerű címkék';
$a->strings['Show a community page widget with a list of the most popular tags in recent public posts.'] = 'Egy közösségi oldal felületi elem megjelenítése a legutóbbi nyilvános bejegyzésekben lévő legnépszerűbb címkék listájával.';
$a->strings['Post Composition Features'] = 'Bejegyzés-összeállítási funkciók';
$a->strings['Auto-mention Forums'] = 'Fórumok automatikus említése';
$a->strings['Add/remove mention when a forum page is selected/deselected in ACL window.'] = 'Említés hozzáadása vagy eltávolítása, ha egy fórumoldalt kiválasztanak vagy megszüntetik a kiválasztását az ACL ablakokban.';
$a->strings['Auto-mention Groups'] = 'Csoportok automatikus említése';
$a->strings['Add/remove mention when a group page is selected/deselected in ACL window.'] = 'Említés hozzáadása vagy eltávolítása, ha egy csoportoldalt kiválasztanak vagy megszüntetik a kiválasztását az ACL ablakokban.';
$a->strings['Explicit Mentions'] = 'Közvetlen említések';
$a->strings['Add explicit mentions to comment box for manual control over who gets mentioned in replies.'] = 'Közvetlen említések hozzáadása a hozzászólásmezőhöz kézi vezérléssel, hogy ki lesz megemlítve a válaszokban.';
$a->strings['Add an abstract from ActivityPub content warnings'] = 'Kivonat hozzáadása az ActivityPub tartalomfigyelmeztetéseiből';
@ -427,8 +461,8 @@ $a->strings['Post/Comment Tools'] = 'Bejegyzés és hozzászólás eszközök';
$a->strings['Post Categories'] = 'Bejegyzéskategóriák';
$a->strings['Add categories to your posts'] = 'Kategóriák hozzáadása a bejegyzéseihez.';
$a->strings['Advanced Profile Settings'] = 'Speciális profilbeállítások';
$a->strings['List Forums'] = 'Fórumok felsorolása';
$a->strings['Show visitors public community forums at the Advanced Profile Page'] = 'Nyilvános közösségi fórumok megjelenítése a látogatóknak a speciális profiloldalon.';
$a->strings['List Groups'] = 'Csoportok felsorolása';
$a->strings['Show visitors public groups at the Advanced Profile Page'] = 'Nyilvános csoportok megjelenítése a látogatóknak a speciális profiloldalon.';
$a->strings['Tag Cloud'] = 'Címkefelhő';
$a->strings['Provide a personal tag cloud on your profile page'] = 'Személyes címkefelhő biztosítása a profiloldalán.';
$a->strings['Display Membership Date'] = 'Tagsági dátum megjelenítése';
@ -436,10 +470,11 @@ $a->strings['Display membership date in profile'] = 'Tagsági dátum megjelenít
$a->strings['Advanced Calendar Settings'] = 'Speciális naptárbeállítások';
$a->strings['Allow anonymous access to your calendar'] = 'Névtelen hozzáférés engedélyezése a naptárához';
$a->strings['Allows anonymous visitors to consult your calendar and your public events. Contact birthday events are private to you.'] = 'Lehetővé teszi a névtelen látogatók számára a naptára és a nyilvános eseményei megtekintését. A partner születésnapi eseményei az Ön számára magánjellegűek.';
$a->strings['Forums'] = 'Fórumok';
$a->strings['External link to forum'] = 'Külső hivatkozás a fórumhoz';
$a->strings['Groups'] = 'Csoportok';
$a->strings['External link to group'] = 'Külső hivatkozás a csoporthoz';
$a->strings['show less'] = 'kevesebb megjelenítése';
$a->strings['show more'] = 'több megjelenítése';
$a->strings['Create new group'] = 'Új csoport létrehozása';
$a->strings['event'] = 'esemény';
$a->strings['status'] = 'állapot';
$a->strings['photo'] = 'fénykép';
@ -454,13 +489,14 @@ $a->strings['Send PM'] = 'Személyes üzenet küldése';
$a->strings['Block'] = 'Tiltás';
$a->strings['Ignore'] = 'Mellőzés';
$a->strings['Collapse'] = 'Összecsukás';
$a->strings['Ignore %s server'] = 'A(z) %s kiszolgáló mellőzése';
$a->strings['Languages'] = 'Nyelvek';
$a->strings['Connect/Follow'] = 'Kapcsolódás vagy követés';
$a->strings['Unable to fetch user.'] = 'Nem lehet lekérni a felhasználót.';
$a->strings['Nothing new here'] = 'Semmi új nincs itt';
$a->strings['Go back'] = 'Vissza';
$a->strings['Clear notifications'] = 'Értesítések törlése';
$a->strings['@name, !forum, #tags, content'] = '@név, !fórum, #címkék, tartalom';
$a->strings['@name, !group, #tags, content'] = '@név, !csoport, #címkék, tartalom';
$a->strings['Logout'] = 'Kijelentkezés';
$a->strings['End this session'] = 'Munkamenet befejezése';
$a->strings['Login'] = 'Bejelentkezés';
@ -556,8 +592,9 @@ $a->strings['Random Profile'] = 'Véletlen profil';
$a->strings['Invite Friends'] = 'Ismerősök meghívása';
$a->strings['Global Directory'] = 'Globális könyvtár';
$a->strings['Local Directory'] = 'Helyi könyvtár';
$a->strings['Groups'] = 'Csoportok';
$a->strings['Circles'] = 'Körök';
$a->strings['Everyone'] = 'Mindenki';
$a->strings['No relationship'] = 'Nincs kapcsolat';
$a->strings['Relationships'] = 'Kapcsolatok';
$a->strings['All Contacts'] = 'Összes partner';
$a->strings['Protocols'] = 'Protokollok';
@ -570,11 +607,13 @@ $a->strings['%d contact in common'] = [
1 => '%d partner közös',
];
$a->strings['Archives'] = 'Archívumok';
$a->strings['On this date'] = 'Ezen a napon';
$a->strings['Persons'] = 'Személyek';
$a->strings['Organisations'] = 'Szervezetek';
$a->strings['News'] = 'Hírek';
$a->strings['Account Types'] = 'Fióktípusok';
$a->strings['All'] = 'Összes';
$a->strings['Channels'] = 'Csatornák';
$a->strings['Export'] = 'Exportálás';
$a->strings['Export calendar as ical'] = 'Naptár exportálása iCal-ként';
$a->strings['Export calendar as csv'] = 'Naptár exportálása CSV-ként';
@ -603,7 +642,7 @@ $a->strings['Public'] = 'Nyilvános';
$a->strings['This content will be shown to all your followers and can be seen in the community pages and by anyone with its link.'] = 'Ez a tartalom meg fog jelenni az összes követőjének, és látható lesz a közösségi oldalakon, valamint bárki számára a hivatkozásával.';
$a->strings['Limited/Private'] = 'Korlátozott vagy személyes';
$a->strings['This content will be shown only to the people in the first box, to the exception of the people mentioned in the second box. It won\'t appear anywhere public.'] = 'Ez a tartalom csak az első mezőben lévő embereknek fog megjelenni, kivéve a második mezőben említett embereknek. Nem jelenik meg sehol sem nyilvánosan.';
$a->strings['Start typing the name of a contact or a group to show a filtered list. You can also mention the special groups "Followers" and "Mutuals".'] = 'Kezdje el gépelni egy partner vagy csoport nevét egy szűrt lista megjelenítéséhez. Megemlítheti a „Követők” és a „Kölcsönösen ismerősök” különleges csoportokat is.';
$a->strings['Start typing the name of a contact or a circle to show a filtered list. You can also mention the special circles "Followers" and "Mutuals".'] = 'Kezdje el gépelni egy partner vagy kör nevét egy szűrt lista megjelenítéséhez. Megemlítheti a „Követők” és a „Kölcsönösen ismerősök” különleges köröket is.';
$a->strings['Show to:'] = 'Megjelenítés nekik:';
$a->strings['Except to:'] = 'Kivéve nekik:';
$a->strings['CC: email addresses'] = 'Másolat: e-mail-címek';
@ -714,6 +753,8 @@ $a->strings['Sep'] = 'Sze';
$a->strings['Oct'] = 'Okt';
$a->strings['Nov'] = 'Nov';
$a->strings['Dec'] = 'Dec';
$a->strings['The logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'A(z) „%s” naplófájl nem használható. Nem lehetséges a naplózás (hiba: „%s”).';
$a->strings['The debug logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'A(z) „%s” hibakeresési naplófájl nem használható. Nem lehetséges a naplózás (hiba: „%s”).';
$a->strings['Friendica can\'t display this page at the moment, please contact the administrator.'] = 'A Friendica jelenleg nem tudja megjeleníteni ezt az oldalt. Vegye fel a kapcsolatot a rendszergazdával.';
$a->strings['template engine cannot be registered without a name.'] = 'a sablonmotort nem lehet regisztrálni név nélkül.';
$a->strings['template engine is not registered!'] = 'a sablonmotor nincs regisztrálva!';
@ -762,9 +803,18 @@ $a->strings['Unauthorized'] = 'Nem engedélyezett';
$a->strings['Token is not authorized with a valid user or is missing a required scope'] = 'A token nincs felhatalmazva egy érvényes felhasználóval, vagy hiányzik a szükséges hatókör';
$a->strings['Internal Server Error'] = 'Belső kiszolgálóhiba';
$a->strings['Legacy module file not found: %s'] = 'Az örökölt modulfájl nem található: %s';
$a->strings['A deleted circle with this name was revived. Existing item permissions <strong>may</strong> apply to this circle and any future members. If this is not what you intended, please create another circle with a different name.'] = 'Egy ilyen névvel rendelkező törölt kör újraéledt. <strong>Lehet</strong>, hogy a meglévő elemjogosultságok alkalmazva lesznek erre a körre és bármely jövőbeli tagjaira. Ha ez nem az, amit szeretett volna, akkor hozzon létre egy másik kört eltérő névvel.';
$a->strings['Everybody'] = 'Mindenki';
$a->strings['edit'] = 'szerkesztés';
$a->strings['add'] = 'hozzáadás';
$a->strings['Edit circle'] = 'Kör szerkesztése';
$a->strings['Contacts not in any circle'] = 'Egyetlen körben sem lévő partnerek';
$a->strings['Create a new circle'] = 'Új kör létrehozása';
$a->strings['Circle Name: '] = 'Kör neve: ';
$a->strings['Edit circles'] = 'Körök szerkesztése';
$a->strings['Approve'] = 'Jóváhagyás';
$a->strings['Organisation'] = 'Szervezet';
$a->strings['Forum'] = 'Fórum';
$a->strings['Group'] = 'Csoport';
$a->strings['Disallowed profile URL.'] = 'Nem engedélyezett profil URL.';
$a->strings['Blocked domain'] = 'Tiltott tartomány';
$a->strings['Connect URL missing.'] = 'A kapcsolódási URL hiányzik.';
@ -802,16 +852,6 @@ $a->strings['Show map'] = 'Térkép megjelenítése';
$a->strings['Hide map'] = 'Térkép elrejtése';
$a->strings['%s\'s birthday'] = '%s születésnapja';
$a->strings['Happy Birthday %s'] = 'Boldog születésnapot, %s';
$a->strings['A deleted group with this name was revived. Existing item permissions <strong>may</strong> apply to this group and any future members. If this is not what you intended, please create another group with a different name.'] = 'Egy ilyen névvel rendelkező törölt csoport újraéledt. <strong>Lehet</strong>, hogy a meglévő elemjogosultságok alkalmazva lesznek erre a csoportra és bármely jövőbeli tagjaira. Ha ez nem az, amit szeretett volna, akkor hozzon létre egy másik csoportot eltérő névvel.';
$a->strings['Default privacy group for new contacts'] = 'Alapértelmezett adatvédelmi csoport az új partnerekhez';
$a->strings['Everybody'] = 'Mindenki';
$a->strings['edit'] = 'szerkesztés';
$a->strings['add'] = 'hozzáadás';
$a->strings['Edit group'] = 'Csoport szerkesztése';
$a->strings['Contacts not in any group'] = 'Egyetlen csoportban sem lévő partnerek';
$a->strings['Create a new group'] = 'Új csoport létrehozása';
$a->strings['Group Name: '] = 'Csoport neve: ';
$a->strings['Edit groups'] = 'Csoportok szerkesztése';
$a->strings['Detected languages in this post:\n%s'] = 'A bejegyzésben felismert nyelvek:\n%s';
$a->strings['activity'] = 'tevékenység';
$a->strings['comment'] = 'hozzászólás';
@ -911,7 +951,7 @@ $a->strings['An error occurred during registration. Please try again.'] = 'Hiba
$a->strings['An error occurred creating your default profile. Please try again.'] = 'Hiba történt az alapértelmezett profil létrehozásakor. Próbálja újra.';
$a->strings['An error occurred creating your self contact. Please try again.'] = 'Hiba történt a saját partnere létrehozásakor. Próbálja újra.';
$a->strings['Friends'] = 'Ismerősök';
$a->strings['An error occurred creating your default contact group. Please try again.'] = 'Hiba történt az alapértelmezett partnercsoport létrehozásakor. Próbálja újra.';
$a->strings['An error occurred creating your default contact circle. Please try again.'] = 'Hiba történt az alapértelmezett partnerkör létrehozásakor. Próbálja újra.';
$a->strings['Profile Photos'] = 'Profilfényképek';
$a->strings['
Dear %1$s,
@ -1261,7 +1301,7 @@ $a->strings['Enabling this may violate privacy laws like the GDPR'] = 'Ennek eng
$a->strings['Global directory URL'] = 'Globális könyvtár URL';
$a->strings['URL to the global directory. If this is not set, the global directory is completely unavailable to the application.'] = 'Az URL a globális könyvtárhoz. Ha ez nincs beállítva, akkor a globális könyvtár teljesen elérhetetlen lesz az alkalmazásoknak.';
$a->strings['Private posts by default for new users'] = 'Alapértelmezetten személyes bejegyzések az új felhasználóknál';
$a->strings['Set default post permissions for all new members to the default privacy group rather than public.'] = 'Az összes új tag alapértelmezett bejegyzés-jogosultságainak beállítása az alapértelmezett adatvédelmi csoportra a nyilvános helyett.';
$a->strings['Set default post permissions for all new members to the default privacy circle rather than public.'] = 'Az összes új tag alapértelmezett bejegyzés-jogosultságainak beállítása az alapértelmezett adatvédelmi körre a nyilvános helyett.';
$a->strings['Don\'t include post content in email notifications'] = 'Ne ágyazza be a bejegyzés tartalmát az e-mailes értesítésekbe';
$a->strings['Don\'t include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure.'] = 'Adatvédelmi intézkedésként ne ágyazza be egy bejegyzés, hozzászólás, személyes üzenet stb. tartalmát azokba az e-mailes értesítésekbe, amelyek erről az oldalról kerülnek kiküldésre.';
$a->strings['Disallow public access to addons listed in the apps menu.'] = 'Nyilvános hozzáférés letiltása az alkalmazások menüben felsorolt bővítményekhez';
@ -1301,7 +1341,7 @@ $a->strings['If you wish, you can turn on strict certificate checking. This will
$a->strings['Proxy user'] = 'Proxy felhasználó';
$a->strings['User name for the proxy server.'] = 'Felhasználónév a proxy-kiszolgálóhoz.';
$a->strings['Proxy URL'] = 'Proxy URL';
$a->strings['If you want to use a proxy server that Friendica should use to connect to the network, put the URL of the proxy here.'] = 'Ha olyan proxy-kiszolgálót szeretne használni, amelyet a Friendicának a hálózathoz való kapcsolódáshoz használnia kell, akkor itt adja meg a proxy URL-ét.';
$a->strings['If you want to use a proxy server that Friendica should use to connect to the network, put the URL of the proxy here.'] = 'Ha olyan proxy-kiszolgálót szeretne használni, amelyet a Friendicának a hálózathoz való kapcsolódáshoz használnia kell, akkor itt adja meg a proxy URL-jét.';
$a->strings['Network timeout'] = 'Hálózati időkorlát';
$a->strings['Value is in seconds. Set to 0 for unlimited (not recommended).'] = 'Az érték másodpercben van. Állítsa 0-ra a korlátlan időhöz (nem ajánlott).';
$a->strings['Maximum Load Average'] = 'Legnagyobb terhelésátlag';
@ -1345,8 +1385,8 @@ $a->strings['Temp path'] = 'Ideiglenes mappa útvonala';
$a->strings['If you have a restricted system where the webserver can\'t access the system temp path, enter another path here.'] = 'Ha korlátozott rendszere van, ahol a webkiszolgáló nem tudja elérni a rendszer ideiglenes mappájának útvonalát, akkor adjon meg egy másik útvonalat itt.';
$a->strings['Only search in tags'] = 'Keresés csak címkékben';
$a->strings['On large systems the text search can slow down the system extremely.'] = 'Nagy rendszereknél a szöveges keresés rendkívüli módon lelassíthatja a rendszert.';
$a->strings['Generate counts per contact group when calculating network count'] = 'Partnercsoportonkénti számlálások előállítása a hálózatszám kiszámításakor';
$a->strings['On systems with users that heavily use contact groups the query can be very expensive.'] = 'Olyan rendszereken, ahol a felhasználók nagymértékben használják a partnercsoportokat, a lekérdezés nagyon költséges lehet.';
$a->strings['Generate counts per contact circle when calculating network count'] = 'Partnerkörönkénti számlálások előállítása a hálózatszám kiszámításakor';
$a->strings['On systems with users that heavily use contact circles the query can be very expensive.'] = 'Olyan rendszereken, ahol a felhasználók nagymértékben használják a partnerköröket, a lekérdezés nagyon költséges lehet.';
$a->strings['Maximum number of parallel workers'] = 'Párhuzamos feldolgozók legnagyobb száma';
$a->strings['On shared hosters set this to %d. On larger systems, values of %d are great. Default value is %d.'] = 'Osztott tárhelyszolgáltatóknál állítsa ezt %d értékre. Nagyobb rendszereknél érdemes a számot %d értékre állítani. Az alapértelmezett érték %d.';
$a->strings['Enable fastlane'] = 'Prioritásos sor engedélyezése';
@ -1390,8 +1430,6 @@ $a->strings['The last worker execution was on %s UTC. This is older than one hou
$a->strings['Friendica\'s configuration now is stored in config/local.config.php, please copy config/local-sample.config.php and move your config from <code>.htconfig.php</code>. See <a href="%s">the Config help page</a> for help with the transition.'] = 'A Friendica beállításai most a „config/local.config.php” fájlban vannak eltárolva. Másolja le a „config/local-sample.config.php” fájlt, és helyezze át a beállításokat a <code>.htconfig.php</code> fájlból. Az átvitelhez való segítségért nézze meg a <a href="%s">beállítások súgóoldalát</a>.';
$a->strings['Friendica\'s configuration now is stored in config/local.config.php, please copy config/local-sample.config.php and move your config from <code>config/local.ini.php</code>. See <a href="%s">the Config help page</a> for help with the transition.'] = 'A Friendica beállításai most a „config/local.config.php” fájlban vannak eltárolva. Másolja le a „config/local-sample.config.php” fájlt, és helyezze át a beállításokat a <code>config/local.ini.php</code> fájlból. Az átvitelhez való segítségért nézze meg a <a href="%s">beállítások súgóoldalát</a>.';
$a->strings['<a href="%s">%s</a> is not reachable on your system. This is a severe configuration issue that prevents server to server communication. See <a href="%s">the installation page</a> for help.'] = 'A <a href="%s">%s</a> nem érhető el a rendszeréről. Ez súlyos beállítási probléma, amely megakadályozza a kiszolgálók közti kommunikációt. Nézze meg a <a href="%s">telepítési oldalt</a> a segítségért.';
$a->strings['The logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'A(z) „%s” naplófájl nem használható. Nem lehetséges a naplózás (hiba: „%s”).';
$a->strings['The debug logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'A(z) „%s” hibakeresési naplófájl nem használható. Nem lehetséges a naplózás (hiba: „%s”).';
$a->strings['Friendica\'s system.basepath was updated from \'%s\' to \'%s\'. Please remove the system.basepath from your db to avoid differences.'] = 'A Friendica „system.basepath” beállítása frissítve lett „%s” értékről „%s” értékre. Távolítsa el a „system.basepath” beállítást az adatbázisából az eltérések elkerüléséhez.';
$a->strings['Friendica\'s current system.basepath \'%s\' is wrong and the config file \'%s\' isn\'t used.'] = 'A Friendica jelenlegi „system.basepath” értéke („%s”) hibás, és a(z) „%s” beállítófájl nincs használva.';
$a->strings['Friendica\'s current system.basepath \'%s\' is not equal to the config file \'%s\'. Please fix your configuration.'] = 'A Friendica jelenlegi „system.basepath” értéke („%s”) nem azonos a(z) „%s” beállítófájlban lévővel. Javítsa a beállításokat.';
@ -1462,6 +1500,9 @@ $a->strings['Monthly posting limit of %d post reached. The post was rejected.']
0 => 'A havi %d bejegyzésből álló beküldési korlát elérve. A bejegyzés vissza lett utasítva.',
1 => 'A havi %d bejegyzésből álló beküldési korlát elérve. A bejegyzés vissza lett utasítva.',
];
$a->strings['You don\'t have access to moderation pages.'] = 'Nincs hozzáférése a moderálási oldalakhoz.';
$a->strings['Submanaged account can\'t access the moderation pages. Please log back in as the main account.'] = 'Az alkezelt fiókok nem férhetnek hozzá a moderálási oldalakhoz. Jelentkezzen vissza a fő fiókkal.';
$a->strings['Reports'] = 'Jelentések';
$a->strings['Users'] = 'Felhasználók';
$a->strings['Tools'] = 'Eszközök';
$a->strings['Contact Blocklist'] = 'Partnertiltólista';
@ -1475,7 +1516,7 @@ $a->strings['Scheduled Posts'] = 'Ütemezett bejegyzések';
$a->strings['Posts that are scheduled for publishing'] = 'Bejegyzések, amelyek közzétételre vannak üzemezve';
$a->strings['Tips for New Members'] = 'Tippek új tagoknak';
$a->strings['People Search - %s'] = 'Emberek keresése %s';
$a->strings['Forum Search - %s'] = 'Fórum keresése %s';
$a->strings['Group Search - %s'] = 'Csoportkeresés %s';
$a->strings['No matches'] = 'Nincs találat';
$a->strings['%d result was filtered out because your node blocks the domain it is registered on. You can review the list of domains your node is currently blocking in the <a href="/friendica">About page</a>.'] = [
0 => '%d találat ki lett szűrve, mert az Ön csomópontja tiltja azt a tartományt, amelyen az regisztrálva van. A <a href="/friendica">Névjegy oldalon</a> felülvizsgálhatja azon tartományok listáját, amelyet a csomópontja jelenleg letilt.',
@ -1487,6 +1528,7 @@ $a->strings['Display'] = 'Megjelenítés';
$a->strings['Social Networks'] = 'Közösségi hálózatok';
$a->strings['Manage Accounts'] = 'Fiókok kezelése';
$a->strings['Connected apps'] = 'Kapcsolt alkalmazások';
$a->strings['Remote servers'] = 'Távoli kiszolgálók';
$a->strings['Export personal data'] = 'Személyes adatok exportálása';
$a->strings['Remove account'] = 'Fiók eltávolítása';
$a->strings['This page is missing a url parameter.'] = 'Erről az oldalról hiányzik egy URL paraméter.';
@ -1513,6 +1555,29 @@ $a->strings['Events'] = 'Események';
$a->strings['View'] = 'Nézet';
$a->strings['Create New Event'] = 'Új esemény létrehozása';
$a->strings['list'] = 'lista';
$a->strings['Could not create circle.'] = 'Nem sikerült létrehozni a kört.';
$a->strings['Circle not found.'] = 'A kör nem található.';
$a->strings['Circle name was not changed.'] = 'A kör neve nem változott meg.';
$a->strings['Unknown circle.'] = 'Ismeretlen kör.';
$a->strings['Contact not found.'] = 'A partner nem található.';
$a->strings['Invalid contact.'] = 'Érvénytelen partner.';
$a->strings['Contact is deleted.'] = 'A partner törölve.';
$a->strings['Unable to add the contact to the circle.'] = 'Nem lehet hozzáadni a partnert a körhöz.';
$a->strings['Contact successfully added to circle.'] = 'A partner sikeresen hozzáadva a körhöz.';
$a->strings['Unable to remove the contact from the circle.'] = 'Nem lehet eltávolítani a partnert a körből.';
$a->strings['Contact successfully removed from circle.'] = 'A partner sikeresen eltávolítva a körből.';
$a->strings['Bad request.'] = 'Hibás kérés.';
$a->strings['Save Circle'] = 'Kör mentése';
$a->strings['Filter'] = 'Szűrő';
$a->strings['Create a circle of contacts/friends.'] = 'Partnerek vagy ismerősök körének létrehozása.';
$a->strings['Unable to remove circle.'] = 'Nem lehet eltávolítani a kört.';
$a->strings['Delete Circle'] = 'Kör törlése';
$a->strings['Edit Circle Name'] = 'Kör nevének szerkesztése';
$a->strings['Members'] = 'Tagok';
$a->strings['Circle is empty'] = 'A kör üres';
$a->strings['Remove contact from circle'] = 'Partner eltávolítása a körből';
$a->strings['Click on a contact to add or remove.'] = 'Kattintson egy partnerre a hozzáadáshoz vagy eltávolításhoz.';
$a->strings['Add contact to circle'] = 'Partner hozzáadása a körhöz';
$a->strings['%d contact edited.'] = [
0 => '%d partner szerkesztve.',
1 => '%d partner szerkesztve.',
@ -1530,7 +1595,7 @@ $a->strings['Archived'] = 'Archiválva';
$a->strings['Only show archived contacts'] = 'Csak az archivált partnerek megjelenítése';
$a->strings['Hidden'] = 'Rejtett';
$a->strings['Only show hidden contacts'] = 'Csak a rejtett partnerek megjelenítése';
$a->strings['Organize your contact groups'] = 'Partnercsoportok szervezése';
$a->strings['Organize your contact circles'] = 'Partnerkörök szervezése';
$a->strings['Search your contacts'] = 'Partnerek keresése';
$a->strings['Results for: %s'] = 'Találatok erre: %s';
$a->strings['Update'] = 'Frissítés';
@ -1550,7 +1615,6 @@ $a->strings['you are a fan of'] = 'Ön rajong érte:';
$a->strings['Pending outgoing contact request'] = 'Függőben lévő kimenő partnerkérés';
$a->strings['Pending incoming contact request'] = 'Függőben lévő bejövő partnerkérés';
$a->strings['Visit %s\'s profile [%s]'] = '%s profiljának megtekintése [%s]';
$a->strings['Contact not found.'] = 'A partner nem található.';
$a->strings['Contact update failed.'] = 'A partner frissítése sikertelen.';
$a->strings['Return to contact editor'] = 'Visszatérés a partnerszerkesztőhöz';
$a->strings['Name'] = 'Név';
@ -1558,7 +1622,6 @@ $a->strings['Account Nickname'] = 'Fiók beceneve';
$a->strings['Account URL'] = 'Fiók URL';
$a->strings['Poll/Feed URL'] = 'Lekérés vagy hírforrás URL';
$a->strings['New photo from this URL'] = 'Új fénykép erről az URL-ről';
$a->strings['Invalid contact.'] = 'Érvénytelen partner.';
$a->strings['No known contacts.'] = 'Nincsenek ismert partnerek.';
$a->strings['No common contacts.'] = 'Nincsenek közös partnerek.';
$a->strings['Follower (%s)'] = [
@ -1603,14 +1666,15 @@ $a->strings['Profile Match'] = 'Profilegyezés';
$a->strings['Failed to update contact record.'] = 'Nem sikerült frissíteni a partner rekordját.';
$a->strings['Contact has been unblocked'] = 'A partner tiltása fel lett oldva';
$a->strings['Contact has been blocked'] = 'A partner tiltva lett';
$a->strings['Contact has been unignored'] = 'A partner figyelmen kívül hagyása fel lett oldva';
$a->strings['Contact has been ignored'] = 'A partner figyelmen kívül lett hagyva';
$a->strings['Contact has been uncollapsed'] = 'A partner figyelmen összecsukása meg lett szüntetve';
$a->strings['Contact has been unignored'] = 'A partner mellőzése fel lett oldva';
$a->strings['Contact has been ignored'] = 'A partner mellőzve lett';
$a->strings['Contact has been uncollapsed'] = 'A partner összecsukása meg lett szüntetve';
$a->strings['Contact has been collapsed'] = 'A partner össze lett csukva';
$a->strings['You are mutual friends with %s'] = 'Ön kölcsönösen ismerős %s partnerrel';
$a->strings['You are sharing with %s'] = 'Ön megoszt %s partnerrel';
$a->strings['%s is sharing with you'] = '%s megoszt Önnel';
$a->strings['Private communications are not available for this contact.'] = 'A személyes kommunikációk nem érhetők el ennél a partnernél.';
$a->strings['This contact is on a server you ignored.'] = 'Ez a partner olyan kiszolgálón van, amelyet mellőzött.';
$a->strings['Never'] = 'Soha';
$a->strings['(Update was not successful)'] = '(a frissítés nem volt sikeres)';
$a->strings['(Update was successful)'] = '(a frissítés sikeres volt)';
@ -1641,6 +1705,7 @@ $a->strings['Currently blocked'] = 'Jelenleg tiltva';
$a->strings['Currently ignored'] = 'Jelenleg mellőzve';
$a->strings['Currently collapsed'] = 'Jelenleg összecsukva';
$a->strings['Currently archived'] = 'Jelenleg archiválva';
$a->strings['Manage remote servers'] = 'Távoli kiszolgálók kezelése';
$a->strings['Hide this contact from others'] = 'A partner elrejtése mások elől';
$a->strings['Replies/likes to your public posts <strong>may</strong> still be visible'] = 'A nyilvános bejegyzéseire adott válaszok vagy kedvelések továbbra is láthatóak <strong>lehetnek</strong>.';
$a->strings['Notification for new posts'] = 'Értesítés új bejegyzéseknél';
@ -1659,7 +1724,6 @@ $a->strings['Revoke Follow'] = 'Követés visszavonása';
$a->strings['Revoke the follow from this contact'] = 'A követés visszavonása ettől a partnertől';
$a->strings['Bad Request.'] = 'Hibás kérés.';
$a->strings['Unknown contact.'] = 'Ismeretlen partner.';
$a->strings['Contact is deleted.'] = 'A partner törölve.';
$a->strings['Contact is being deleted.'] = 'A partner törlésre került.';
$a->strings['Follow was successfully revoked.'] = 'A követés sikeresen vissza lett vonva.';
$a->strings['Do you really want to revoke this contact\'s follow? This cannot be undone and they will have to manually follow you back again.'] = 'Valóban vissza szeretné vonni ennek a partnernek a követését? Ezt a műveletet nem lehet visszavonni, és a partnernek kézzel kell majd újra követnie Önt.';
@ -1670,29 +1734,17 @@ $a->strings['Unfollowing is currently not supported by your network.'] = 'A köv
$a->strings['Disconnect/Unfollow'] = 'Leválasztás vagy követés megszüntetése';
$a->strings['Contact was successfully unfollowed'] = 'A partner követése sikeresen meg lett szüntetve';
$a->strings['Unable to unfollow this contact, please contact your administrator'] = 'Nem lehet megszüntetni ennek a partnernek a követését, vegye fel a kapcsolatot az adminisztrátorral';
$a->strings['No results.'] = 'Nincs találat.';
$a->strings['Channel not available.'] = 'A csatorna nem érhető el.';
$a->strings['This community stream shows all public posts received by this node. They may not reflect the opinions of this nodes users.'] = 'Ez a közösségi folyam megjeleníti az összes nyilvános bejegyzést, amelyet ez a csomópont megkapott. Előfordulhat, hogy azok nem tükrözik ezen csomópont felhasználóinak véleményét.';
$a->strings['Local Community'] = 'Helyi közösség';
$a->strings['Posts from local users on this server'] = 'Bejegyzések a kiszolgálón lévő helyi felhasználóktól';
$a->strings['Global Community'] = 'Globális közösség';
$a->strings['Posts from users of the whole federated network'] = 'Bejegyzések a teljes föderált hálózat felhasználóitól';
$a->strings['Community option not available.'] = 'A közösségi beállítás nem érhető el.';
$a->strings['Not available.'] = 'Nem érhető el.';
$a->strings['No such circle'] = 'Nincs ilyen kör';
$a->strings['Circle: %s'] = 'Kör: %s';
$a->strings['Network feed not available.'] = 'A hálózati hírforrás nem érhető el.';
$a->strings['Own Contacts'] = 'Saját partnerek';
$a->strings['Include'] = 'Tartalmazás';
$a->strings['Hide'] = 'Elrejtés';
$a->strings['No results.'] = 'Nincs találat.';
$a->strings['Community option not available.'] = 'A közösségi beállítás nem érhető el.';
$a->strings['Not available.'] = 'Nem érhető el.';
$a->strings['No such group'] = 'Nincs ilyen csoport';
$a->strings['Group: %s'] = 'Csoport: %s';
$a->strings['Latest Activity'] = 'Legutóbbi tevékenység';
$a->strings['Sort by latest activity'] = 'Rendezés a legutóbbi tevékenység szerint';
$a->strings['Latest Posts'] = 'Legutóbbi bejegyzések';
$a->strings['Sort by post received date'] = 'Rendezés a bejegyzés érkezési dátuma szerint';
$a->strings['Latest Creation'] = 'Legutóbbi létrehozás';
$a->strings['Sort by post creation date'] = 'Rendezés a bejegyzés létrehozási dátuma szerint';
$a->strings['Personal'] = 'Személyes';
$a->strings['Posts that mention or involve you'] = 'Bejegyzések, amelyek említik vagy tartalmazzák Önt';
$a->strings['Starred'] = 'Csillagozott';
$a->strings['Favourite Posts'] = 'Kedvenc bejegyzések';
$a->strings['Credits'] = 'Köszönetnyilvánítás';
$a->strings['Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!'] = 'A Friendica egy közösségi projekt, amely nem lehetne lehetséges a sok ember segítsége nélkül. Itt van azok listája, akik közreműködtek a kódban vagy a Friendica fordításában. Köszönet mindannyiuknak!';
$a->strings['Formatted'] = 'Formázott';
@ -1789,26 +1841,6 @@ $a->strings['Please visit <a href="https://friendi.ca">Friendi.ca</a> to learn m
$a->strings['Bug reports and issues: please visit'] = 'Hibák és problémák jelentéséhez látogassa meg';
$a->strings['the bugtracker at github'] = 'a GitHubon lévő hibakövetőt';
$a->strings['Suggestions, praise, etc. - please email "info" at "friendi - dot - ca'] = 'Javaslatokat, dicséretet és egyebeket az „info” kukac friendi pont ca címre küldhet.';
$a->strings['Could not create group.'] = 'Nem sikerült létrehozni a csoportot.';
$a->strings['Group not found.'] = 'A csoport nem található.';
$a->strings['Group name was not changed.'] = 'A csoport neve nem változott meg.';
$a->strings['Unknown group.'] = 'Ismeretlen csoport.';
$a->strings['Unable to add the contact to the group.'] = 'Nem lehet hozzáadni a partnert a csoporthoz.';
$a->strings['Contact successfully added to group.'] = 'A partner sikeresen hozzáadva a csoporthoz.';
$a->strings['Unable to remove the contact from the group.'] = 'Nem lehet eltávolítani a partnert a csoportból.';
$a->strings['Contact successfully removed from group.'] = 'A partner sikeresen eltávolítva a csoportból.';
$a->strings['Bad request.'] = 'Hibás kérés.';
$a->strings['Save Group'] = 'Csoport mentése';
$a->strings['Filter'] = 'Szűrő';
$a->strings['Create a group of contacts/friends.'] = 'Partnerek vagy ismerősök csoportjának létrehozása.';
$a->strings['Unable to remove group.'] = 'Nem lehet eltávolítani a csoportot.';
$a->strings['Delete Group'] = 'Csoport törlése';
$a->strings['Edit Group Name'] = 'Csoport nevének szerkesztése';
$a->strings['Members'] = 'Tagok';
$a->strings['Group is empty'] = 'A csoport üres';
$a->strings['Remove contact from group'] = 'Partner eltávolítása a csoportból';
$a->strings['Click on a contact to add or remove.'] = 'Kattintson egy partnerre a hozzáadáshoz vagy eltávolításhoz.';
$a->strings['Add contact to group'] = 'Partner hozzáadása a csoporthoz';
$a->strings['No profile'] = 'Nincs profil';
$a->strings['Method Not Allowed.'] = 'A módszer nem engedélyezett.';
$a->strings['Help:'] = 'Súgó:';
@ -1876,7 +1908,6 @@ $a->strings['Clear the location'] = 'A hely törlése';
$a->strings['Location services are unavailable on your device'] = 'A helymeghatározó szolgáltatások nem érhetők el az Ön eszközén';
$a->strings['Location services are disabled. Please check the website\'s permissions on your device'] = 'A helymeghatározó szolgáltatások le vannak tiltva. Ellenőrizze a weboldal jogosultságait az Ön eszközén';
$a->strings['You can make this page always open when you use the New Post button in the <a href="/settings/display">Theme Customization settings</a>.'] = 'Mindig megnyitottá teheti ezt az oldalt, ha a <a href="/settings/display">téma személyre szabási beállításaiban</a> lévő új bejegyzés gombot használja.';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'A kért elem nem létezik vagy törölték.';
$a->strings['The feed for this item is unavailable.'] = 'Ennek az elemnek a hírforrása nem érhető el.';
$a->strings['Unable to follow this item.'] = 'Nem lehet követni ezt az elemet.';
$a->strings['System down for maintenance'] = 'A rendszer le van kapcsolva a karbantartáshoz';
@ -1900,13 +1931,13 @@ $a->strings['Deleted'] = 'Törölve';
$a->strings['List of pending user deletions'] = 'Függőben lévő felhasználó-törlések listája';
$a->strings['Normal Account Page'] = 'Normál fiókoldal';
$a->strings['Soapbox Page'] = 'Szappantartó oldal';
$a->strings['Public Forum'] = 'Nyilvános fórum';
$a->strings['Public Group'] = 'Nyilvános csoport';
$a->strings['Automatic Friend Page'] = 'Automatikus ismerős oldal';
$a->strings['Private Forum'] = 'Személyes fórum';
$a->strings['Private Group'] = 'Személyes csoport';
$a->strings['Personal Page'] = 'Személyes oldal';
$a->strings['Organisation Page'] = 'Szervezeti oldal';
$a->strings['News Page'] = 'Hírek oldal';
$a->strings['Community Forum'] = 'Közösségi fórum';
$a->strings['Community Group'] = 'Közösségi csoport';
$a->strings['Relay'] = 'Továbbítás';
$a->strings['You can\'t block a local contact, please block the user instead'] = 'Nem tilthat egy helyi partnert, inkább a felhasználót tiltsa';
$a->strings['%s contact unblocked'] = [
@ -2020,12 +2051,62 @@ $a->strings['Item not found'] = 'Az elem nem található';
$a->strings['No source recorded'] = 'Nincs forrás rögzítve';
$a->strings['Please make sure the <code>debug.store_source</code> config key is set in <code>config/local.config.php</code> for future items to have sources.'] = 'Győződjön meg arról, hogy a <code>debug.store_source</code> beállítási kulcs be van-e állítva a <code>config/local.config.php</code> fájlban, hogy a jövőbeli elemek forrásokkal rendelkezzenek.';
$a->strings['Item Guid'] = 'Elem GUID értéke';
$a->strings['Contact not found or their server is already blocked on this node.'] = 'A partner nem található, vagy a kiszolgálója már tiltva van ezen a csomóponton.';
$a->strings['Please login to access this page.'] = 'Jelentkezzen be az oldal eléréséhez.';
$a->strings['Create Moderation Report'] = 'Moderálási jelentés létrehozása';
$a->strings['Pick Contact'] = 'Partner kiválasztása';
$a->strings['Please enter below the contact address or profile URL you would like to create a moderation report about.'] = 'Adja meg lent a partner címét vagy a profiljának URL-jét, amelyről moderálási jelentést szeretne létrehozni.';
$a->strings['Contact address/URL'] = 'Partner címe vagy URL-je';
$a->strings['Pick Category'] = 'Kategória kiválasztása';
$a->strings['Please pick below the category of your report.'] = 'Válassza ki lent a jelentés kategóriáját.';
$a->strings['Spam'] = 'Kéretlen üzenet';
$a->strings['This contact is publishing many repeated/overly long posts/replies or advertising their product/websites in otherwise irrelevant conversations.'] = 'Ez a partner sok ismétlődő vagy túl hosszú bejegyzést vagy választ tesz közzé, illetve egyébként nem kapcsolódó beszélgetésekben reklámozza a termékét vagy weboldalait.';
$a->strings['Illegal Content'] = 'Illegális tartalom';
$a->strings['This contact is publishing content that is considered illegal in this node\'s hosting juridiction.'] = 'Ez a partner olyan tartalmat tesz közzé, amely a csomópont tárhelyének joghatósága szerint illegálisnak minősül.';
$a->strings['Community Safety'] = 'Közösségi biztonság';
$a->strings['This contact aggravated you or other people, by being provocative or insensitive, intentionally or not. This includes disclosing people\'s private information (doxxing), posting threats or offensive pictures in posts or replies.'] = 'Ez a partner provokációval vagy érzéketlenséggel, szándékosan vagy akaratlanul, de felbosszantotta Önt vagy másokat. Ebbe beletartozik az emberek személyes adatainak felfedése (doxolás), fenyegetések vagy sértő képek közzététele a bejegyzésekben vagy válaszokban.';
$a->strings['Unwanted Content/Behavior'] = 'Nemkívánatos tartalom vagy viselkedés';
$a->strings['This contact has repeatedly published content irrelevant to the node\'s theme or is openly criticizing the node\'s administration/moderation without directly engaging with the relevant people for example or repeatedly nitpicking on a sensitive topic.'] = 'Ez a partner ismételten a csomópont témájához nem kapcsolódó tartalmakat tesz közzé, nyíltan kritizálja a csomópont adminisztrációját és moderálását, anélkül hogy például közvetlenül kapcsolatba lépett volna az érintettekkel, vagy ismételten feszeget egy érzékeny témát.';
$a->strings['Rules Violation'] = 'Szabályok megszegése';
$a->strings['This contact violated one or more rules of this node. You will be able to pick which one(s) in the next step.'] = 'Ez a partner megszegte a csomópont egy vagy több szabályát. A következő lépésben kiválaszthatja, hogy melyeket.';
$a->strings['Please elaborate below why you submitted this report. The more details you provide, the better your report can be handled.'] = 'Az alábbiakban részletezze, hogy miért küldte be ezt a jelentést. Minél több részletet ad meg, annál jobban lehet kezelni a jelentését.';
$a->strings['Additional Information'] = 'További információk';
$a->strings['Please provide any additional information relevant to this particular report. You will be able to attach posts by this contact in the next step, but any context is welcome.'] = 'Adjon meg bármilyen további információt, amely az adott jelentéssel kapcsolatos. A következő lépésben csatolhatja az ettől a partnertől származó bejegyzéseket, de bármilyen további információt is szívesen fogadunk.';
$a->strings['Pick Rules'] = 'Szabályok kiválasztása';
$a->strings['Please pick below the node rules you believe this contact violated.'] = 'Válassza ki az alábbiakban azokat a csomópontszabályokat, amelyeket Ön szerint a partner megszegett.';
$a->strings['Pick Posts'] = 'Bejegyzések kiválasztása';
$a->strings['Please optionally pick posts to attach to your report.'] = 'Esetlegesen válassza ki a jelentéséhez csatolandó bejegyzéseket.';
$a->strings['Submit Report'] = 'Jelentés elküldése';
$a->strings['Further Action'] = 'További művelet';
$a->strings['You can also perform one of the following action on the contact you reported:'] = 'Az alábbi műveletek egyikét is végrehajthatja a jelentett partnerrel kapcsolatban:';
$a->strings['Nothing'] = 'Semmi';
$a->strings['Collapse contact'] = 'Partner összecsukása';
$a->strings['Their posts and replies will keep appearing in your Network page but their content will be collapsed by default.'] = 'A bejegyzéseik és válaszaik továbbra is megjelennek a hálózat oldalon, de a tartalmuk alapértelmezetten össze lesz csukva.';
$a->strings['Their posts won\'t appear in your Network page anymore, but their replies can appear in forum threads. They still can follow you.'] = 'A bejegyzéseik nem jelennek meg többé a hálózat oldalon, de a válaszaik megjelenhetnek a fórum szálaiban. Továbbra is követhetik Önt.';
$a->strings['Block contact'] = 'Partner tiltása';
$a->strings['Their posts won\'t appear in your Network page anymore, but their replies can appear in forum threads, with their content collapsed by default. They cannot follow you but still can have access to your public posts by other means.'] = 'A bejegyzéseik nem jelennek meg többé a hálózat oldalon, de a válaszaik megjelenhetnek a fórum szálaiban alapértelmezetten összecsukott tartalommal. Nem követhetik Önt, de más módon továbbra is hozzáférhetnek az Ön nyilvános bejegyzéseihez.';
$a->strings['Forward report'] = 'Jelentés továbbítása';
$a->strings['Would you ike to forward this report to the remote server?'] = 'Szeretné továbbítani ezt a jelentést a távoli kiszolgálóra?';
$a->strings['1. Pick a contact'] = '1. Partner kiválasztása';
$a->strings['2. Pick a category'] = '2. Kategória kiválasztása';
$a->strings['2a. Pick rules'] = '2a. Szabályok kiválasztása';
$a->strings['2b. Add comment'] = '2b. Megjegyzés hozzáadása';
$a->strings['3. Pick posts'] = '3. Bejegyzések kiválasztása';
$a->strings['List of reports'] = 'Jelentések listája';
$a->strings['This page display reports created by our or remote users.'] = 'Ez az oldal a saját vagy a távoli felhasználók által létrehozott jelentéseket jeleníti meg.';
$a->strings['No report exists at this node.'] = 'Nem létezik jelentés ezen a csomóponton.';
$a->strings['Category'] = 'Kategória';
$a->strings['%s total report'] = [
0 => '%s jelentés összesen',
1 => '%s jelentés összesen',
];
$a->strings['URL of the reported contact.'] = 'A jelentett partner URL-je.';
$a->strings['Normal Account'] = 'Normál fiók';
$a->strings['Automatic Follower Account'] = 'Automatikusan követő fiók';
$a->strings['Public Forum Account'] = 'Nyilvános fórum fiók';
$a->strings['Public Group Account'] = 'Nyilvános csoport fiók';
$a->strings['Automatic Friend Account'] = 'Automatikus ismerős fiók';
$a->strings['Blog Account'] = 'Blog fiók';
$a->strings['Private Forum Account'] = 'Személyes fórumfiók';
$a->strings['Private Group Account'] = 'Személyes csoport fiók';
$a->strings['Registered users'] = 'Regisztrált felhasználók';
$a->strings['Pending registrations'] = 'Függőben lévő regisztrációk';
$a->strings['%s user blocked'] = [
@ -2172,7 +2253,7 @@ $a->strings['%d year old'] = [
1 => '%d éves',
];
$a->strings['Description:'] = 'Leírás:';
$a->strings['Forums:'] = 'Fórumok:';
$a->strings['Groups:'] = 'Csoportok:';
$a->strings['View profile as:'] = 'Profil megtekintése másként:';
$a->strings['View as'] = 'Megtekintés másként';
$a->strings['Profile unavailable.'] = 'A profil nem érhető el.';
@ -2295,7 +2376,7 @@ $a->strings['Importing Contacts done'] = 'A partnerek importálása kész';
$a->strings['Relocate message has been send to your contacts'] = 'Az áthelyezési üzenet el lett küldve a partnereknek';
$a->strings['Unable to find your profile. Please contact your admin.'] = 'Nem található a profilja. Vegye fel a kapcsolatot a rendszergazdával.';
$a->strings['Personal Page Subtypes'] = 'Személyes oldal altípusai';
$a->strings['Community Forum Subtypes'] = 'Közösségi fórum altípusai';
$a->strings['Community Group Subtypes'] = 'Közösségi csoport altípusai';
$a->strings['Account for a personal profile.'] = 'Egy személyes profil fiókja.';
$a->strings['Account for an organisation that automatically approves contact requests as "Followers".'] = 'Egy szervezet fiókja, amely automatikusan jóváhagyja a partnerkéréseket, mint például a „követőket”.';
$a->strings['Account for a news reflector that automatically approves contact requests as "Followers".'] = 'Egy hírportál fiókja, amely automatikusan jóváhagyja a partnerkéréseket, mint például a „követőket”.';
@ -2304,7 +2385,7 @@ $a->strings['Account for a regular personal profile that requires manual approva
$a->strings['Account for a public profile that automatically approves contact requests as "Followers".'] = 'Egy nyilvános profil fiókja, amely automatikusan jóváhagyja a partnerkéréseket, mint például a „követőket”.';
$a->strings['Automatically approves all contact requests.'] = 'Automatikusan jóváhagyja az összes partnerkérést.';
$a->strings['Account for a popular profile that automatically approves contact requests as "Friends".'] = 'Egy népszerű profil fiókja, amely automatikusan jóváhagyja a partnerkéréseket, mint például az „ismerősöket”.';
$a->strings['Private Forum [Experimental]'] = 'Személyes fórum [kísérleti]';
$a->strings['Private Group [Experimental]'] = 'Személyes csoport [kísérleti]';
$a->strings['Requires manual approval of contact requests.'] = 'A partnerkérések kézi jóváhagyását igényli.';
$a->strings['OpenID:'] = 'OpenID:';
$a->strings['(Optional) Allow this OpenID to login to this account.'] = '(Kihagyható) Lehetővé teszi ezen OpenID számára, hogy bejelentkezzen ebbe a fiókba.';
@ -2319,6 +2400,7 @@ $a->strings['Password:'] = 'Jelszó:';
$a->strings['Your current password to confirm the changes of the email address'] = 'A jelenlegi jelszava az e-mail-címe megváltoztatásának megerősítéséhez';
$a->strings['Delete OpenID URL'] = 'OpenID URL törlése';
$a->strings['Basic Settings'] = 'Alapvető beállítások';
$a->strings['Display name:'] = 'Megjelenített név:';
$a->strings['Email Address:'] = 'E-mail-cím:';
$a->strings['Your Timezone:'] = 'Az Ön időzónája:';
$a->strings['Your Language:'] = 'Az Ön nyelve:';
@ -2345,6 +2427,8 @@ $a->strings['Your contacts can add additional tags to your posts.'] = 'A partner
$a->strings['Permit unknown people to send you private mail?'] = 'Engedélyt ad ismeretlen embereknek, hogy személyes levelet küldjenek Önnek?';
$a->strings['Friendica network users may send you private messages even if they are not in your contact list.'] = 'A Friendica hálózat felhasználói akkor is küldhetnek Önnek személyes üzeneteket, ha nincsenek a partnerlistáján.';
$a->strings['Maximum private messages per day from unknown people:'] = 'Legtöbb személyes üzenet naponta az ismeretlen emberektől:';
$a->strings['Default privacy circle for new contacts'] = 'Alapértelmezett adatvédelmi kör az új partnerekhez';
$a->strings['Default privacy circle for new group contacts'] = 'Alapértelmezett adatvédelmi kör az új csoportpartnerekhez';
$a->strings['Default Post Permissions'] = 'Alapértelmezett bejegyzés-jogosultságok';
$a->strings['Expiration settings'] = 'Lejárati jogosultságok';
$a->strings['Automatically expire posts after this many days:'] = 'Bejegyzések automatikus lejárata ennyi nap után:';
@ -2381,8 +2465,8 @@ $a->strings['Text-only notification emails'] = 'Csak szöveges értesítési e-m
$a->strings['Send text only notification emails, without the html part'] = 'Csak szöveges értesítési e-mailek küldése a HTML rész nélkül.';
$a->strings['Show detailled notifications'] = 'Részletes értesítések megjelenítése';
$a->strings['Per default, notifications are condensed to a single notification per item. When enabled every notification is displayed.'] = 'Alapértelmezetten az értesítések elemenként egyetlen értesítésbe vannak összevonva. Ha engedélyezve van, akkor minden értesítés megjelenik.';
$a->strings['Show notifications of ignored contacts'] = 'Figyelmen kívül hagyott partnerek értesítéseinek megjelenítése';
$a->strings['You don\'t see posts from ignored contacts. But you still see their comments. This setting controls if you want to still receive regular notifications that are caused by ignored contacts or not.'] = 'Nem látja a figyelmen kívül hagyott partnerektől érkező bejegyzéseket. Viszont továbbra is látja a hozzászólásaikat. Ez a beállítás azt vezérli, hogy továbbra is szeretne-e olyan normál értesítéseket kapni vagy sem, amelyeket figyelmen kívül hagyott partnerek okoznak.';
$a->strings['Show notifications of ignored contacts'] = 'Mellőzött partnerek értesítéseinek megjelenítése';
$a->strings['You don\'t see posts from ignored contacts. But you still see their comments. This setting controls if you want to still receive regular notifications that are caused by ignored contacts or not.'] = 'Nem látja a mellőzött partnerektől érkező bejegyzéseket. Viszont továbbra is látja a hozzászólásaikat. Ez a beállítás azt vezérli, hogy továbbra is szeretne-e olyan normál értesítéseket kapni vagy sem, amelyeket mellőzött partnerek okoznak.';
$a->strings['Advanced Account/Page Type Settings'] = 'Speciális fióktípus vagy oldaltípus beállítások';
$a->strings['Change the behaviour of this account for special situations'] = 'A fiók viselkedésének megváltoztatása bizonyos helyzetekre.';
$a->strings['Import Contacts'] = 'Partnerek importálása';
@ -2462,6 +2546,7 @@ $a->strings['General Theme Settings'] = 'Általános témabeállítások';
$a->strings['Custom Theme Settings'] = 'Egyéni témabeállítások';
$a->strings['Content Settings'] = 'Tartalombeállítások';
$a->strings['Theme settings'] = 'Témabeállítások';
$a->strings['Timelines'] = 'Idővonalak';
$a->strings['Display Theme:'] = 'Megjelenítés témája:';
$a->strings['Mobile Theme:'] = 'Mobil téma:';
$a->strings['Number of items to display per page:'] = 'Oldalanként megjelenítendő elemek száma:';
@ -2483,12 +2568,17 @@ $a->strings['Stay local'] = 'Maradjon helyi';
$a->strings['Don\'t go to a remote system when following a contact link.'] = 'Ne menjen távoli rendszerre, ha egy partnerhivatkozást követ.';
$a->strings['Link preview mode'] = 'Hivatkozás-előnézeti mód';
$a->strings['Appearance of the link preview that is added to each post with a link.'] = 'A hivatkozás előnézetének megjelenése, amely minden egyes hivatkozással rendelkező bejegyzéshez hozzá van adva.';
$a->strings['Timelines for the network page:'] = 'Idővonalak a hálózat oldalhoz:';
$a->strings['Select all the timelines that you want to see on your network page.'] = 'Válassza ki az összes olyan idővonalat, amelyet látni szeretne a hálózat oldalon.';
$a->strings['Channel languages:'] = 'Csatorna nyelvei:';
$a->strings['Select all languages that you want to see in your channels.'] = 'Válassza ki az összes nyelvet, amelyet látni szeretne a csatornáiban.';
$a->strings['Beginning of week:'] = 'A hét kezdete:';
$a->strings['Default calendar view:'] = 'Alapértelmezett naptárnézet:';
$a->strings['%s: %s'] = '%s: %s';
$a->strings['Additional Features'] = 'További funkciók';
$a->strings['Connected Apps'] = 'Kapcsolt alkalmazások';
$a->strings['Remove authorization'] = 'Felhatalmazás eltávolítása';
$a->strings['Profile Name is required.'] = 'A profil neve kötelező.';
$a->strings['Display Name is required.'] = 'A megjelenített név kötelező.';
$a->strings['Profile couldn\'t be updated.'] = 'A profilt nem sikerült frissíteni.';
$a->strings['Label:'] = 'Címke:';
$a->strings['Value:'] = 'Érték:';
@ -2505,7 +2595,15 @@ $a->strings['Location'] = 'Hely';
$a->strings['Miscellaneous'] = 'Egyebek';
$a->strings['Custom Profile Fields'] = 'Egyéni profilmezők';
$a->strings['Upload Profile Photo'] = 'Profilfénykép feltöltése';
$a->strings['Display name:'] = 'Megjelenített név:';
$a->strings['<p>Custom fields appear on <a href="%s">your profile page</a>.</p>
<p>You can use BBCodes in the field values.</p>
<p>Reorder by dragging the field title.</p>
<p>Empty the label field to remove a custom field.</p>
<p>Non-public fields can only be seen by the selected Friendica contacts or the Friendica contacts in the selected circles.</p>'] = '<p>Az egyéni mezők a <a href="%s">profiloldalán</a> jelennek meg
<p>Használhat BBCode formázásokat a mező értékeiben.</p>
<p>Átrendezheti a mező címének húzásával.</p>
<p>Törölje ki a címkemezőt egy egyéni mező eltávolításához.</p>
<p>A nem nyilvános mezőket csak a kijelölt Friendica partnerek vagy a kijelölt körökben lévő Friendica partnerek láthatják.</p>';
$a->strings['Street Address:'] = 'Utca, házszám:';
$a->strings['Locality/City:'] = 'Helység vagy város:';
$a->strings['Region/State:'] = 'Régió vagy állam:';
@ -2520,15 +2618,6 @@ $a->strings['Public Keywords:'] = 'Nyilvános kulcsszavak:';
$a->strings['(Used for suggesting potential friends, can be seen by others)'] = '(Lehetséges ismerősök ajánlásához lesz használva, mások is láthatják)';
$a->strings['Private Keywords:'] = 'Személyes kulcsszavak:';
$a->strings['(Used for searching profiles, never shown to others)'] = '(Profilok kereséséhez lesz használva, sosem látható másoknak)';
$a->strings['<p>Custom fields appear on <a href="%s">your profile page</a>.</p>
<p>You can use BBCodes in the field values.</p>
<p>Reorder by dragging the field title.</p>
<p>Empty the label field to remove a custom field.</p>
<p>Non-public fields can only be seen by the selected Friendica contacts or the Friendica contacts in the selected groups.</p>'] = '<p>Az egyéni mezők a <a href="%s">profiloldalán</a> jelennek meg.</p>
<p>Használhat BBCode formázásokat a mező értékeiben.</p>
<p>Átrendezheti a mező címének húzásával.</p>
<p>Törölje ki a címkemezőt egy egyéni mező eltávolításához.</p>
<p>A nem nyilvános mezőket csak a kijelölt Friendica partnerek vagy a kijelölt csoportban lévő Friendica partnerek láthatják.</p>';
$a->strings['Image size reduction [%s] failed.'] = 'A kép méretének csökkentése [%s] sikertelen.';
$a->strings['Shift-reload the page or clear browser cache if the new photo does not display immediately.'] = 'Töltse újra az oldalt a Shift billentyű lenyomása közben, vagy törölje a böngésző gyorsítótárát, ha az új fénykép nem jelenik meg azonnal.';
$a->strings['Unable to process image'] = 'Nem lehet feldolgozni a képet';
@ -2553,6 +2642,14 @@ $a->strings['Your user account has been successfully removed. Bye bye!'] = 'A fe
$a->strings['Remove My Account'] = 'Saját fiók eltávolítása';
$a->strings['This will completely remove your account. Once this has been done it is not recoverable.'] = 'Ez teljesen el fogja távolítani a fiókját. Miután ez megtörtént, nem lesz visszaállítható.';
$a->strings['Please enter your password for verification:'] = 'Adja meg a jelszavát az ellenőrzéshez:';
$a->strings['Do you want to ignore this server?'] = 'Szeretné mellőzni ezt a kiszolgálót?';
$a->strings['Do you want to unignore this server?'] = 'Szeretné megszüntetni ennek a kiszolgálónak a mellőzését?';
$a->strings['Remote server settings'] = 'Távoli kiszolgáló beállításai';
$a->strings['Server URL'] = 'Kiszolgáló URL';
$a->strings['Settings saved'] = 'Beállítások elmentve';
$a->strings['Here you can find all the remote servers you have taken individual moderation actions against. For a list of servers your node has blocked, please check out the <a href="friendica">Information</a> page.'] = 'Itt találhatja meg az összes olyan távoli kiszolgálót, amelyekkel szemben egyéni moderálási műveleteket hajtott végre. A csomópontja által tiltott kiszolgálók listájáért nézze meg az <a href="friendica">Információk</a> oldalt.';
$a->strings['Delete all your settings for the remote server'] = 'Az Ön összes beállításának törlése a távoli kiszolgálónál';
$a->strings['Save changes'] = 'Változtatások mentése';
$a->strings['Please enter your password to access this page.'] = 'Adja meg a jelszavát az oldal eléréséhez.';
$a->strings['App-specific password generation failed: The description is empty.'] = 'Az alkalmazásfüggő jelszó előállítása sikertelen: a leírás üres.';
$a->strings['App-specific password generation failed: This description already exists.'] = 'Az alkalmazásfüggő jelszó előállítása sikertelen: a leírás már létezik.';
@ -2647,22 +2744,14 @@ $a->strings['Export all'] = 'Összes exportálása';
$a->strings['Export your account info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)'] = 'Fiókinformációk, partnerek és az összes elem exportálása JSON-formátumban. nagyon nagy fájl is lehet, és sokáig eltarthat. A fiókja teljes biztonsági mentésének elkészítéséhez használja ezt (a fényképek nem lesznek exportálva).';
$a->strings['Export Contacts to CSV'] = 'Partnerek exportálása CSV-fájlba';
$a->strings['Export the list of the accounts you are following as CSV file. Compatible to e.g. Mastodon.'] = 'A követett fiókok listájának exportálása CSV-fájlként. Kompatibilis például a Mastodonnal.';
$a->strings['Not Found'] = 'Nem található';
$a->strings['<p>Unfortunately, the requested conversation isn\'t available to you.</p>
<p>Possible reasons include:</p>
<ul>
<li>The top-level post isn\'t visible.</li>
<li>The top-level post was deleted.</li>
<li>The node has blocked the top-level author or the author of the shared post.</li>
<li>You have ignored or blocked the top-level author or the author of the shared post.</li>
</ul>'] = '<p>Sajnos a kért beszélgetés nem érhető el Önnek.</p>
<p>A lehetséges okok a következők:</p>
<ul>
<li>A legfelső szintű bejegyzés nem látható.</li>
<li>A legfelső szintű bejegyzést törölték.</li>
<li>A csomópont letiltotta a legfelső szintű szerzőt vagy a megosztott bejegyzés szerzőjét.</li>
<li>Ön mellőzte vagy letiltotta a legfelső szintű szerzőt vagy a megosztott bejegyzés szerzőjét.</li>
</ul>';
$a->strings['The top-level post isn\'t visible.'] = 'A felső szintű bejegyzés nem látható.';
$a->strings['The top-level post was deleted.'] = 'A felső szintű bejegyzés törölve lett.';
$a->strings['This node has blocked the top-level author or the author of the shared post.'] = 'Ez a csomópont letiltotta a felső szintű szerzőt vagy a megosztott bejegyzés szerzőjét.';
$a->strings['You have ignored or blocked the top-level author or the author of the shared post.'] = 'Ön mellőzte vagy letiltotta a felső szintű szerzőt vagy a megosztott bejegyzés szerzőjét.';
$a->strings['You have ignored the top-level author\'s server or the shared post author\'s server.'] = 'Ön mellőzte a felső szintű szerző kiszolgálóját vagy a megosztott bejegyzés szerzőjének kiszolgálóját.';
$a->strings['Conversation Not Found'] = 'A beszélgetés nem található';
$a->strings['Unfortunately, the requested conversation isn\'t available to you.'] = 'Sajnos a kért beszélgetés nem érhető el az Ön számára.';
$a->strings['Possible reasons include:'] = 'A lehetséges okok a következők:';
$a->strings['Stack trace:'] = 'Veremkiíratás:';
$a->strings['Exception thrown in %s:%d'] = 'Kivétel történt itt: %s:%d';
$a->strings['At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node\'s user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication.'] = 'A regisztrációkor, valamint a felhasználói fiók és a partnerei között történő kommunikáció biztosításához a felhasználónak biztosítania kell egy megjelenített nevet (álnevet), egy felhasználónevet (becenevet) és egy működő e-mail-címet. A nevek hozzáférhetőek lesznek a fiók profiloldalán az oldal bármely látogatója számára, még akkor is, ha más profilrészletek nem jelennek meg. Az e-mail-cím csak az interakciókkal kapcsolatos felhasználói értesítések küldéséhez lesz használva, de nem lesz láthatóan megjelenítve. A fiók felsorolása a csomópont felhasználói könyvtárában vagy a globális felhasználói könyvtárban választható, és a felhasználói beállításokban szabályozható. Ez nem szükséges a kommunikációhoz.';
@ -2671,6 +2760,7 @@ $a->strings['At any point in time a logged in user can export their account data
$a->strings['Privacy Statement'] = 'Adatvédelmi nyilatkozat';
$a->strings['Rules'] = 'Szabályok';
$a->strings['Parameter uri_id is missing.'] = 'Az uri_id paraméter hiányzik.';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'A kért elem nem létezik vagy törölték.';
$a->strings['User imports on closed servers can only be done by an administrator.'] = 'A lezárt kiszolgálókon történő felhasználó-importálásokat csak egy adminisztrátor végezheti el.';
$a->strings['Move account'] = 'Fiók áthelyezése';
$a->strings['You can import an account from another Friendica server.'] = 'Importálhat egy fiókot egy másik Friendica kiszolgálóról.';
@ -2711,8 +2801,8 @@ $a->strings['Go to Your Site\'s Directory'] = 'Ugrás az oldal könyvtárához';
$a->strings['The Directory page lets you find other people in this network or other federated sites. Look for a <em>Connect</em> or <em>Follow</em> link on their profile page. Provide your own Identity Address if requested.'] = 'A könyvtárak oldal lehetővé teszi más emberek keresését ezen a hálózaton vagy más föderált oldalakon. Keresse meg a <em>Kapcsolódás</em> vagy a <em>Követés</em> hivatkozást a profiloldalukon. Adja meg a saját személyazonosság-címét, ha kérik.';
$a->strings['Finding New People'] = 'Új emberek keresése';
$a->strings['On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours.'] = 'A partnerek oldal oldalsávjában számos eszköz található új ismerősök kereséséhez. Találhatunk embereket az érdeklődésük szerint, kereshetünk embereket név vagy érdeklődés szerint, valamint ajánlásokat adhatunk a hálózati kapcsolatok alapján. Egy teljesen új oldalon az ismerősök ajánlásai általában 24 órán belül kezdenek megjelenni.';
$a->strings['Group Your Contacts'] = 'Partnerek csoportosítása';
$a->strings['Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page.'] = 'Miután szerezett néhány ismerőst, szervezze őket személyes beszélgetési csoportokba a partnerek oldal oldalsávján keresztül, és ezután személyes módon léphet kapcsolatba minden egyes csoporttal a hálózatok oldalon.';
$a->strings['Add Your Contacts To Circle'] = 'Partnerek hozzáadása a körhöz';
$a->strings['Once you have made some friends, organize them into private conversation circles from the sidebar of your Contacts page and then you can interact with each circle privately on your Network page.'] = 'Miután szerezett néhány ismerőst, szervezze őket személyes beszélgetési körökbe a partnerek oldal oldalsávján keresztül, és ezután személyes módon léphet kapcsolatba minden egyes körrel a hálózat oldalon.';
$a->strings['Why Aren\'t My Posts Public?'] = 'Miért nem nyilvánosak a bejegyzéseim?';
$a->strings['Friendica respects your privacy. By default, your posts will only show up to people you\'ve added as friends. For more information, see the help section from the link above.'] = 'A Friendica tiszteletben tartja a magánszférát. Alapértelmezetten a bejegyzései csak azoknak az embereknek jelennek meg, akiket ismerősként felvett. További információkért nézze meg a súgószakaszt a fenti hivatkozáson keresztül.';
$a->strings['Getting Help'] = 'Segítség kérése';
@ -2824,6 +2914,8 @@ $a->strings['Delete globally'] = 'Törlés globálisan';
$a->strings['Remove locally'] = 'Eltávolítás helyileg';
$a->strings['Block %s'] = '%s tiltása';
$a->strings['Ignore %s'] = '%s mellőzése';
$a->strings['Collapse %s'] = '%s összecsukása';
$a->strings['Report post'] = 'Bejegyzés jelentése';
$a->strings['Save to folder'] = 'Mentés mappába';
$a->strings['I will attend'] = 'Részt veszek';
$a->strings['I will not attend'] = 'Nem veszek részt';
@ -2963,7 +3055,7 @@ $a->strings['Center'] = 'Középre';
$a->strings['Color scheme'] = 'Színséma';
$a->strings['Posts font size'] = 'Bejegyzések betűmérete';
$a->strings['Textareas font size'] = 'Szövegdobozok betűmérete';
$a->strings['Comma separated list of helper forums'] = 'Segítő fórumok vesszővel elválasztott listája';
$a->strings['Comma separated list of helper groups'] = 'Segítő csoportok vesszővel elválasztott listája';
$a->strings['don\'t show'] = 'ne jelenítse meg';
$a->strings['show'] = 'megjelenítés';
$a->strings['Set style'] = 'Stílus beállítása';

File diff suppressed because it is too large Load Diff

View File

@ -127,18 +127,8 @@ $a->strings['Twitter'] = 'Twitter';
$a->strings['Diaspora Connector'] = 'Diaspora tenging';
$a->strings['GNU Social Connector'] = 'GNU Social tenging';
$a->strings['pnut'] = 'pnut';
$a->strings['%s likes this.'] = '%s líkar þetta.';
$a->strings['%s doesn\'t like this.'] = '%s mislíkar þetta.';
$a->strings['%s attends.'] = '%s mætir.';
$a->strings['%s doesn\'t attend.'] = '%s mætir ekki.';
$a->strings['%s attends maybe.'] = '%s mætir kannski.';
$a->strings['and'] = 'og';
$a->strings['and %d other people'] = 'og %d öðrum';
$a->strings['%s like this.'] = '%s líkar þetta.';
$a->strings['%s don\'t like this.'] = '%s líkar þetta ekki.';
$a->strings['%s attend.'] = '%s mætir.';
$a->strings['%s don\'t attend.'] = '%s mætir ekki.';
$a->strings['%s attend maybe.'] = '%s mætir kannski.';
$a->strings['Visible to <strong>everybody</strong>'] = 'Sjáanlegt <strong>öllum</strong>';
$a->strings['Tag term:'] = 'Merka með:';
$a->strings['Save to Folder:'] = 'Vista í möppu:';
@ -166,19 +156,20 @@ $a->strings['Permission settings'] = 'Stillingar aðgangsheimilda';
$a->strings['Public post'] = 'Opinber færsla';
$a->strings['Message'] = 'Skilaboð';
$a->strings['Browser'] = 'Vafri';
$a->strings['remove'] = 'fjarlægja';
$a->strings['Delete Selected Items'] = 'Eyða völdum færslum';
$a->strings['View %s\'s profile @ %s'] = 'Birta forsíðu %s hjá %s';
$a->strings['Categories:'] = 'Flokkar:';
$a->strings['Filed under:'] = 'Skráð undir:';
$a->strings['%s from %s'] = '%s til %s';
$a->strings['View in context'] = 'Birta í samhengi';
$a->strings['remove'] = 'fjarlægja';
$a->strings['Delete Selected Items'] = 'Eyða völdum færslum';
$a->strings['Personal'] = 'Einka';
$a->strings['Posts that mention or involve you'] = 'Færslur sem tengjast þér';
$a->strings['Starred'] = 'Stjörnumerkt';
$a->strings['Favourite Posts'] = 'Uppáhalds færslur';
$a->strings['General Features'] = 'Almennir eiginleikar';
$a->strings['Photo Location'] = 'Staðsetning ljósmyndar';
$a->strings['List Forums'] = 'Spjallsvæðalistar';
$a->strings['Tag Cloud'] = 'Merkjaský';
$a->strings['Forums'] = 'Spjallsvæði';
$a->strings['External link to forum'] = 'Ytri tengill á spjallsvæði';
$a->strings['show more'] = 'birta meira';
$a->strings['event'] = 'atburður';
$a->strings['status'] = 'staða';
@ -196,7 +187,6 @@ $a->strings['Ignore'] = 'Hunsa';
$a->strings['Connect/Follow'] = 'Tengjast/fylgja';
$a->strings['Nothing new here'] = 'Ekkert nýtt hér';
$a->strings['Clear notifications'] = 'Hreinsa tilkynningar';
$a->strings['@name, !forum, #tags, content'] = '@nafn, !spjallsvæði, #merki, innihald';
$a->strings['Logout'] = 'Útskráning';
$a->strings['End this session'] = 'Loka þessu innliti';
$a->strings['Login'] = 'Innskráning';
@ -277,7 +267,6 @@ $a->strings['Random Profile'] = 'Forsíða af handahófi';
$a->strings['Invite Friends'] = 'Bjóða vinum aðgang';
$a->strings['Global Directory'] = 'Alheimstengiliðaskrá';
$a->strings['Local Directory'] = 'Staðvær mappa';
$a->strings['Groups'] = 'Hópar';
$a->strings['All Contacts'] = 'Allir tengiliðir';
$a->strings['Saved Folders'] = 'Vistaðar möppur';
$a->strings['Everything'] = 'Allt';
@ -367,8 +356,10 @@ $a->strings['Oct'] = 'Okt';
$a->strings['Nov'] = 'Nóv';
$a->strings['Dec'] = 'Des';
$a->strings['Update %s failed. See error logs.'] = 'Uppfærsla á %s mistókst. Skoðaðu villuannál.';
$a->strings['Everybody'] = 'Allir';
$a->strings['edit'] = 'breyta';
$a->strings['add'] = 'bæta við';
$a->strings['Approve'] = 'Samþykkja';
$a->strings['Forum'] = 'Spjallsvæði';
$a->strings['Disallowed profile URL.'] = 'Óleyfileg forsíðu slóð.';
$a->strings['Blocked domain'] = 'Útilokað lén';
$a->strings['Connect URL missing.'] = 'Tengislóð vantar.';
@ -400,15 +391,6 @@ $a->strings['Show map'] = 'Birta kort';
$a->strings['Hide map'] = 'Fela kort';
$a->strings['%s\'s birthday'] = 'Afmælisdagur %s';
$a->strings['Happy Birthday %s'] = 'Til hamingju með afmælið %s';
$a->strings['A deleted group with this name was revived. Existing item permissions <strong>may</strong> apply to this group and any future members. If this is not what you intended, please create another group with a different name.'] = 'Hóp sem var eytt hefur verið endurlífgaður. Færslur sem þegar voru til <strong>geta mögulega</strong> farið á hópinn og framtíðar meðlimir. Ef þetta er ekki það sem þú vilt, þá þarftu að búa til nýjan hóp með öðru nafni.';
$a->strings['Everybody'] = 'Allir';
$a->strings['edit'] = 'breyta';
$a->strings['add'] = 'bæta við';
$a->strings['Edit group'] = 'Breyta hóp';
$a->strings['Contacts not in any group'] = 'Tengiliðir ekki í neinum hópum';
$a->strings['Create a new group'] = 'Stofna nýjan hóp';
$a->strings['Group Name: '] = 'Nafn hóps: ';
$a->strings['Edit groups'] = 'Breyta hópum';
$a->strings['activity'] = 'virkni';
$a->strings['post'] = 'senda';
$a->strings['Content warning: %s'] = 'Viðvörun vegna innihalds: %s';
@ -561,7 +543,6 @@ $a->strings['Profile Details'] = 'Forsíðu upplýsingar';
$a->strings['Only You Can See This'] = 'Aðeins þú sérð þetta';
$a->strings['Tips for New Members'] = 'Ábendingar fyrir nýja notendur';
$a->strings['People Search - %s'] = 'Leita að fólki - %s';
$a->strings['Forum Search - %s'] = 'Leita á spjallsvæði - %s';
$a->strings['No matches'] = 'Engar leitarniðurstöður';
$a->strings['Account'] = 'Notandi';
$a->strings['Display'] = 'Birting';
@ -580,6 +561,10 @@ $a->strings['Events'] = 'Atburðir';
$a->strings['View'] = 'Skoða';
$a->strings['Create New Event'] = 'Stofna nýjan atburð';
$a->strings['list'] = 'listi';
$a->strings['Contact not found.'] = 'Tengiliður fannst ekki.';
$a->strings['Invalid contact.'] = 'Ógildur tengiliður.';
$a->strings['Members'] = 'Meðlimir';
$a->strings['Click on a contact to add or remove.'] = 'Ýttu á tengilið til að bæta við hóp eða taka úr hóp.';
$a->strings['Show all contacts'] = 'Sýna alla tengiliði';
$a->strings['Blocked'] = 'Útilokað';
$a->strings['Ignored'] = 'Hunsa';
@ -597,7 +582,6 @@ $a->strings['Mutual Friendship'] = 'Sameiginlegur vinskapur';
$a->strings['is a fan of yours'] = 'er fylgjandi þinn';
$a->strings['you are a fan of'] = 'þú er fylgjandi';
$a->strings['Visit %s\'s profile [%s]'] = 'Heimsækja forsíðu %s [%s]';
$a->strings['Contact not found.'] = 'Tengiliður fannst ekki.';
$a->strings['Contact update failed.'] = 'Uppfærsla tengiliðs mistókst.';
$a->strings['Return to contact editor'] = 'Fara til baka í tengiliðasýsl';
$a->strings['Name'] = 'Nafn';
@ -605,7 +589,6 @@ $a->strings['Account Nickname'] = 'Gælunafn notanda';
$a->strings['Account URL'] = 'Heimasíða notanda';
$a->strings['Poll/Feed URL'] = 'Slóð á könnun/fréttastraum';
$a->strings['New photo from this URL'] = 'Ný mynd frá slóð';
$a->strings['Invalid contact.'] = 'Ógildur tengiliður.';
$a->strings['Access denied.'] = 'Aðgangi hafnað.';
$a->strings['Submit Request'] = 'Senda beiðni';
$a->strings['Please answer the following:'] = 'Vinnsamlegast svaraðu eftirfarandi:';
@ -654,12 +637,6 @@ $a->strings['Yes'] = 'Já';
$a->strings['No suggestions available. If this is a new site, please try again in 24 hours.'] = 'Engar uppástungur tiltækar. Ef þetta er nýr vefur, reyndu þá aftur eftir um 24 klukkustundir.';
$a->strings['No results.'] = 'Engar leitarniðurstöður.';
$a->strings['Not available.'] = 'Ekki tiltækt.';
$a->strings['No such group'] = 'Enginn slíkur hópur';
$a->strings['Group: %s'] = 'Hópur: %s';
$a->strings['Personal'] = 'Einka';
$a->strings['Posts that mention or involve you'] = 'Færslur sem tengjast þér';
$a->strings['Starred'] = 'Stjörnumerkt';
$a->strings['Favourite Posts'] = 'Uppáhalds færslur';
$a->strings['Credits'] = 'Þakkir';
$a->strings['Markdown::toBBCode'] = 'Markdown::toBBCode';
$a->strings['Raw HTML input'] = 'Hrátt HTML-ílag';
@ -689,16 +666,6 @@ $a->strings['Suggest Friends'] = 'Stinga uppá vinum';
$a->strings['Suggest a friend for %s'] = 'Stinga uppá vin fyrir %s';
$a->strings['Bug reports and issues: please visit'] = 'Villu tilkynningar og vandamál: endilega skoða';
$a->strings['the bugtracker at github'] = 'villuskráningu á GitHub';
$a->strings['Could not create group.'] = 'Gat ekki stofnað hóp.';
$a->strings['Group not found.'] = 'Hópur fannst ekki.';
$a->strings['Save Group'] = 'Vista hóp';
$a->strings['Create a group of contacts/friends.'] = 'Stofna hóp af tengiliðum/vinum';
$a->strings['Unable to remove group.'] = 'Ekki tókst að eyða hóp.';
$a->strings['Delete Group'] = 'Eyða hópi';
$a->strings['Edit Group Name'] = 'Breyta nafni hóps';
$a->strings['Members'] = 'Meðlimir';
$a->strings['Group is empty'] = 'Hópur er tómur';
$a->strings['Click on a contact to add or remove.'] = 'Ýttu á tengilið til að bæta við hóp eða taka úr hóp.';
$a->strings['No profile'] = 'Engin forsíða';
$a->strings['Help:'] = 'Hjálp:';
$a->strings['Welcome to %s'] = 'Velkomin í %s';
@ -739,7 +706,6 @@ $a->strings['File exceeds size limit of %s'] = 'Skrá fer leyfileg takmörk sem
$a->strings['File upload failed.'] = 'Skráar upphlöðun mistókst.';
$a->strings['Unable to process image.'] = 'Ekki mögulegt afgreiða mynd';
$a->strings['Image upload failed.'] = 'Ekki hægt að hlaða upp mynd.';
$a->strings['Private Forum'] = 'Einkaspjallsvæði';
$a->strings['Block Remote Contact'] = 'Útiloka fjartengdan tengilið';
$a->strings['select all'] = 'velja alla';
$a->strings['select none'] = 'velja ekkert';
@ -820,7 +786,6 @@ $a->strings['j F'] = 'j F';
$a->strings['Birthday:'] = 'Afmælisdagur:';
$a->strings['Age: '] = 'Aldur: ';
$a->strings['Description:'] = 'Lýsing:';
$a->strings['Forums:'] = 'Spjallsvæði:';
$a->strings['Profile unavailable.'] = 'Ekki hægt að sækja forsíðu';
$a->strings['Invalid locator'] = 'Ógild staðsetning';
$a->strings['Friend/Connection Request'] = 'Vinabeiðni/Tengibeiðni';
@ -852,7 +817,6 @@ $a->strings['privacy policy'] = 'persónuverndarstefna';
$a->strings['Logged out.'] = 'Skráður út.';
$a->strings['Current Password:'] = 'Núverandi lykilorð:';
$a->strings['Invalid email.'] = 'Ógilt tölvupóstfang.';
$a->strings['Private Forum [Experimental]'] = 'Einkaspjallsvæði [á tilraunastigi]';
$a->strings['OpenID:'] = 'OpenID:';
$a->strings['(Optional) Allow this OpenID to login to this account.'] = '(Valfrjálst) Leyfa þessu OpenID til að auðkennast sem þessi notandi.';
$a->strings['Account Settings'] = 'Stillingar aðgangs';
@ -913,7 +877,6 @@ $a->strings['Beginning of week:'] = 'Upphaf viku:';
$a->strings['Additional Features'] = 'Viðbótareiginleikar';
$a->strings['Connected Apps'] = 'Tengd forrit';
$a->strings['Remove authorization'] = 'Fjarlæga auðkenningu';
$a->strings['Profile Name is required.'] = 'Nafn á forsíðu er skilyrði';
$a->strings['(click to open/close)'] = '(ýttu á til að opna/loka)';
$a->strings['Edit Profile Details'] = 'Breyta forsíðu upplýsingum';
$a->strings['Change Profile Photo'] = 'Breyta forsíðumynd';
@ -966,8 +929,6 @@ $a->strings['Go to Your Contacts Page'] = 'Fara yfir á tengiliðasíðuna';
$a->strings['Your Contacts page is your gateway to managing friendships and connecting with friends on other networks. Typically you enter their address or site URL in the <em>Add New Contact</em> dialog.'] = 'Tengiliðasíðan er gáttin þín til að sýsla með vinasambönd og tengjast við vini á öðrum netum. Oftast setur þú vistfang eða slóð þeirra í <em>Bæta við tengilið</em> glugganum.';
$a->strings['The Directory page lets you find other people in this network or other federated sites. Look for a <em>Connect</em> or <em>Follow</em> link on their profile page. Provide your own Identity Address if requested.'] = 'Tengiliðalistinn er góð leit til að finna fólk á samfélagsnetinu eða öðrum sambandsnetum. Leitaðu að <em>Tengjast/Connect</em> eða <em>Fylgja/Follow</em> tenglum á forsíðunni þeirra. Mögulega þarftu að gefa upp auðkennisslóðina þína.';
$a->strings['Finding New People'] = 'Finna nýtt fólk';
$a->strings['Group Your Contacts'] = 'Hópa tengiliðina þína';
$a->strings['Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page.'] = 'Eftir að þú hefur eignast nokkra vini, þá er best að flokka þá niður í hópa á hliðar slánni á Tengiliðasíðunni. Eftir það getur þú haft samskipti við hvern hóp fyrir sig á Samfélagssíðunni.';
$a->strings['Why Aren\'t My Posts Public?'] = 'Hvers vegna eru færslurnar mínar ekki opinberar?';
$a->strings['Friendica respects your privacy. By default, your posts will only show up to people you\'ve added as friends. For more information, see the help section from the link above.'] = 'Friendica virðir gagnaleynd þína. Sjálfgefið er að færslurnar þínar birtast einungis þeim sem þú hefur bætt við sem vinum. Til að sjá nánari upplýsingar, skoðaðu þá hjálparhlutann með því að smella á tengilinn hér fyrir ofan.';
$a->strings['Getting Help'] = 'Til að fá hjálp';

File diff suppressed because it is too large Load Diff

View File

@ -288,12 +288,6 @@ $a->strings['Public post'] = 'Messaggio pubblico';
$a->strings['Message'] = 'Messaggio';
$a->strings['Browser'] = 'Browser';
$a->strings['Open Compose page'] = 'Apri pagina di Composizione';
$a->strings['Pinned item'] = 'Oggetto in evidenza';
$a->strings['View %s\'s profile @ %s'] = 'Vedi il profilo di %s @ %s';
$a->strings['Categories:'] = 'Categorie:';
$a->strings['Filed under:'] = 'Archiviato in:';
$a->strings['%s from %s'] = '%s da %s';
$a->strings['View in context'] = 'Vedi nel contesto';
$a->strings['remove'] = 'rimuovi';
$a->strings['Delete Selected Items'] = 'Cancella elementi selezionati';
$a->strings['You had been addressed (%s).'] = 'Sei stato nominato (%s).';
@ -304,28 +298,40 @@ $a->strings['Reshared by %s <%s>'] = 'Ricondiviso da %s <%s>';
$a->strings['%s is participating in this thread.'] = '%s partecipa in questa conversazione.';
$a->strings['Fetched'] = 'Recuperato';
$a->strings['Fetched because of %s <%s>'] = 'Recuperato a causa di %s <%s>';
$a->strings['Pinned item'] = 'Oggetto in evidenza';
$a->strings['View %s\'s profile @ %s'] = 'Vedi il profilo di %s @ %s';
$a->strings['Categories:'] = 'Categorie:';
$a->strings['Filed under:'] = 'Archiviato in:';
$a->strings['%s from %s'] = '%s da %s';
$a->strings['View in context'] = 'Vedi nel contesto';
$a->strings['Local Community'] = 'Comunità Locale';
$a->strings['Posts from local users on this server'] = 'Messaggi dagli utenti locali su questo sito';
$a->strings['Global Community'] = 'Comunità Globale';
$a->strings['Posts from users of the whole federated network'] = 'Messaggi dagli utenti della rete federata';
$a->strings['Latest Activity'] = 'Ultima Attività';
$a->strings['Sort by latest activity'] = 'Ordina per ultima attività';
$a->strings['Latest Posts'] = 'Ultimi Messaggi';
$a->strings['Sort by post received date'] = 'Ordina per data di ricezione del messaggio';
$a->strings['Personal'] = 'Personale';
$a->strings['Posts that mention or involve you'] = 'Messaggi che ti citano o coinvolgono';
$a->strings['Starred'] = 'Preferiti';
$a->strings['Favourite Posts'] = 'Messaggi preferiti';
$a->strings['General Features'] = 'Funzionalità generali';
$a->strings['Photo Location'] = 'Località Foto';
$a->strings['Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map.'] = 'I metadati delle foto vengono rimossi. Questa opzione estrae la località (se presenta) prima di rimuovere i metadati e la collega a una mappa.';
$a->strings['Trending Tags'] = 'Etichette di Tendenza';
$a->strings['Show a community page widget with a list of the most popular tags in recent public posts.'] = 'Mostra un widget della pagina della comunità con un elenco delle etichette più popolari nei recenti messaggi pubblici.';
$a->strings['Post Composition Features'] = 'Funzionalità di composizione dei messaggi';
$a->strings['Auto-mention Forums'] = 'Auto-cita i Forum';
$a->strings['Add/remove mention when a forum page is selected/deselected in ACL window.'] = 'Aggiunge/rimuove una menzione quando una pagina forum è selezionata/deselezionata nella finestra dei permessi.';
$a->strings['Explicit Mentions'] = 'Menzioni Esplicite';
$a->strings['Add explicit mentions to comment box for manual control over who gets mentioned in replies.'] = 'Aggiungi menzioni esplicite al riquadro di commento per avere un controllo manuale su chi viene menzionato nelle risposte. ';
$a->strings['Post/Comment Tools'] = 'Strumenti per messaggi/commenti';
$a->strings['Post Categories'] = 'Categorie Messaggi';
$a->strings['Add categories to your posts'] = 'Aggiungi categorie ai tuoi messaggi';
$a->strings['Advanced Profile Settings'] = 'Impostazioni Avanzate Profilo';
$a->strings['List Forums'] = 'Elenco forum';
$a->strings['Show visitors public community forums at the Advanced Profile Page'] = 'Mostra ai visitatori i forum nella pagina Profilo Avanzato';
$a->strings['Tag Cloud'] = 'Tag Cloud';
$a->strings['Provide a personal tag cloud on your profile page'] = 'Mostra una nuvola dei tag personali sulla tua pagina di profilo';
$a->strings['Display Membership Date'] = 'Mostra la Data di Registrazione';
$a->strings['Display membership date in profile'] = 'Mostra la data in cui ti sei registrato nel profilo';
$a->strings['Forums'] = 'Forum';
$a->strings['External link to forum'] = 'Collegamento esterno al forum';
$a->strings['show less'] = 'mostra meno';
$a->strings['show more'] = 'mostra di più';
$a->strings['event'] = 'l\'evento';
@ -346,7 +352,6 @@ $a->strings['Connect/Follow'] = 'Connetti/segui';
$a->strings['Nothing new here'] = 'Niente di nuovo qui';
$a->strings['Go back'] = 'Torna indietro';
$a->strings['Clear notifications'] = 'Pulisci le notifiche';
$a->strings['@name, !forum, #tags, content'] = '@nome, !forum, #tag, contenuto';
$a->strings['Logout'] = 'Esci';
$a->strings['End this session'] = 'Finisci questa sessione';
$a->strings['Login'] = 'Accedi';
@ -438,7 +443,6 @@ $a->strings['Random Profile'] = 'Profilo Casuale';
$a->strings['Invite Friends'] = 'Invita amici';
$a->strings['Global Directory'] = 'Elenco globale';
$a->strings['Local Directory'] = 'Elenco Locale';
$a->strings['Groups'] = 'Gruppi';
$a->strings['Everyone'] = 'Chiunque';
$a->strings['Relationships'] = 'Relazioni';
$a->strings['All Contacts'] = 'Tutti i contatti';
@ -596,6 +600,8 @@ $a->strings['Sep'] = 'Set';
$a->strings['Oct'] = 'Ott';
$a->strings['Nov'] = 'Nov';
$a->strings['Dec'] = 'Dic';
$a->strings['The logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'Il file di registro \'%s\' non è utilizzabile. Nessuna registrazione possibile (errore: \'%s\')';
$a->strings['The debug logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'Il file di debug \'%s\' non è utilizzabile. Nessuna registrazione possibile (errore: \'%s\')';
$a->strings['Friendica can\'t display this page at the moment, please contact the administrator.'] = 'Friendica non piò mostrare questa pagina al momento, per favore contatta l\'amministratore.';
$a->strings['template engine cannot be registered without a name.'] = 'il motore di modelli non può essere registrato senza un nome.';
$a->strings['template engine is not registered!'] = 'il motore di modelli non è registrato!';
@ -641,9 +647,11 @@ $a->strings['Unauthorized'] = 'Non autorizzato';
$a->strings['Token is not authorized with a valid user or is missing a required scope'] = 'Il token non è autorizzato con un utente valido o manca uno scopo richiesto';
$a->strings['Internal Server Error'] = 'Errore Interno del Server';
$a->strings['Legacy module file not found: %s'] = 'File del modulo legacy non trovato: %s';
$a->strings['Everybody'] = 'Tutti';
$a->strings['edit'] = 'modifica';
$a->strings['add'] = 'aggiungi';
$a->strings['Approve'] = 'Approva';
$a->strings['Organisation'] = 'Organizzazione';
$a->strings['Forum'] = 'Forum';
$a->strings['Disallowed profile URL.'] = 'Indirizzo profilo non permesso.';
$a->strings['Blocked domain'] = 'Dominio bloccato';
$a->strings['Connect URL missing.'] = 'URL di connessione mancante.';
@ -679,16 +687,6 @@ $a->strings['Show map'] = 'Mostra mappa';
$a->strings['Hide map'] = 'Nascondi mappa';
$a->strings['%s\'s birthday'] = 'Compleanno di %s';
$a->strings['Happy Birthday %s'] = 'Buon compleanno %s';
$a->strings['A deleted group with this name was revived. Existing item permissions <strong>may</strong> apply to this group and any future members. If this is not what you intended, please create another group with a different name.'] = 'Un gruppo eliminato con questo nome è stato ricreato. I permessi esistenti su un elemento <strong>possono</strong> essere applicati a questo gruppo e tutti i membri futuri. Se questo non è ciò che si intende, si prega di creare un altro gruppo con un nome diverso.';
$a->strings['Default privacy group for new contacts'] = 'Gruppo predefinito per i nuovi contatti';
$a->strings['Everybody'] = 'Tutti';
$a->strings['edit'] = 'modifica';
$a->strings['add'] = 'aggiungi';
$a->strings['Edit group'] = 'Modifica gruppo';
$a->strings['Contacts not in any group'] = 'Contatti in nessun gruppo.';
$a->strings['Create a new group'] = 'Crea un nuovo gruppo';
$a->strings['Group Name: '] = 'Nome del gruppo:';
$a->strings['Edit groups'] = 'Modifica gruppi';
$a->strings['Detected languages in this post:\n%s'] = 'Lingue rilevate in questo messaggio:\n%s';
$a->strings['activity'] = 'attività';
$a->strings['comment'] = 'commento';
@ -767,7 +765,6 @@ $a->strings['An error occurred during registration. Please try again.'] = 'C\'è
$a->strings['An error occurred creating your default profile. Please try again.'] = 'C\'è stato un errore nella creazione del tuo profilo. Prova ancora.';
$a->strings['An error occurred creating your self contact. Please try again.'] = 'C\'è stato un errore nella creazione del tuo contatto. Prova ancora.';
$a->strings['Friends'] = 'Amici';
$a->strings['An error occurred creating your default contact group. Please try again.'] = 'C\'è stato un errore nella creazione del tuo gruppo contatti di default. Prova ancora.';
$a->strings['Profile Photos'] = 'Foto del profilo';
$a->strings['
Dear %1$s,
@ -958,7 +955,6 @@ $a->strings['Enabling this may violate privacy laws like the GDPR'] = 'Abilitare
$a->strings['Global directory URL'] = 'URL della directory globale';
$a->strings['URL to the global directory. If this is not set, the global directory is completely unavailable to the application.'] = 'URL dell\'elenco globale. Se vuoto, l\'elenco globale sarà completamente disabilitato.';
$a->strings['Private posts by default for new users'] = 'Messaggi privati come impostazioni predefinita per i nuovi utenti';
$a->strings['Set default post permissions for all new members to the default privacy group rather than public.'] = 'Imposta i permessi predefiniti dei post per tutti i nuovi utenti come privati per il gruppo predefinito, invece che pubblici.';
$a->strings['Don\'t include post content in email notifications'] = 'Non includere il contenuto dei messaggi nelle notifiche via email';
$a->strings['Don\'t include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure.'] = 'Non include il contenuti del messaggio/commento/messaggio privato/etc. nelle notifiche email che sono inviate da questo sito, per privacy';
$a->strings['Disallow public access to addons listed in the apps menu.'] = 'Disabilita l\'accesso pubblico ai plugin raccolti nel menu apps.';
@ -1055,8 +1051,6 @@ $a->strings['The last worker execution was on %s UTC. This is older than one hou
$a->strings['Friendica\'s configuration now is stored in config/local.config.php, please copy config/local-sample.config.php and move your config from <code>.htconfig.php</code>. See <a href="%s">the Config help page</a> for help with the transition.'] = 'La configurazione di Friendica è adesso salvata in config/local.config.php: copia config/local-sample.config.php e sposta la tua configurazione da <code>.htconfig.php</code>. Vedi <a href="%s">la pagina della guida sulla Configurazione</a> per avere aiuto con la transizione.';
$a->strings['Friendica\'s configuration now is stored in config/local.config.php, please copy config/local-sample.config.php and move your config from <code>config/local.ini.php</code>. See <a href="%s">the Config help page</a> for help with the transition.'] = 'La configurazione di Friendica è adesso salvata in config/local.config.php: copia config/local-sample.config.php e sposta la tua configurazione da <code>config/local.ini.php</code>. Vedi <a href="%s">la pagina della guida sulla Configurazione</a> per avere aiuto con la transizione.';
$a->strings['<a href="%s">%s</a> is not reachable on your system. This is a severe configuration issue that prevents server to server communication. See <a href="%s">the installation page</a> for help.'] = '<a href="%s">%s</a> non è raggiungibile sul tuo sistema. È un grave problema di configurazione che impedisce la comunicazione da server a server. Vedi <a href="%s">la pagina sull\'installazione</a> per un aiuto.';
$a->strings['The logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'Il file di registro \'%s\' non è utilizzabile. Nessuna registrazione possibile (errore: \'%s\')';
$a->strings['The debug logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'Il file di debug \'%s\' non è utilizzabile. Nessuna registrazione possibile (errore: \'%s\')';
$a->strings['Friendica\'s system.basepath was updated from \'%s\' to \'%s\'. Please remove the system.basepath from your db to avoid differences.'] = 'La system.basepath di Friendica è stata aggiornata da \'%s\' a \'%s\'. Per favore rimuovi la system.basepath dal tuo db per evitare differenze.';
$a->strings['Friendica\'s current system.basepath \'%s\' is wrong and the config file \'%s\' isn\'t used.'] = 'L\'attuale system.basepath di Friendica \'%s\' è errata e il file di configurazione \'%s\' non è utilizzato.';
$a->strings['Friendica\'s current system.basepath \'%s\' is not equal to the config file \'%s\'. Please fix your configuration.'] = 'L\'attuale system.basepath di Friendica \'%s\' non è uguale a quella del file di configurazione \'%s\'. Per favore correggi la tua configurazione.';
@ -1131,7 +1125,6 @@ $a->strings['Profile Details'] = 'Dettagli del profilo';
$a->strings['Only You Can See This'] = 'Solo tu puoi vedere questo';
$a->strings['Tips for New Members'] = 'Consigli per i Nuovi Utenti';
$a->strings['People Search - %s'] = 'Cerca persone - %s';
$a->strings['Forum Search - %s'] = 'Ricerca Forum - %s';
$a->strings['No matches'] = 'Nessun risultato';
$a->strings['Account'] = 'Account';
$a->strings['Two-factor authentication'] = 'Autenticazione a due fattori';
@ -1160,6 +1153,13 @@ $a->strings['Events'] = 'Eventi';
$a->strings['View'] = 'Mostra';
$a->strings['Create New Event'] = 'Crea un nuovo evento';
$a->strings['list'] = 'lista';
$a->strings['Contact not found.'] = 'Contatto non trovato.';
$a->strings['Invalid contact.'] = 'Contatto non valido.';
$a->strings['Contact is deleted.'] = 'Contatto eliminato.';
$a->strings['Bad request.'] = 'Richiesta sbagliata.';
$a->strings['Filter'] = 'Filtro';
$a->strings['Members'] = 'Membri';
$a->strings['Click on a contact to add or remove.'] = 'Clicca su un contatto per aggiungerlo o rimuoverlo.';
$a->strings['%d contact edited.'] = [
0 => '%d contatto modificato.',
1 => '%d contatti modificati',
@ -1176,7 +1176,6 @@ $a->strings['Archived'] = 'Archiviato';
$a->strings['Only show archived contacts'] = 'Mostra solo contatti archiviati';
$a->strings['Hidden'] = 'Nascosto';
$a->strings['Only show hidden contacts'] = 'Mostra solo contatti nascosti';
$a->strings['Organize your contact groups'] = 'Organizza i tuoi gruppi di contatti';
$a->strings['Search your contacts'] = 'Cerca nei tuoi contatti';
$a->strings['Results for: %s'] = 'Risultati per: %s';
$a->strings['Update'] = 'Aggiorna';
@ -1193,7 +1192,6 @@ $a->strings['you are a fan of'] = 'sei un fan di';
$a->strings['Pending outgoing contact request'] = 'Richiesta di contatto in uscita in sospeso';
$a->strings['Pending incoming contact request'] = 'Richiesta di contatto in arrivo in sospeso';
$a->strings['Visit %s\'s profile [%s]'] = 'Visita il profilo di %s [%s]';
$a->strings['Contact not found.'] = 'Contatto non trovato.';
$a->strings['Contact update failed.'] = 'Le modifiche al contatto non sono state salvate.';
$a->strings['Return to contact editor'] = 'Ritorna alla modifica contatto';
$a->strings['Name'] = 'Nome';
@ -1201,7 +1199,6 @@ $a->strings['Account Nickname'] = 'Nome utente';
$a->strings['Account URL'] = 'URL dell\'utente';
$a->strings['Poll/Feed URL'] = 'URL Feed';
$a->strings['New photo from this URL'] = 'Nuova foto da questo URL';
$a->strings['Invalid contact.'] = 'Contatto non valido.';
$a->strings['No known contacts.'] = 'Nessun contatto conosciuto.';
$a->strings['No common contacts.'] = 'Nessun contatto in comune.';
$a->strings['Follower (%s)'] = [
@ -1299,7 +1296,6 @@ $a->strings['Refetch contact data'] = 'Ricarica dati contatto';
$a->strings['Toggle Blocked status'] = 'Inverti stato "Blocca"';
$a->strings['Toggle Ignored status'] = 'Inverti stato "Ignora"';
$a->strings['Bad Request.'] = 'Richiesta Errata.';
$a->strings['Contact is deleted.'] = 'Contatto eliminato.';
$a->strings['Yes'] = 'Si';
$a->strings['No suggestions available. If this is a new site, please try again in 24 hours.'] = 'Nessun suggerimento disponibile. Se questo è un sito nuovo, riprova tra 24 ore.';
$a->strings['You aren\'t following this contact.'] = 'Non stai seguendo questo contatto.';
@ -1307,27 +1303,13 @@ $a->strings['Unfollowing is currently not supported by your network.'] = 'Smette
$a->strings['Disconnect/Unfollow'] = 'Disconnetti/Non Seguire';
$a->strings['Contact was successfully unfollowed'] = 'Il contatto non è più seguito';
$a->strings['Unable to unfollow this contact, please contact your administrator'] = 'Impossibile smettere di seguire questo contatto, contatta il tuo amministratore';
$a->strings['No results.'] = 'Nessun risultato.';
$a->strings['This community stream shows all public posts received by this node. They may not reflect the opinions of this nodes users.'] = 'Questa pagina comunità mostra tutti i messaggi pubblici ricevuti da questo nodo. Potrebbero non riflettere le opinioni degli utenti di questo nodo.';
$a->strings['Local Community'] = 'Comunità Locale';
$a->strings['Posts from local users on this server'] = 'Messaggi dagli utenti locali su questo sito';
$a->strings['Global Community'] = 'Comunità Globale';
$a->strings['Posts from users of the whole federated network'] = 'Messaggi dagli utenti della rete federata';
$a->strings['Community option not available.'] = 'Opzione Comunità non disponibile';
$a->strings['Not available.'] = 'Non disponibile.';
$a->strings['Own Contacts'] = 'Propri Contatti';
$a->strings['Include'] = 'Includi';
$a->strings['Hide'] = 'Nascondi';
$a->strings['No results.'] = 'Nessun risultato.';
$a->strings['Community option not available.'] = 'Opzione Comunità non disponibile';
$a->strings['Not available.'] = 'Non disponibile.';
$a->strings['No such group'] = 'Nessun gruppo';
$a->strings['Group: %s'] = 'Gruppo: %s';
$a->strings['Latest Activity'] = 'Ultima Attività';
$a->strings['Sort by latest activity'] = 'Ordina per ultima attività';
$a->strings['Latest Posts'] = 'Ultimi Messaggi';
$a->strings['Sort by post received date'] = 'Ordina per data di ricezione del messaggio';
$a->strings['Personal'] = 'Personale';
$a->strings['Posts that mention or involve you'] = 'Messaggi che ti citano o coinvolgono';
$a->strings['Starred'] = 'Preferiti';
$a->strings['Favourite Posts'] = 'Messaggi preferiti';
$a->strings['Credits'] = 'Crediti';
$a->strings['Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!'] = 'Friendica è un progetto comunitario, che non sarebbe stato possibile realizzare senza l\'aiuto di molte persone.
Questa è una lista di chi ha contribuito al codice o alle traduzioni di Friendica. Grazie a tutti!';
@ -1424,26 +1406,6 @@ $a->strings['Please visit <a href="https://friendi.ca">Friendi.ca</a> to learn m
$a->strings['Bug reports and issues: please visit'] = 'Segnalazioni di bug e problemi: visita';
$a->strings['the bugtracker at github'] = 'il bugtracker su github';
$a->strings['Suggestions, praise, etc. - please email "info" at "friendi - dot - ca'] = 'Per suggerimenti, lodi, ecc., invia una mail a info chiocciola friendi punto ca';
$a->strings['Could not create group.'] = 'Impossibile creare il gruppo.';
$a->strings['Group not found.'] = 'Gruppo non trovato.';
$a->strings['Group name was not changed.'] = 'Il nome del gruppo non è stato cambiato.';
$a->strings['Unknown group.'] = 'Gruppo sconosciuto.';
$a->strings['Unable to add the contact to the group.'] = 'Impossibile aggiungere il contatto al gruppo.';
$a->strings['Contact successfully added to group.'] = 'Contatto aggiunto con successo al gruppo.';
$a->strings['Unable to remove the contact from the group.'] = 'Impossibile rimuovere il contatto dal gruppo.';
$a->strings['Contact successfully removed from group.'] = 'Contatto rimosso con successo dal gruppo.';
$a->strings['Bad request.'] = 'Richiesta sbagliata.';
$a->strings['Save Group'] = 'Salva gruppo';
$a->strings['Filter'] = 'Filtro';
$a->strings['Create a group of contacts/friends.'] = 'Crea un gruppo di amici/contatti.';
$a->strings['Unable to remove group.'] = 'Impossibile rimuovere il gruppo.';
$a->strings['Delete Group'] = 'Elimina Gruppo';
$a->strings['Edit Group Name'] = 'Modifica Nome Gruppo';
$a->strings['Members'] = 'Membri';
$a->strings['Group is empty'] = 'Il gruppo è vuoto';
$a->strings['Remove contact from group'] = 'Rimuovi il contatto dal gruppo';
$a->strings['Click on a contact to add or remove.'] = 'Clicca su un contatto per aggiungerlo o rimuoverlo.';
$a->strings['Add contact to group'] = 'Aggiungi il contatto al gruppo';
$a->strings['No profile'] = 'Nessun profilo';
$a->strings['Method Not Allowed.'] = 'Metodo Non Consentito.';
$a->strings['Help:'] = 'Guida:';
@ -1509,7 +1471,6 @@ $a->strings['Visibility'] = 'Visibilità';
$a->strings['Clear the location'] = 'Rimuovi la posizione';
$a->strings['Location services are unavailable on your device'] = 'I servizi di localizzazione non sono disponibili sul tuo dispositivo';
$a->strings['Location services are disabled. Please check the website\'s permissions on your device'] = 'I servizi di localizzazione sono disabilitati. Per favore controlla i permessi del sito web sul tuo dispositivo';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'L\'oggetto richiesto non esiste o è stato eliminato.';
$a->strings['The feed for this item is unavailable.'] = 'Il flusso per questo oggetto non è disponibile.';
$a->strings['Unable to follow this item.'] = 'Impossibile seguire questo oggetto.';
$a->strings['System down for maintenance'] = 'Sistema in manutenzione';
@ -1522,7 +1483,6 @@ $a->strings['Or - did you try to upload an empty file?'] = 'O.. non avrai provat
$a->strings['File exceeds size limit of %s'] = 'Il file supera la dimensione massima di %s';
$a->strings['File upload failed.'] = 'Caricamento del file non riuscito.';
$a->strings['Unable to process image.'] = 'Impossibile caricare l\'immagine.';
$a->strings['Image exceeds size limit of %s'] = 'La dimensione dell\'immagine supera il limite di %s';
$a->strings['Image upload failed.'] = 'Caricamento immagine fallito.';
$a->strings['List of all users'] = 'Elenco di tutti gli utenti';
$a->strings['Active'] = 'Attivo';
@ -1533,13 +1493,10 @@ $a->strings['Deleted'] = 'Eliminato';
$a->strings['List of pending user deletions'] = 'Elenco delle cancellazioni di utenti in attesa';
$a->strings['Normal Account Page'] = 'Pagina Account Normale';
$a->strings['Soapbox Page'] = 'Pagina Sandbox';
$a->strings['Public Forum'] = 'Forum Pubblico';
$a->strings['Automatic Friend Page'] = 'Pagina con amicizia automatica';
$a->strings['Private Forum'] = 'Forum Privato';
$a->strings['Personal Page'] = 'Pagina Personale';
$a->strings['Organisation Page'] = 'Pagina Organizzazione';
$a->strings['News Page'] = 'Pagina Notizie';
$a->strings['Community Forum'] = 'Community Forum';
$a->strings['Relay'] = 'Relay';
$a->strings['You can\'t block a local contact, please block the user instead'] = 'Non puoi bloccare un contatto locale, blocca invece l\'utente';
$a->strings['%s contact unblocked'] = [
@ -1634,10 +1591,8 @@ $a->strings['Item not found'] = 'Oggetto non trovato';
$a->strings['Item Guid'] = 'Item Guid';
$a->strings['Normal Account'] = 'Account normale';
$a->strings['Automatic Follower Account'] = 'Account Follower Automatico';
$a->strings['Public Forum Account'] = 'Account Forum Publico';
$a->strings['Automatic Friend Account'] = 'Account per amicizia automatizzato';
$a->strings['Blog Account'] = 'Account Blog';
$a->strings['Private Forum Account'] = 'Account Forum Privato';
$a->strings['Registered users'] = 'Utenti registrati';
$a->strings['Pending registrations'] = 'Registrazioni in attesa';
$a->strings['%s user blocked'] = [
@ -1754,6 +1709,7 @@ $a->strings['No contacts.'] = 'Nessun contatto.';
$a->strings['%s\'s timeline'] = 'la timeline di %s';
$a->strings['%s\'s posts'] = 'il messaggio di %s';
$a->strings['%s\'s comments'] = 'il commento di %s';
$a->strings['Image exceeds size limit of %s'] = 'La dimensione dell\'immagine supera il limite di %s';
$a->strings['Image upload didn\'t complete, please try again'] = 'Caricamento dell\'immagine non completato. Prova di nuovo.';
$a->strings['Image file is missing'] = 'Il file dell\'immagine è mancante';
$a->strings['Server can\'t accept new file upload at this time, please contact your administrator'] = 'Il server non può accettare il caricamento di un nuovo file in questo momento, contattare l\'amministratore';
@ -1773,7 +1729,6 @@ $a->strings['%d year old'] = [
2 => '%d anni',
];
$a->strings['Description:'] = 'Descrizione:';
$a->strings['Forums:'] = 'Forum:';
$a->strings['View profile as:'] = 'Vedi il tuo profilo come:';
$a->strings['View as'] = 'Vedi come';
$a->strings['Profile unavailable.'] = 'Profilo non disponibile.';
@ -1868,7 +1823,6 @@ $a->strings['Importing Contacts done'] = 'Importazione dei Contatti riuscita';
$a->strings['Relocate message has been send to your contacts'] = 'Il messaggio di trasloco è stato inviato ai tuoi contatti';
$a->strings['Unable to find your profile. Please contact your admin.'] = 'Impossibile trovare il tuo profilo. Contatta il tuo amministratore.';
$a->strings['Personal Page Subtypes'] = 'Sottotipi di Pagine Personali';
$a->strings['Community Forum Subtypes'] = 'Sottotipi di Community Forum';
$a->strings['Account for a personal profile.'] = 'Account per profilo personale.';
$a->strings['Account for an organisation that automatically approves contact requests as "Followers".'] = 'Account per un\'organizzazione, che automaticamente approva le richieste di contatto come "Follower".';
$a->strings['Account for a news reflector that automatically approves contact requests as "Followers".'] = 'Account per notizie, che automaticamente approva le richieste di contatto come "Follower"';
@ -1877,7 +1831,6 @@ $a->strings['Account for a regular personal profile that requires manual approva
$a->strings['Account for a public profile that automatically approves contact requests as "Followers".'] = 'Account per un profilo publico, che automaticamente approva le richieste di contatto come "Follower".';
$a->strings['Automatically approves all contact requests.'] = 'Approva automaticamente tutte le richieste di contatto.';
$a->strings['Account for a popular profile that automatically approves contact requests as "Friends".'] = 'Account per un profilo popolare, che automaticamente approva le richieste di contatto come "Amici".';
$a->strings['Private Forum [Experimental]'] = 'Forum privato [sperimentale]';
$a->strings['Requires manual approval of contact requests.'] = 'Richiede l\'approvazione manuale delle richieste di contatto.';
$a->strings['OpenID:'] = 'OpenID:';
$a->strings['(Optional) Allow this OpenID to login to this account.'] = '(Opzionale) Consente di loggarti in questo account con questo OpenID';
@ -1892,6 +1845,7 @@ $a->strings['Password:'] = 'Password:';
$a->strings['Your current password to confirm the changes of the email address'] = 'La tua password attuale per confermare il cambio di indirizzo email';
$a->strings['Delete OpenID URL'] = 'Elimina URL OpenID';
$a->strings['Basic Settings'] = 'Impostazioni base';
$a->strings['Display name:'] = 'Nome visualizzato:';
$a->strings['Email Address:'] = 'Indirizzo Email:';
$a->strings['Your Timezone:'] = 'Il tuo fuso orario:';
$a->strings['Your Language:'] = 'La tua lingua:';
@ -2029,7 +1983,6 @@ $a->strings['Beginning of week:'] = 'Inizio della settimana:';
$a->strings['Additional Features'] = 'Funzionalità aggiuntive';
$a->strings['Connected Apps'] = 'Applicazioni Collegate';
$a->strings['Remove authorization'] = 'Rimuovi l\'autorizzazione';
$a->strings['Profile Name is required.'] = 'Il nome profilo è obbligatorio .';
$a->strings['Profile couldn\'t be updated.'] = 'Il Profilo non può essere aggiornato.';
$a->strings['Label:'] = 'Etichetta:';
$a->strings['Value:'] = 'Valore:';
@ -2044,7 +1997,6 @@ $a->strings['Location'] = 'Posizione';
$a->strings['Miscellaneous'] = 'Varie';
$a->strings['Custom Profile Fields'] = 'Campi Profilo Personalizzati';
$a->strings['Upload Profile Photo'] = 'Carica la foto del profilo';
$a->strings['Display name:'] = 'Nome visualizzato:';
$a->strings['Street Address:'] = 'Indirizzo (via/piazza):';
$a->strings['Locality/City:'] = 'Località:';
$a->strings['Region/State:'] = 'Regione/Stato:';
@ -2056,15 +2008,6 @@ $a->strings['Public Keywords:'] = 'Parole chiave visibili a tutti:';
$a->strings['(Used for suggesting potential friends, can be seen by others)'] = '(E\' utilizzato per suggerire potenziali amici, può essere visto da altri)';
$a->strings['Private Keywords:'] = 'Parole chiave private:';
$a->strings['(Used for searching profiles, never shown to others)'] = '(Usato per cercare tra i profili, non è mai visibile agli altri)';
$a->strings['<p>Custom fields appear on <a href="%s">your profile page</a>.</p>
<p>You can use BBCodes in the field values.</p>
<p>Reorder by dragging the field title.</p>
<p>Empty the label field to remove a custom field.</p>
<p>Non-public fields can only be seen by the selected Friendica contacts or the Friendica contacts in the selected groups.</p>'] = '<p>I campi personalizzati appaiono sulla <a href="%s">tua pagina del profilo</a>.</p>
<p>Puoi utilizzare i BBCode nei campi personalizzati.</p>
<p>Riordina trascinando i titoli dei campi.</p>
<p>Svuota le etichette dei campi per rimuovere il campo personalizzato.</p>
<p>Campi personalizzati non pubblici possono essere visti solo da contatti Friendica selezionati o da contatti Friendica nei gruppi selezionati.</p>';
$a->strings['Image size reduction [%s] failed.'] = 'Il ridimensionamento dell\'immagine [%s] è fallito.';
$a->strings['Shift-reload the page or clear browser cache if the new photo does not display immediately.'] = 'Ricarica la pagina con shift+F5 o cancella la cache del browser se la nuova foto non viene mostrata immediatamente.';
$a->strings['Unable to process image'] = 'Impossibile elaborare l\'immagine';
@ -2186,6 +2129,7 @@ $a->strings['Exception thrown in %s:%d'] = 'Eccezione lanciata in %s:%d';
$a->strings['At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node\'s user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication.'] = 'Al momento della registrazione, e per fornire le comunicazioni tra l\'account dell\'utente e i suoi contatti, l\'utente deve fornire un nome da visualizzare (pseudonimo), un nome utente (soprannome) e un indirizzo email funzionante. I nomi saranno accessibili sulla pagina profilo dell\'account da parte di qualsiasi visitatore, anche quando altri dettagli del profilo non sono mostrati. L\'indirizzo email sarà usato solo per inviare notifiche riguardo l\'interazione coi contatti, ma non sarà mostrato. L\'inserimento dell\'account nella rubrica degli utenti del nodo o nella rubrica globale è opzionale, può essere impostato nelle impostazioni dell\'utente, e non è necessario ai fini delle comunicazioni.';
$a->strings['This data is required for communication and is passed on to the nodes of the communication partners and is stored there. Users can enter additional private data that may be transmitted to the communication partners accounts.'] = 'Queste informazioni sono richiesta per la comunicazione e sono inviate ai nodi che partecipano alla comunicazione dove sono salvati. Gli utenti possono inserire aggiuntive informazioni private che potrebbero essere trasmesse agli account che partecipano alla comunicazione.';
$a->strings['Privacy Statement'] = 'Note sulla Privacy';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'L\'oggetto richiesto non esiste o è stato eliminato.';
$a->strings['User imports on closed servers can only be done by an administrator.'] = 'L\'importazione di utenti su server chiusi può essere effettuata solo da un amministratore.';
$a->strings['Move account'] = 'Muovi account';
$a->strings['You can import an account from another Friendica server.'] = 'Puoi importare un account da un altro server Friendica.';
@ -2227,8 +2171,6 @@ $a->strings['Go to Your Site\'s Directory'] = 'Vai all\'Elenco del tuo sito';
$a->strings['The Directory page lets you find other people in this network or other federated sites. Look for a <em>Connect</em> or <em>Follow</em> link on their profile page. Provide your own Identity Address if requested.'] = 'La pagina Elenco ti permette di trovare altre persone in questa rete o in altri siti. Cerca un collegamento <em>Connetti</em> o <em>Segui</em> nella loro pagina del profilo. Inserisci il tuo Indirizzo Identità, se richiesto.';
$a->strings['Finding New People'] = 'Trova nuove persone';
$a->strings['On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours.'] = 'Nel pannello laterale nella pagina "Contatti", ci sono diversi strumenti per trovare nuovi amici. Possiamo confrontare le persone per interessi, cercare le persone per nome e fornire suggerimenti basati sui tuoi contatti esistenti. Su un sito nuovo, i suggerimenti sono di solito presenti dopo 24 ore.';
$a->strings['Group Your Contacts'] = 'Raggruppa i tuoi contatti';
$a->strings['Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page.'] = 'Quando avrai alcuni amici, organizzali in gruppi di conversazioni private dalla barra laterale della tua pagina Contatti. Potrai interagire privatamente con ogni gruppo nella tua pagina Rete';
$a->strings['Why Aren\'t My Posts Public?'] = 'Perchè i miei messaggi non sono pubblici?';
$a->strings['Friendica respects your privacy. By default, your posts will only show up to people you\'ve added as friends. For more information, see the help section from the link above.'] = 'Friendica rispetta la tua privacy. Per impostazione predefinita, i tuoi messaggi sono mostrati solo alle persone che hai aggiunto come amici. Per maggiori informazioni guarda la sezione della guida dal collegamento qui sopra.';
$a->strings['Getting Help'] = 'Ottenere Aiuto';
@ -2428,7 +2370,6 @@ $a->strings['Center'] = 'Centrato';
$a->strings['Color scheme'] = 'Schema colori';
$a->strings['Posts font size'] = 'Dimensione carattere messaggi';
$a->strings['Textareas font size'] = 'Dimensione carattere nelle aree di testo';
$a->strings['Comma separated list of helper forums'] = 'Elenco separato da virgole di forum di aiuto';
$a->strings['don\'t show'] = 'non mostrare';
$a->strings['show'] = 'mostra';
$a->strings['Set style'] = 'Imposta stile';

File diff suppressed because it is too large Load Diff

View File

@ -275,37 +275,43 @@ $a->strings['Public post'] = '一般公開の投稿';
$a->strings['Message'] = 'メッセージ';
$a->strings['Browser'] = 'ブラウザ';
$a->strings['Open Compose page'] = '作成ページを開く';
$a->strings['remove'] = '削除';
$a->strings['Delete Selected Items'] = '選択した項目を削除';
$a->strings['%s reshared this.'] = '%s が再共有しました。';
$a->strings['Pinned item'] = 'ピン留め項目';
$a->strings['View %s\'s profile @ %s'] = '%sのプロフィールを確認 @ %s';
$a->strings['Categories:'] = 'カテゴリ:';
$a->strings['Filed under:'] = '格納先:';
$a->strings['%s from %s'] = '%s から %s';
$a->strings['View in context'] = '文脈で表示する';
$a->strings['remove'] = '削除';
$a->strings['Delete Selected Items'] = '選択した項目を削除';
$a->strings['%s reshared this.'] = '%s が再共有しました。';
$a->strings['Local Community'] = 'ローカル コミュニティ';
$a->strings['Posts from local users on this server'] = 'このサーバー上のローカルユーザーからの投稿';
$a->strings['Global Community'] = 'グローバルコミュニティ';
$a->strings['Posts from users of the whole federated network'] = 'フェデレーションネットワーク全体のユーザーからの投稿';
$a->strings['Latest Activity'] = '最近の操作';
$a->strings['Sort by latest activity'] = '最終更新順に並び替え';
$a->strings['Latest Posts'] = '最新の投稿';
$a->strings['Sort by post received date'] = '投稿を受信した順に並び替え';
$a->strings['Personal'] = 'パーソナル';
$a->strings['Posts that mention or involve you'] = 'あなたに言及または関与している投稿';
$a->strings['Starred'] = 'スター付き';
$a->strings['Favourite Posts'] = 'お気に入りの投稿';
$a->strings['General Features'] = '一般的な機能';
$a->strings['Photo Location'] = '写真の場所';
$a->strings['Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map.'] = '通常、写真のメタデータは削除されます。これにより、メタデータを除去する前に場所(存在する場合)が抽出され、マップにリンクされます。';
$a->strings['Trending Tags'] = 'トレンドタグ';
$a->strings['Show a community page widget with a list of the most popular tags in recent public posts.'] = '最近の一般公開投稿で、最も人気のあるタグのリストを含むコミュニティページウィジェットを表示します。';
$a->strings['Post Composition Features'] = '合成後の機能';
$a->strings['Auto-mention Forums'] = '自動メンションフォーラム';
$a->strings['Add/remove mention when a forum page is selected/deselected in ACL window.'] = 'ACLウィンドウでフォーラムページが選択/選択解除されたときにメンションを追加/削除します。';
$a->strings['Explicit Mentions'] = '明示的な言及';
$a->strings['Add explicit mentions to comment box for manual control over who gets mentioned in replies.'] = 'コメントボックスに明示的なメンションを追加して、返信の通知先をカスタマイズします。';
$a->strings['Post/Comment Tools'] = '投稿/コメントツール';
$a->strings['Post Categories'] = '投稿カテゴリ';
$a->strings['Add categories to your posts'] = '投稿にカテゴリを追加する';
$a->strings['Advanced Profile Settings'] = '高度なプロフィール設定';
$a->strings['List Forums'] = 'フォーラムのリスト';
$a->strings['Show visitors public community forums at the Advanced Profile Page'] = '詳細プロフィールページで訪問者の一般公開コミュニティフォーラムを表示する';
$a->strings['Tag Cloud'] = 'タグクラウド';
$a->strings['Provide a personal tag cloud on your profile page'] = 'プロフィールページで個人タグクラウドを提供する';
$a->strings['Display Membership Date'] = '会員日を表示する';
$a->strings['Display membership date in profile'] = 'プロフィールにメンバーシップ日を表示する';
$a->strings['Forums'] = 'フォーラム';
$a->strings['External link to forum'] = 'フォーラムへの外部リンク';
$a->strings['show more'] = 'もっと見せる';
$a->strings['event'] = 'イベント';
$a->strings['status'] = 'ステータス';
@ -325,7 +331,6 @@ $a->strings['Connect/Follow'] = 'つながる/フォローする';
$a->strings['Nothing new here'] = 'ここに新しいものはありません';
$a->strings['Go back'] = '戻る';
$a->strings['Clear notifications'] = 'クリア通知';
$a->strings['@name, !forum, #tags, content'] = '@name, !forum, #tags, コンテンツ';
$a->strings['Logout'] = 'ログアウト';
$a->strings['End this session'] = 'このセッションを終了';
$a->strings['Login'] = 'ログイン';
@ -409,7 +414,6 @@ $a->strings['Random Profile'] = 'ランダムプロフィール';
$a->strings['Invite Friends'] = '友達を招待';
$a->strings['Global Directory'] = 'グローバルディレクトリ';
$a->strings['Local Directory'] = 'ローカルディレクトリ';
$a->strings['Groups'] = 'グループ';
$a->strings['Relationships'] = '関係';
$a->strings['All Contacts'] = 'すべてのコンタクト';
$a->strings['Protocols'] = 'プロトコル';
@ -543,6 +547,8 @@ $a->strings['Sep'] = '9月';
$a->strings['Oct'] = '10月';
$a->strings['Nov'] = '11月';
$a->strings['Dec'] = '12月';
$a->strings['The logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'ログファイル \' %s \' は使用できません。ログ機能が使用できません。(エラー: \' %s \' )';
$a->strings['The debug logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'デバッグログファイル \' %s \' は使用できません。ログ機能が使用できません。(エラー: \' %s \' )';
$a->strings['Storage base path'] = 'ストレージのbase path';
$a->strings['Folder where uploaded files are saved. For maximum security, This should be a path outside web server folder tree'] = 'アップロードされたファイルが保存されるフォルダです。最大限のセキュリティを確保するために、これはWebサーバーフォルダツリー外のパスである必要があります';
$a->strings['Enter a valid existing folder'] = '有効な既存のフォルダを入力してください';
@ -570,9 +576,11 @@ $a->strings['%s: updating %s table.'] = '%s %sテーブルを更新してい
$a->strings['Unauthorized'] = '認証されていません';
$a->strings['Internal Server Error'] = '内部サーバーエラー';
$a->strings['Legacy module file not found: %s'] = 'レガシーモジュールファイルが見つかりません: %s';
$a->strings['Everybody'] = 'みんな';
$a->strings['edit'] = '編集する';
$a->strings['add'] = '加える';
$a->strings['Approve'] = '承認する';
$a->strings['Organisation'] = '組織';
$a->strings['Forum'] = 'フォーラム';
$a->strings['Disallowed profile URL.'] = '許可されていないプロフィールURL。';
$a->strings['Blocked domain'] = 'ブロックされたドメイン';
$a->strings['Connect URL missing.'] = '接続URLがありません。';
@ -607,16 +615,6 @@ $a->strings['Show map'] = '地図を表示';
$a->strings['Hide map'] = '地図を隠す';
$a->strings['%s\'s birthday'] = '%sの誕生日';
$a->strings['Happy Birthday %s'] = 'ハッピーバースデー %s';
$a->strings['A deleted group with this name was revived. Existing item permissions <strong>may</strong> apply to this group and any future members. If this is not what you intended, please create another group with a different name.'] = 'この名前の削除されたグループが復活しました。既存の項目の権限は、このグループと将来のメンバーに適用される<strong>可能性</strong>があります。これが意図したものでない場合は、別の名前で別のグループを作成してください。';
$a->strings['Default privacy group for new contacts'] = '新しいコンタクトのデフォルトのプライバシーグループ';
$a->strings['Everybody'] = 'みんな';
$a->strings['edit'] = '編集する';
$a->strings['add'] = '加える';
$a->strings['Edit group'] = 'グループを編集';
$a->strings['Contacts not in any group'] = 'どのグループにも属していないコンタクト';
$a->strings['Create a new group'] = '新しいグループを作成する';
$a->strings['Group Name: '] = 'グループ名:';
$a->strings['Edit groups'] = 'グループを編集';
$a->strings['activity'] = 'アクティビティ';
$a->strings['post'] = '投稿';
$a->strings['Content warning: %s'] = 'コンテンツの警告: %s';
@ -686,7 +684,6 @@ $a->strings['An error occurred during registration. Please try again.'] = '登
$a->strings['An error occurred creating your default profile. Please try again.'] = '既定のプロフィールの作成中にエラーが発生しました。もう一度試してください。';
$a->strings['An error occurred creating your self contact. Please try again.'] = '自己コンタクトの作成中にエラーが発生しました。もう一度試してください。';
$a->strings['Friends'] = '友だち';
$a->strings['An error occurred creating your default contact group. Please try again.'] = '既定のコンタクトグループの作成中にエラーが発生しました。もう一度試してください。';
$a->strings['Profile Photos'] = 'プロフィール写真';
$a->strings['Registration details for %s'] = '%s の登録の詳細';
$a->strings['
@ -840,7 +837,6 @@ $a->strings['Enabling this may violate privacy laws like the GDPR'] = 'これを
$a->strings['Global directory URL'] = 'グローバルディレクトリURL';
$a->strings['URL to the global directory. If this is not set, the global directory is completely unavailable to the application.'] = 'グローバルディレクトリへのURL。これが設定されていない場合、グローバルディレクトリはアプリケーションで全く利用できなくなります。';
$a->strings['Private posts by default for new users'] = '新規ユーザー向けの 既定のプライベート投稿';
$a->strings['Set default post permissions for all new members to the default privacy group rather than public.'] = 'すべての新しいメンバーの既定の投稿許可を、一般公開ではなく既定のプライバシーグループに設定します。';
$a->strings['Don\'t include post content in email notifications'] = 'メール通知に投稿本文を含めないでください';
$a->strings['Don\'t include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure.'] = 'プライバシー対策として、このサイトから送信されるメール通知に投稿/コメント/プライベートメッセージなどのコンテンツを含めないでください。';
$a->strings['Disallow public access to addons listed in the apps menu.'] = 'アプリメニューにリストされているアドオンへの公開アクセスを許可しません。';
@ -919,8 +915,6 @@ $a->strings['The last worker execution was on %s UTC. This is older than one hou
$a->strings['Friendica\'s configuration now is stored in config/local.config.php, please copy config/local-sample.config.php and move your config from <code>.htconfig.php</code>. See <a href="%s">the Config help page</a> for help with the transition.'] = 'Friendicaの設定はconfig/local.config.phpに保存されるようになりました。config/local-sample.config.phpをコピーし、設定を<code> .htconfig.php </code>から移動してください。移行のヘルプについては、<a href="%s"> Configヘルプページ</a>をご覧ください。';
$a->strings['Friendica\'s configuration now is stored in config/local.config.php, please copy config/local-sample.config.php and move your config from <code>config/local.ini.php</code>. See <a href="%s">the Config help page</a> for help with the transition.'] = 'Friendicaの設定はconfig/local.config.phpに保存されるようになりました。config/ local-sample.config.phpをコピーして、設定を<code> config / local.ini.php </code>から移動してください。移行のヘルプについては、<a href="%s"> Configヘルプページ</a>をご覧ください。';
$a->strings['<a href="%s">%s</a> is not reachable on your system. This is a severe configuration issue that prevents server to server communication. See <a href="%s">the installation page</a> for help.'] = 'システムで<a href="%s"> %s </a>に到達できません。これは、サーバー間の通信を妨げる重大な構成の問題です。ヘルプについては、<a href="%s">インストールページ</a>をご覧ください。';
$a->strings['The logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'ログファイル \' %s \' は使用できません。ログ機能が使用できません。(エラー: \' %s \' )';
$a->strings['The debug logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'デバッグログファイル \' %s \' は使用できません。ログ機能が使用できません。(エラー: \' %s \' )';
$a->strings['Friendica\'s system.basepath was updated from \'%s\' to \'%s\'. Please remove the system.basepath from your db to avoid differences.'] = 'Friendicaのsystem.basepathは \'%s\' から \'%s\' に更新されました。差異を避けるために、データベースからsystem.basepathを削除してください。';
$a->strings['Friendica\'s current system.basepath \'%s\' is wrong and the config file \'%s\' isn\'t used.'] = 'Friendicaの現在のsystem.basepath \'%s\' は間違っています。構成ファイル \'%s\'は使用されていません。';
$a->strings['Friendica\'s current system.basepath \'%s\' is not equal to the config file \'%s\'. Please fix your configuration.'] = 'Friendicaの現在のsystem.basepath \'%s\'は、構成ファイル \'%s\'と等しくありません。設定を修正してください。';
@ -979,7 +973,6 @@ $a->strings['Profile Details'] = 'プロフィールの詳細';
$a->strings['Only You Can See This'] = 'これしか見えない';
$a->strings['Tips for New Members'] = '新会員のためのヒント';
$a->strings['People Search - %s'] = '人を検索- %s';
$a->strings['Forum Search - %s'] = 'フォーラム検索- %s';
$a->strings['No matches'] = '一致する項目がありません';
$a->strings['Account'] = 'アカウント';
$a->strings['Two-factor authentication'] = '二要素認証';
@ -1008,6 +1001,13 @@ $a->strings['Events'] = 'イベント';
$a->strings['View'] = '表示する';
$a->strings['Create New Event'] = '新しいイベントを作成';
$a->strings['list'] = 'リスト';
$a->strings['Contact not found.'] = 'コンタクトが見つかりません。';
$a->strings['Invalid contact.'] = '無効なコンタクト。';
$a->strings['Contact is deleted.'] = 'コンタクトが削除されます。';
$a->strings['Bad request.'] = '要求の形式が正しくありません。';
$a->strings['Filter'] = 'フィルタ';
$a->strings['Members'] = '会員';
$a->strings['Click on a contact to add or remove.'] = 'コンタクトをクリックして追加・削除';
$a->strings['%d contact edited.'] = [
0 => '%dコンタクトを編集しました。',
];
@ -1022,7 +1022,6 @@ $a->strings['Archived'] = 'アーカイブ済み';
$a->strings['Only show archived contacts'] = 'アーカイブされたコンタクトのみを表示';
$a->strings['Hidden'] = '非表示';
$a->strings['Only show hidden contacts'] = '非表示のコンタクトのみを表示';
$a->strings['Organize your contact groups'] = 'コンタクトグループを整理する';
$a->strings['Search your contacts'] = 'コンタクトを検索する';
$a->strings['Results for: %s'] = '結果: %s';
$a->strings['Update'] = '更新';
@ -1038,7 +1037,6 @@ $a->strings['you are a fan of'] = 'あなたはファンです';
$a->strings['Pending outgoing contact request'] = '保留中の送信済みコンタクトリクエスト';
$a->strings['Pending incoming contact request'] = '保留中の受信済みコンタクトリクエスト';
$a->strings['Visit %s\'s profile [%s]'] = '%sのプロフィール[ %s ]を開く';
$a->strings['Contact not found.'] = 'コンタクトが見つかりません。';
$a->strings['Contact update failed.'] = 'コンタクトの更新に失敗しました。';
$a->strings['Return to contact editor'] = 'コンタクトエディターに戻る';
$a->strings['Name'] = '名';
@ -1046,7 +1044,6 @@ $a->strings['Account Nickname'] = 'アカウントのニックネーム';
$a->strings['Account URL'] = 'アカウントURL';
$a->strings['Poll/Feed URL'] = 'ポーリング/フィードURL';
$a->strings['New photo from this URL'] = 'このURLからの新しい写真';
$a->strings['Invalid contact.'] = '無効なコンタクト。';
$a->strings['Follower (%s)'] = [
0 => 'フォロワー( %s ',
];
@ -1125,30 +1122,15 @@ $a->strings['Refetch contact data'] = 'コンタクトデータを再取得す
$a->strings['Toggle Blocked status'] = 'ブロック状態の切り替え';
$a->strings['Toggle Ignored status'] = '無視ステータスの切り替え';
$a->strings['Bad Request.'] = '要求の形式が正しくありません。';
$a->strings['Contact is deleted.'] = 'コンタクトが削除されます。';
$a->strings['Yes'] = 'はい';
$a->strings['No suggestions available. If this is a new site, please try again in 24 hours.'] = '利用可能な提案はありません。新しいサイトの場合は、24時間後にもう一度お試しください。';
$a->strings['You aren\'t following this contact.'] = 'あなたはこのコンタクトをフォローしていません';
$a->strings['Unfollowing is currently not supported by your network.'] = '現在、フォロー解除はあなたのネットワークではサポートされていません';
$a->strings['Disconnect/Unfollow'] = '接続・フォローを解除';
$a->strings['This community stream shows all public posts received by this node. They may not reflect the opinions of this nodes users.'] = 'このコミュニティストリームには、このノードが受信したすべての一般公開投稿が表示されます。このノードのユーザーの意見を反映していない場合があります。';
$a->strings['Local Community'] = 'ローカル コミュニティ';
$a->strings['Posts from local users on this server'] = 'このサーバー上のローカルユーザーからの投稿';
$a->strings['Global Community'] = 'グローバルコミュニティ';
$a->strings['Posts from users of the whole federated network'] = 'フェデレーションネットワーク全体のユーザーからの投稿';
$a->strings['No results.'] = '結果がありません。';
$a->strings['This community stream shows all public posts received by this node. They may not reflect the opinions of this nodes users.'] = 'このコミュニティストリームには、このノードが受信したすべての一般公開投稿が表示されます。このノードのユーザーの意見を反映していない場合があります。';
$a->strings['Community option not available.'] = 'コミュニティオプションは利用できません。';
$a->strings['Not available.'] = '利用不可。';
$a->strings['No such group'] = 'そのようなグループはありません';
$a->strings['Group: %s'] = 'グループ: %s';
$a->strings['Latest Activity'] = '最近の操作';
$a->strings['Sort by latest activity'] = '最終更新順に並び替え';
$a->strings['Latest Posts'] = '最新の投稿';
$a->strings['Sort by post received date'] = '投稿を受信した順に並び替え';
$a->strings['Personal'] = 'パーソナル';
$a->strings['Posts that mention or involve you'] = 'あなたに言及または関与している投稿';
$a->strings['Starred'] = 'スター付き';
$a->strings['Favourite Posts'] = 'お気に入りの投稿';
$a->strings['Credits'] = 'クレジット';
$a->strings['Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!'] = 'Friendicaはコミュニティプロジェクトであり、多くの人々の助けがなければ不可能です。以下は、Friendicaのコードまたは翻訳に貢献した人のリストです。皆さん、ありがとうございました';
$a->strings['Error'] = [
@ -1215,26 +1197,6 @@ $a->strings['Please visit <a href="https://friendi.ca">Friendi.ca</a> to learn m
$a->strings['Bug reports and issues: please visit'] = 'バグレポートと問題:こちらをご覧ください';
$a->strings['the bugtracker at github'] = 'githubのバグトラッカー';
$a->strings['Suggestions, praise, etc. - please email "info" at "friendi - dot - ca'] = '提案、ファンレターなどを "info " at "friendi - dot - ca"でお待ちしております。';
$a->strings['Could not create group.'] = 'グループを作成できませんでした。';
$a->strings['Group not found.'] = 'グループが見つかりません。';
$a->strings['Group name was not changed.'] = 'グループ名は変更されませんでした。';
$a->strings['Unknown group.'] = '不明なグループ。';
$a->strings['Unable to add the contact to the group.'] = 'グループにコンタクトを追加できません。';
$a->strings['Contact successfully added to group.'] = 'グループにコンタクトを追加しました。';
$a->strings['Unable to remove the contact from the group.'] = 'グループからコンタクトを削除できません。';
$a->strings['Contact successfully removed from group.'] = 'グループからコンタクトを削除しました。';
$a->strings['Bad request.'] = '要求の形式が正しくありません。';
$a->strings['Save Group'] = 'グループを保存';
$a->strings['Filter'] = 'フィルタ';
$a->strings['Create a group of contacts/friends.'] = 'コンタクト/友人のグループを作成します。';
$a->strings['Unable to remove group.'] = 'グループを削除できません。';
$a->strings['Delete Group'] = 'グループを削除';
$a->strings['Edit Group Name'] = 'グループ名を編集';
$a->strings['Members'] = '会員';
$a->strings['Group is empty'] = 'グループは空です';
$a->strings['Remove contact from group'] = 'グループからコンタクトを削除';
$a->strings['Click on a contact to add or remove.'] = 'コンタクトをクリックして追加・削除';
$a->strings['Add contact to group'] = 'グループにコンタクトを追加';
$a->strings['No profile'] = 'プロフィールなし';
$a->strings['Method Not Allowed.'] = 'そのメソッドは許可されていません。';
$a->strings['Help:'] = 'ヘルプ:';
@ -1297,7 +1259,6 @@ $a->strings['Visibility'] = '公開範囲';
$a->strings['Clear the location'] = '場所をクリアする';
$a->strings['Location services are unavailable on your device'] = 'デバイスで位置情報サービスを利用できません';
$a->strings['Location services are disabled. Please check the website\'s permissions on your device'] = '位置情報サービスは無効になっています。お使いのデバイスでウェブサイトの権限を確認してください';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = '要求された項目は存在しないか、削除されました。';
$a->strings['The feed for this item is unavailable.'] = 'この項目のフィードは利用できません。';
$a->strings['System down for maintenance'] = 'メンテナンスのためのシステムダウン';
$a->strings['A Decentralized Social Network'] = '分権化されたソーシャルネットワーク';
@ -1308,17 +1269,13 @@ $a->strings['Or - did you try to upload an empty file?'] = 'または、空の
$a->strings['File exceeds size limit of %s'] = 'ファイルサイズ上限 %s を超えています。';
$a->strings['File upload failed.'] = 'アップロードが失敗しました。';
$a->strings['Unable to process image.'] = '画像を処理できません。';
$a->strings['Image exceeds size limit of %s'] = '画像サイズ上限 %s を超えています。';
$a->strings['Image upload failed.'] = '画像アップロードに失敗しました。';
$a->strings['Normal Account Page'] = '通常のアカウントページ';
$a->strings['Soapbox Page'] = 'Soapboxページ';
$a->strings['Public Forum'] = '一般公開フォーラム';
$a->strings['Automatic Friend Page'] = '自動友達ページ';
$a->strings['Private Forum'] = 'プライベートフォーラム';
$a->strings['Personal Page'] = '個人ページ';
$a->strings['Organisation Page'] = '組織ページ';
$a->strings['News Page'] = 'ニュースページ';
$a->strings['Community Forum'] = 'コミュニティフォーラム';
$a->strings['Relay'] = '中継';
$a->strings['%s contact unblocked'] = [
0 => '%s はコンタクトのブロックを解除しました',
@ -1358,10 +1315,8 @@ $a->strings['Item not found'] = '項目が見つかりません';
$a->strings['Item Guid'] = '項目GUID';
$a->strings['Normal Account'] = '通常アカウント';
$a->strings['Automatic Follower Account'] = '自動フォロワーアカウント';
$a->strings['Public Forum Account'] = '公開フォーラムアカウント';
$a->strings['Automatic Friend Account'] = '自動友達アカウント';
$a->strings['Blog Account'] = 'ブログアカウント';
$a->strings['Private Forum Account'] = 'プライベートフォーラムアカウント';
$a->strings['Registered users'] = '登録ユーザー';
$a->strings['Pending registrations'] = '保留中の登録';
$a->strings['%s user blocked'] = [
@ -1454,6 +1409,7 @@ $a->strings['No contacts.'] = 'コンタクトはありません。';
$a->strings['%s\'s timeline'] = '%sのタイムライン';
$a->strings['%s\'s posts'] = '%sの投稿';
$a->strings['%s\'s comments'] = '%sのコメント';
$a->strings['Image exceeds size limit of %s'] = '画像サイズ上限 %s を超えています。';
$a->strings['Image upload didn\'t complete, please try again'] = '画像のアップロードが完了しませんでした。もう一度お試しください';
$a->strings['Image file is missing'] = '画像ファイルがありません';
$a->strings['Server can\'t accept new file upload at this time, please contact your administrator'] = 'サーバーは現在、新しいファイルのアップロードを受け入れられません。管理者に連絡してください';
@ -1470,7 +1426,6 @@ $a->strings['%d year old'] = [
0 => '%d歳',
];
$a->strings['Description:'] = '説明:';
$a->strings['Forums:'] = 'フォーラム:';
$a->strings['Profile unavailable.'] = 'プロフィールを利用できません。';
$a->strings['Invalid locator'] = '無効なロケーター';
$a->strings['Remote subscription can\'t be done for your network. Please subscribe directly on your system.'] = 'あなたのネットワークではリモート購読ができません。あなたのシステム上で直接購読してください。';
@ -1558,7 +1513,6 @@ $a->strings['Importing Contacts done'] = 'コンタクトのインポートが
$a->strings['Relocate message has been send to your contacts'] = '再配置メッセージがコンタクトに送信されました';
$a->strings['Unable to find your profile. Please contact your admin.'] = 'プロフィールが見つかりません。管理者に連絡してください。';
$a->strings['Personal Page Subtypes'] = '個人ページのサブタイプ';
$a->strings['Community Forum Subtypes'] = 'コミュニティフォーラムのサブタイプ';
$a->strings['Account for a personal profile.'] = '個人プロフィールを説明します。';
$a->strings['Account for an organisation that automatically approves contact requests as "Followers".'] = 'コンタクトリクエストを「フォロワー」として自動的に承認します。組織に適したアカウントです。';
$a->strings['Account for a news reflector that automatically approves contact requests as "Followers".'] = 'コンタクトのリクエストを「フォロワー」として自動的に承認します。ニュース再配信に適したアカウントです。';
@ -1567,7 +1521,6 @@ $a->strings['Account for a regular personal profile that requires manual approva
$a->strings['Account for a public profile that automatically approves contact requests as "Followers".'] = 'コンタクトリクエストを「フォロワー」として自動的に承認します。一般公開プロフィールのアカウントです。';
$a->strings['Automatically approves all contact requests.'] = 'すべてのコンタクトリクエストを自動的に承認します。';
$a->strings['Account for a popular profile that automatically approves contact requests as "Friends".'] = 'コンタクトのリクエストを「フレンド」として自動的に承認します。知名度のあるプロフィールに適したアカウントです。';
$a->strings['Private Forum [Experimental]'] = 'プライベートフォーラム[実験的]';
$a->strings['Requires manual approval of contact requests.'] = 'コンタクトリクエストの手動承認が必要です。';
$a->strings['OpenID:'] = 'OpenID';
$a->strings['(Optional) Allow this OpenID to login to this account.'] = 'オプションこのOpenIDがこのアカウントにログインできるようにします。';
@ -1582,6 +1535,7 @@ $a->strings['Password:'] = 'パスワード:';
$a->strings['Your current password to confirm the changes of the email address'] = '変更を確認するための電子メールアドレスの現在のパスワード';
$a->strings['Delete OpenID URL'] = 'OpenID URLを削除';
$a->strings['Basic Settings'] = '基本設定';
$a->strings['Display name:'] = '表示名:';
$a->strings['Email Address:'] = '電子メールアドレス:';
$a->strings['Your Timezone:'] = 'あなたのタイムゾーン:';
$a->strings['Your Language:'] = 'あなたの言語:';
@ -1704,7 +1658,6 @@ $a->strings['Beginning of week:'] = '週の始まり:';
$a->strings['Additional Features'] = '追加機能';
$a->strings['Connected Apps'] = '接続されたアプリ';
$a->strings['Remove authorization'] = '承認を削除';
$a->strings['Profile Name is required.'] = 'プロフィール名が必要です。';
$a->strings['(click to open/close)'] = '(クリックして開く・閉じる)';
$a->strings['Profile Actions'] = 'プロフィールアクション';
$a->strings['Edit Profile Details'] = 'プロフィールの詳細を編集';
@ -1713,7 +1666,6 @@ $a->strings['Profile picture'] = 'プロフィールの写真';
$a->strings['Location'] = '位置情報';
$a->strings['Miscellaneous'] = 'その他';
$a->strings['Upload Profile Photo'] = 'プロフィール写真をアップロード';
$a->strings['Display name:'] = '表示名:';
$a->strings['Street Address:'] = '住所:';
$a->strings['Locality/City:'] = '地域/市:';
$a->strings['Region/State:'] = '地域/州:';
@ -1829,6 +1781,7 @@ $a->strings['At the time of registration, and for providing communications betwe
ノードのユーザーディレクトリまたはグローバルユーザーディレクトリでのアカウントのリストはオプションであり、ユーザー設定で制御できます。通信には必要ありません。';
$a->strings['This data is required for communication and is passed on to the nodes of the communication partners and is stored there. Users can enter additional private data that may be transmitted to the communication partners accounts.'] = 'このデータは通信に必要であり、通信パートナーのノードに渡されてそこに保存されます。ユーザーは、通信パートナーアカウントに送信される可能性のある追加のプライベートデータを入力できます。';
$a->strings['Privacy Statement'] = 'プライバシーに関する声明';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = '要求された項目は存在しないか、削除されました。';
$a->strings['User imports on closed servers can only be done by an administrator.'] = 'クローズドなサーバでのユーザーインポートは、管理者のみが実行できます。';
$a->strings['Move account'] = 'アカウントの移動';
$a->strings['You can import an account from another Friendica server.'] = '別のFriendicaサーバーからアカウントをインポートできます。';
@ -1868,8 +1821,6 @@ $a->strings['Go to Your Site\'s Directory'] = 'サイトのディレクトリに
$a->strings['The Directory page lets you find other people in this network or other federated sites. Look for a <em>Connect</em> or <em>Follow</em> link on their profile page. Provide your own Identity Address if requested.'] = 'ディレクトリ ページでは、このネットワークまたは他のフェデレーションサイト内の他のユーザーを検索できます。プロフィールページで<em>接続</em>または<em>フォロー</em>リンクを探します。要求された場合、独自のIdentityアドレスを提供します。';
$a->strings['Finding New People'] = '新しい人を見つける';
$a->strings['On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours.'] = 'コンタクトページのサイドパネルには、新しい友達を見つけるためのいくつかのツールがあります。関心ごとに人を照合し、名前または興味ごとに人を検索し、ネットワーク関係に基づいて提案を提供できます。新しいサイトでは、通常24時間以内に友人の提案が表示され始めます。';
$a->strings['Group Your Contacts'] = 'コンタクトをグループ化する';
$a->strings['Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page.'] = '友達を作成したら、コンタクトページのサイドバーからプライベートな会話グループに整理し、ネットワークページで各グループとプライベートにやり取りできます。';
$a->strings['Why Aren\'t My Posts Public?'] = '投稿が一般に公開されないのはなぜですか?';
$a->strings['Friendica respects your privacy. By default, your posts will only show up to people you\'ve added as friends. For more information, see the help section from the link above.'] = 'Friendicaはあなたのプライバシーを尊重します。デフォルトでは、投稿は友達として追加した人にのみ表示されます。詳細については、上記のリンクのヘルプセクションを参照してください。';
$a->strings['Getting Help'] = 'ヘルプを得る';

File diff suppressed because it is too large Load Diff

View File

@ -279,36 +279,42 @@ $a->strings['Public post'] = 'Openbare post';
$a->strings['Message'] = 'Bericht';
$a->strings['Browser'] = 'Browser';
$a->strings['Open Compose page'] = 'Open de opstelpagina';
$a->strings['remove'] = 'verwijder';
$a->strings['Delete Selected Items'] = 'Geselecteerde items verwijderen';
$a->strings['%s reshared this.'] = '%s heeft dit gedeeld';
$a->strings['View %s\'s profile @ %s'] = 'Bekijk het profiel van %s @ %s';
$a->strings['Categories:'] = 'Categorieën:';
$a->strings['Filed under:'] = 'Bewaard onder:';
$a->strings['%s from %s'] = '%s van %s';
$a->strings['View in context'] = 'In context bekijken';
$a->strings['remove'] = 'verwijder';
$a->strings['Delete Selected Items'] = 'Geselecteerde items verwijderen';
$a->strings['%s reshared this.'] = '%s heeft dit gedeeld';
$a->strings['Local Community'] = 'Lokale Groep';
$a->strings['Posts from local users on this server'] = 'Berichten van lokale gebruikers op deze server';
$a->strings['Global Community'] = 'Globale gemeenschap';
$a->strings['Posts from users of the whole federated network'] = 'Berichten van gebruikers van het hele gefedereerde netwerk';
$a->strings['Latest Activity'] = 'Laatste activiteit';
$a->strings['Sort by latest activity'] = 'Sorteer naar laatste activiteit';
$a->strings['Latest Posts'] = 'Laatste Berichten';
$a->strings['Sort by post received date'] = 'Sorteren naar ontvangstdatum bericht';
$a->strings['Personal'] = 'Persoonlijk';
$a->strings['Posts that mention or involve you'] = 'Alleen berichten die jou vermelden of op jou betrekking hebben';
$a->strings['Starred'] = 'Met ster';
$a->strings['Favourite Posts'] = 'Favoriete berichten';
$a->strings['General Features'] = 'Algemene functies';
$a->strings['Photo Location'] = 'Foto Locatie';
$a->strings['Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map.'] = 'Foto metadata wordt normaal verwijderd. Dit extraheert de locatie (indien aanwezig) vooraleer de metadata te verwijderen en verbindt die met een kaart.';
$a->strings['Trending Tags'] = 'Populaire Tags';
$a->strings['Show a community page widget with a list of the most popular tags in recent public posts.'] = 'Toon een widget voor communitypagina met een lijst van de populairste tags in recente openbare berichten.';
$a->strings['Post Composition Features'] = 'Functies voor het opstellen van berichten';
$a->strings['Auto-mention Forums'] = 'Auto-vermelding Forums';
$a->strings['Add/remove mention when a forum page is selected/deselected in ACL window.'] = 'Voeg toe/verwijder vermelding wanneer een forum pagina geselecteerd/gedeselecteerd wordt in het ACL venster.';
$a->strings['Explicit Mentions'] = 'Expliciete vermeldingen';
$a->strings['Add explicit mentions to comment box for manual control over who gets mentioned in replies.'] = 'Voeg expliciete vermeldingen toe aan het opmerkingenvak voor handmatige controle over wie in antwoorden wordt vermeld.';
$a->strings['Post/Comment Tools'] = 'Bericht-/reactiehulpmiddelen';
$a->strings['Post Categories'] = 'Categorieën berichten';
$a->strings['Add categories to your posts'] = 'Voeg categorieën toe aan je berichten';
$a->strings['Advanced Profile Settings'] = 'Geavanceerde Profiel Instellingen';
$a->strings['List Forums'] = 'Lijst Fora op';
$a->strings['Show visitors public community forums at the Advanced Profile Page'] = 'Toon bezoekers de publieke groepsfora in de Geavanceerde Profiel Pagina';
$a->strings['Tag Cloud'] = 'Tag Wolk';
$a->strings['Provide a personal tag cloud on your profile page'] = 'Voorzie een persoonlijk tag wolk op je profiel pagina';
$a->strings['Display Membership Date'] = 'Toon Lidmaatschap Datum';
$a->strings['Display membership date in profile'] = 'Toon lidmaatschap datum in profiel';
$a->strings['Forums'] = 'Forums';
$a->strings['External link to forum'] = 'Externe link naar het forum';
$a->strings['show more'] = 'toon meer';
$a->strings['event'] = 'gebeurtenis';
$a->strings['status'] = 'status';
@ -327,7 +333,6 @@ $a->strings['Connect/Follow'] = 'Verbind/Volg';
$a->strings['Nothing new here'] = 'Niets nieuw hier';
$a->strings['Go back'] = 'Ga terug';
$a->strings['Clear notifications'] = 'Notificaties verwijderen';
$a->strings['@name, !forum, #tags, content'] = '@naam, !forum, #labels, inhoud';
$a->strings['Logout'] = 'Uitloggen';
$a->strings['End this session'] = 'Deze sessie beëindigen';
$a->strings['Login'] = 'Login';
@ -413,7 +418,6 @@ $a->strings['Random Profile'] = 'Willekeurig Profiel';
$a->strings['Invite Friends'] = 'Vrienden uitnodigen';
$a->strings['Global Directory'] = 'Globale gids';
$a->strings['Local Directory'] = 'Lokale gids';
$a->strings['Groups'] = 'Groepen';
$a->strings['Everyone'] = 'Iedereen';
$a->strings['Relationships'] = 'Relaties';
$a->strings['All Contacts'] = 'Alle Contacten';
@ -572,9 +576,11 @@ $a->strings['%s: Database update'] = '%s: Database update';
$a->strings['%s: updating %s table.'] = '%s: tabel %s aan het updaten.';
$a->strings['Unauthorized'] = 'Onbevoegd';
$a->strings['Legacy module file not found: %s'] = 'Legacy module bestand niet gevonden: %s';
$a->strings['Everybody'] = 'Iedereen';
$a->strings['edit'] = 'verander';
$a->strings['add'] = 'toevoegen';
$a->strings['Approve'] = 'Goedkeuren';
$a->strings['Organisation'] = 'Organisatie';
$a->strings['Forum'] = 'Forum';
$a->strings['Disallowed profile URL.'] = 'Niet toegelaten profiel adres.';
$a->strings['Blocked domain'] = 'Domein geblokeerd';
$a->strings['Connect URL missing.'] = 'Connectie URL ontbreekt.';
@ -609,16 +615,6 @@ $a->strings['Show map'] = 'Toon kaart';
$a->strings['Hide map'] = 'Verberg kaart';
$a->strings['%s\'s birthday'] = '%s\'s verjaardag';
$a->strings['Happy Birthday %s'] = 'Gefeliciteerd %s';
$a->strings['A deleted group with this name was revived. Existing item permissions <strong>may</strong> apply to this group and any future members. If this is not what you intended, please create another group with a different name.'] = 'Een verwijderde groep met deze naam is weer tot leven gewekt. Bestaande itemrechten <strong>kunnen</strong> voor deze groep en toekomstige leden gelden. Wanneer je niet zo had bedoeld kan je een andere groep met een andere naam creëren. ';
$a->strings['Default privacy group for new contacts'] = 'Standaard privacy groep voor nieuwe contacten';
$a->strings['Everybody'] = 'Iedereen';
$a->strings['edit'] = 'verander';
$a->strings['add'] = 'toevoegen';
$a->strings['Edit group'] = 'Verander groep';
$a->strings['Contacts not in any group'] = 'Contacten bestaan in geen enkele groep';
$a->strings['Create a new group'] = 'Maak nieuwe groep';
$a->strings['Group Name: '] = 'Groepsnaam:';
$a->strings['Edit groups'] = 'Bewerk groepen';
$a->strings['activity'] = 'activiteit';
$a->strings['post'] = 'bericht';
$a->strings['Content warning: %s'] = 'Waarschuwing inhoud: %s';
@ -692,7 +688,6 @@ $a->strings['An error occurred during registration. Please try again.'] = 'Er is
$a->strings['An error occurred creating your default profile. Please try again.'] = 'Er is een fout opgetreden bij het aanmaken van je standaard profiel. Probeer opnieuw.';
$a->strings['An error occurred creating your self contact. Please try again.'] = 'Er is een fout opgetreden bij het aanmaken van je self contact. Probeer opnieuw.';
$a->strings['Friends'] = 'Vrienden';
$a->strings['An error occurred creating your default contact group. Please try again.'] = 'Er is een fout opgetreden bij het aanmaken van je standaard contact groep. Probeer opnieuw.';
$a->strings['Profile Photos'] = 'Profielfoto\'s';
$a->strings['
Dear %1$s,
@ -852,7 +847,6 @@ $a->strings['Enabling this may violate privacy laws like the GDPR'] = 'Dit activ
$a->strings['Global directory URL'] = 'Algemene gids URL';
$a->strings['URL to the global directory. If this is not set, the global directory is completely unavailable to the application.'] = 'URL naar de globale gids. Als dit niet geconfigureerd is, dan zal de globale gids volledig onbeschikbaar zijn voor de applicatie.';
$a->strings['Private posts by default for new users'] = 'Privéberichten als standaard voor nieuwe gebruikers';
$a->strings['Set default post permissions for all new members to the default privacy group rather than public.'] = 'Stel de standaardrechten van berichten voor nieuwe leden op de standaard privacygroep in, in plaats van openbaar.';
$a->strings['Don\'t include post content in email notifications'] = 'De inhoud van het bericht niet insluiten bij e-mailnotificaties';
$a->strings['Don\'t include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure.'] = 'De inhoud van berichten/commentaar/privéberichten/enzovoort niet insluiten in e-mailnotificaties die door deze website verzonden worden, voor de bescherming van je privacy.';
$a->strings['Disallow public access to addons listed in the apps menu.'] = 'Publieke toegang ontzeggen tot addons die opgelijst zijn in het applicatie menu.';
@ -976,7 +970,6 @@ $a->strings['Profile Details'] = 'Profieldetails';
$a->strings['Only You Can See This'] = 'Alleen jij kunt dit zien';
$a->strings['Tips for New Members'] = 'Tips voor nieuwe leden';
$a->strings['People Search - %s'] = 'Mensen Zoeken - %s';
$a->strings['Forum Search - %s'] = 'Forum doorzoeken - %s';
$a->strings['No matches'] = 'Geen resultaten';
$a->strings['Account'] = 'Account';
$a->strings['Two-factor authentication'] = '2-factor authenticatie';
@ -1005,6 +998,13 @@ $a->strings['Events'] = 'Gebeurtenissen';
$a->strings['View'] = 'Beeld';
$a->strings['Create New Event'] = 'Maak een nieuwe gebeurtenis';
$a->strings['list'] = 'lijst';
$a->strings['Contact not found.'] = 'Contact niet gevonden';
$a->strings['Invalid contact.'] = 'Ongeldig contact.';
$a->strings['Contact is deleted.'] = 'Contact is verwijderd.';
$a->strings['Bad request.'] = 'Verkeerde aanvraag.';
$a->strings['Filter'] = 'filter';
$a->strings['Members'] = 'Leden';
$a->strings['Click on a contact to add or remove.'] = 'Klik op een contact om het toe te voegen of te verwijderen.';
$a->strings['%d contact edited.'] = [
0 => '%d contact bewerkt.',
1 => '%d contacten bewerkt.',
@ -1020,7 +1020,6 @@ $a->strings['Archived'] = 'Gearchiveerd';
$a->strings['Only show archived contacts'] = 'Toon alleen gearchiveerde contacten';
$a->strings['Hidden'] = 'Verborgen';
$a->strings['Only show hidden contacts'] = 'Toon alleen verborgen contacten';
$a->strings['Organize your contact groups'] = 'Organiseer je contact groepen';
$a->strings['Search your contacts'] = 'Doorzoek je contacten';
$a->strings['Results for: %s'] = 'Resultaten voor: %s';
$a->strings['Update'] = 'Wijzigen';
@ -1036,7 +1035,6 @@ $a->strings['you are a fan of'] = 'Jij bent een fan van';
$a->strings['Pending outgoing contact request'] = 'In afwachting van uitgaande contactaanvraag';
$a->strings['Pending incoming contact request'] = 'In afwachting van inkomende contactaanvraag';
$a->strings['Visit %s\'s profile [%s]'] = 'Bekijk het profiel van %s [%s]';
$a->strings['Contact not found.'] = 'Contact niet gevonden';
$a->strings['Contact update failed.'] = 'Aanpassen van contact mislukt.';
$a->strings['Return to contact editor'] = 'Ga terug naar contactbewerker';
$a->strings['Name'] = 'Naam';
@ -1044,7 +1042,6 @@ $a->strings['Account Nickname'] = 'Bijnaam account';
$a->strings['Account URL'] = 'URL account';
$a->strings['Poll/Feed URL'] = 'URL poll/feed';
$a->strings['New photo from this URL'] = 'Nieuwe foto van deze URL';
$a->strings['Invalid contact.'] = 'Ongeldig contact.';
$a->strings['Follower (%s)'] = [
0 => 'Volger (%s)',
1 => 'Volgers (%s)',
@ -1127,30 +1124,15 @@ $a->strings['Refetch contact data'] = 'Contact data opnieuw ophalen';
$a->strings['Toggle Blocked status'] = 'Schakel geblokkeerde status';
$a->strings['Toggle Ignored status'] = 'Schakel negeerstatus';
$a->strings['Bad Request.'] = 'Verkeerde aanvraag.';
$a->strings['Contact is deleted.'] = 'Contact is verwijderd.';
$a->strings['Yes'] = 'Ja';
$a->strings['No suggestions available. If this is a new site, please try again in 24 hours.'] = 'Geen voorstellen beschikbaar. Als dit een nieuwe website is, kun je het over 24 uur nog eens proberen.';
$a->strings['You aren\'t following this contact.'] = 'Je volgt dit contact niet.';
$a->strings['Unfollowing is currently not supported by your network.'] = 'Ontvolgen is momenteel niet gesupporteerd door je netwerk.';
$a->strings['Disconnect/Unfollow'] = 'Disconnecteer/stop met volgen';
$a->strings['This community stream shows all public posts received by this node. They may not reflect the opinions of this nodes users.'] = 'Deze groepsstroom toont alle publieke berichten die deze node ontvangen heeft. Ze kunnen mogelijks niet de mening van de gebruikers van deze node weerspiegelen.';
$a->strings['Local Community'] = 'Lokale Groep';
$a->strings['Posts from local users on this server'] = 'Berichten van lokale gebruikers op deze server';
$a->strings['Global Community'] = 'Globale gemeenschap';
$a->strings['Posts from users of the whole federated network'] = 'Berichten van gebruikers van het hele gefedereerde netwerk';
$a->strings['No results.'] = 'Geen resultaten.';
$a->strings['This community stream shows all public posts received by this node. They may not reflect the opinions of this nodes users.'] = 'Deze groepsstroom toont alle publieke berichten die deze node ontvangen heeft. Ze kunnen mogelijks niet de mening van de gebruikers van deze node weerspiegelen.';
$a->strings['Community option not available.'] = 'Groepsoptie niet beschikbaar';
$a->strings['Not available.'] = 'Niet beschikbaar';
$a->strings['No such group'] = 'Zo\'n groep bestaat niet';
$a->strings['Group: %s'] = 'Groep: %s';
$a->strings['Latest Activity'] = 'Laatste activiteit';
$a->strings['Sort by latest activity'] = 'Sorteer naar laatste activiteit';
$a->strings['Latest Posts'] = 'Laatste Berichten';
$a->strings['Sort by post received date'] = 'Sorteren naar ontvangstdatum bericht';
$a->strings['Personal'] = 'Persoonlijk';
$a->strings['Posts that mention or involve you'] = 'Alleen berichten die jou vermelden of op jou betrekking hebben';
$a->strings['Starred'] = 'Met ster';
$a->strings['Favourite Posts'] = 'Favoriete berichten';
$a->strings['Credits'] = 'Credits';
$a->strings['Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!'] = 'Friendica is een gemeenschapsproject dat niet mogelijk zou zijn zonder de hulp van vele mensen. Hier is een lijst van alle mensen die aan de code of vertalingen van Friendica hebben meegewerkt. Allen van harte bedankt!';
$a->strings['Error'] = [
@ -1212,25 +1194,6 @@ $a->strings['Please visit <a href="https://friendi.ca">Friendi.ca</a> to learn m
$a->strings['Bug reports and issues: please visit'] = 'Bug rapporten en problemen: bezoek';
$a->strings['the bugtracker at github'] = 'de github bugtracker';
$a->strings['Suggestions, praise, etc. - please email "info" at "friendi - dot - ca'] = 'Suggesties, appreciatie, enz. - aub stuur een email naar "info" at "friendi - dot - ca';
$a->strings['Could not create group.'] = 'Kon de groep niet aanmaken.';
$a->strings['Group not found.'] = 'Groep niet gevonden.';
$a->strings['Unknown group.'] = 'Onbekende groep.';
$a->strings['Unable to add the contact to the group.'] = 'Kan het contact niet aan de groep toevoegen.';
$a->strings['Contact successfully added to group.'] = 'Contact succesvol aan de groep toegevoegd.';
$a->strings['Unable to remove the contact from the group.'] = 'Kan het contact niet uit de groep verwijderen.';
$a->strings['Contact successfully removed from group.'] = 'Contact succesvol verwijderd uit groep.';
$a->strings['Bad request.'] = 'Verkeerde aanvraag.';
$a->strings['Save Group'] = 'Bewaar groep';
$a->strings['Filter'] = 'filter';
$a->strings['Create a group of contacts/friends.'] = 'Maak een groep contacten/vrienden aan.';
$a->strings['Unable to remove group.'] = 'Niet in staat om groep te verwijderen.';
$a->strings['Delete Group'] = 'Verwijder Groep';
$a->strings['Edit Group Name'] = 'Bewerk Groep Naam';
$a->strings['Members'] = 'Leden';
$a->strings['Group is empty'] = 'De groep is leeg';
$a->strings['Remove contact from group'] = 'Verwijder contact uit de groep';
$a->strings['Click on a contact to add or remove.'] = 'Klik op een contact om het toe te voegen of te verwijderen.';
$a->strings['Add contact to group'] = 'Voeg contact toe aan de groep';
$a->strings['No profile'] = 'Geen profiel';
$a->strings['Method Not Allowed.'] = 'Methode niet toegestaan.';
$a->strings['Help:'] = 'Help:';
@ -1292,7 +1255,6 @@ $a->strings['Visibility'] = 'Zichtbaarheid';
$a->strings['Clear the location'] = 'Wis de locatie';
$a->strings['Location services are unavailable on your device'] = 'Locatiediensten zijn niet beschikbaar op uw apparaat';
$a->strings['Location services are disabled. Please check the website\'s permissions on your device'] = 'Locatiediensten zijn uitgeschakeld. Controleer de toestemmingen van de website op uw apparaat';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'Het gevraagde item bestaat niet of is verwijderd';
$a->strings['The feed for this item is unavailable.'] = 'De tijdlijn voor dit item is niet beschikbaar';
$a->strings['System down for maintenance'] = 'Systeem onbeschikbaar wegens onderhoud';
$a->strings['A Decentralized Social Network'] = 'Een gedecentraliseerd sociaal netwerk';
@ -1303,17 +1265,13 @@ $a->strings['Or - did you try to upload an empty file?'] = 'Of - probeerde je ee
$a->strings['File exceeds size limit of %s'] = 'Bestand is groter dan de limiet ( %s )';
$a->strings['File upload failed.'] = 'Uploaden van bestand mislukt.';
$a->strings['Unable to process image.'] = 'Niet in staat om de afbeelding te verwerken';
$a->strings['Image exceeds size limit of %s'] = 'Beeld is groter dan de limiet ( %s )';
$a->strings['Image upload failed.'] = 'Uploaden van afbeelding mislukt.';
$a->strings['Normal Account Page'] = 'Normale accountpagina';
$a->strings['Soapbox Page'] = 'Zeepkist-pagina';
$a->strings['Public Forum'] = 'Publiek Forum';
$a->strings['Automatic Friend Page'] = 'Automatisch Vriendschapspagina';
$a->strings['Private Forum'] = 'Privé Forum';
$a->strings['Personal Page'] = 'Persoonlijke pagina';
$a->strings['Organisation Page'] = 'Organisatie Pagina';
$a->strings['News Page'] = 'Nieuws pagina';
$a->strings['Community Forum'] = 'Groepsforum';
$a->strings['%s contact unblocked'] = [
0 => '%s contact is niet langer geblokkeerd',
1 => '%s contacten zijn niet langer geblokkeerd',
@ -1349,10 +1307,8 @@ $a->strings['Item not found'] = 'Item niet gevonden';
$a->strings['Item Guid'] = 'Item identificatie';
$a->strings['Normal Account'] = 'Normaal account';
$a->strings['Automatic Follower Account'] = 'Automatische Volger Account';
$a->strings['Public Forum Account'] = 'Publiek Forum account';
$a->strings['Automatic Friend Account'] = 'Automatisch Vriendschapsaccount';
$a->strings['Blog Account'] = 'Blog Account';
$a->strings['Private Forum Account'] = 'Privé Forum Account';
$a->strings['Registered users'] = 'Geregistreerde gebruikers';
$a->strings['Pending registrations'] = 'Registraties die in de wacht staan';
$a->strings['You can\'t remove yourself'] = 'Je kan jezelf niet verwijderen';
@ -1427,6 +1383,7 @@ $a->strings['No contacts.'] = 'Geen contacten.';
$a->strings['%s\'s timeline'] = 'Tijdslijn van %s';
$a->strings['%s\'s posts'] = 'Berichten van %s';
$a->strings['%s\'s comments'] = 'reactie van %s';
$a->strings['Image exceeds size limit of %s'] = 'Beeld is groter dan de limiet ( %s )';
$a->strings['Image upload didn\'t complete, please try again'] = 'Opladen van het beeld is niet compleet, probeer het opnieuw';
$a->strings['Image file is missing'] = 'Beeld bestand ontbreekt';
$a->strings['Server can\'t accept new file upload at this time, please contact your administrator'] = 'De server kan op dit moment geen nieuw bestand opladen, contacteer alsjeblieft je beheerder';
@ -1444,7 +1401,6 @@ $a->strings['%d year old'] = [
1 => '%d jaar oud',
];
$a->strings['Description:'] = 'Beschrijving:';
$a->strings['Forums:'] = 'Fora:';
$a->strings['View profile as:'] = 'Bekijk profiel als:';
$a->strings['Profile unavailable.'] = 'Profiel onbeschikbaar';
$a->strings['Invalid locator'] = 'Ongeldige plaatsbepaler';
@ -1535,7 +1491,6 @@ $a->strings['Importing Contacts done'] = 'Importeren Contacten voltooid';
$a->strings['Relocate message has been send to your contacts'] = 'Verhuis boodschap is verzonden naar je contacten';
$a->strings['Unable to find your profile. Please contact your admin.'] = 'Kan je profiel niet vinden. Contacteer alsjeblieft je beheerder.';
$a->strings['Personal Page Subtypes'] = 'Persoonlijke Pagina Subtypes';
$a->strings['Community Forum Subtypes'] = 'Groepsforum Subtypes';
$a->strings['Account for a personal profile.'] = 'Account voor een persoonlijk profiel';
$a->strings['Account for an organisation that automatically approves contact requests as "Followers".'] = 'Account voor een organisatie die automatisch contact aanvragen goedkeurt als "Volgers".';
$a->strings['Account for a news reflector that automatically approves contact requests as "Followers".'] = 'Account voor een nieuws reflector die automatisch contact aanvragen goedkeurt als "Volgers".';
@ -1544,7 +1499,6 @@ $a->strings['Account for a regular personal profile that requires manual approva
$a->strings['Account for a public profile that automatically approves contact requests as "Followers".'] = 'Account voor een publiek profiel dat automatisch contact aanvragen goedkeurt als "Volgers".';
$a->strings['Automatically approves all contact requests.'] = 'Aanvaardt automatisch all contact aanvragen.';
$a->strings['Account for a popular profile that automatically approves contact requests as "Friends".'] = 'Account voor een populair profiel dat automatisch contact aanvragen goedkeurt als "Vrienden".';
$a->strings['Private Forum [Experimental]'] = 'Privé-forum [experimenteel]';
$a->strings['Requires manual approval of contact requests.'] = 'Vereist manuele goedkeuring van contact aanvragen.';
$a->strings['OpenID:'] = 'OpenID:';
$a->strings['(Optional) Allow this OpenID to login to this account.'] = '(Optioneel) Laat dit OpenID toe om in te loggen op deze account.';
@ -1559,6 +1513,7 @@ $a->strings['Password:'] = 'Wachtwoord:';
$a->strings['Your current password to confirm the changes of the email address'] = 'Je huidige wachtwoord om de verandering in het email adres te bevestigen';
$a->strings['Delete OpenID URL'] = 'Verwijder OpenID URL';
$a->strings['Basic Settings'] = 'Basis Instellingen';
$a->strings['Display name:'] = 'Weergave naam:';
$a->strings['Email Address:'] = 'E-mailadres:';
$a->strings['Your Timezone:'] = 'Je Tijdzone:';
$a->strings['Your Language:'] = 'Je taal:';
@ -1677,7 +1632,6 @@ $a->strings['Beginning of week:'] = 'Begin van de week:';
$a->strings['Additional Features'] = 'Extra functies';
$a->strings['Connected Apps'] = 'Verbonden applicaties';
$a->strings['Remove authorization'] = 'Verwijder authorisatie';
$a->strings['Profile Name is required.'] = 'Profielnaam is vereist.';
$a->strings['Profile couldn\'t be updated.'] = 'Profiel kan niet worden bijgewerkt.';
$a->strings['Label:'] = 'Label:';
$a->strings['Value:'] = 'Waarde:';
@ -1692,7 +1646,6 @@ $a->strings['Location'] = 'Plaats';
$a->strings['Miscellaneous'] = 'Diversen';
$a->strings['Custom Profile Fields'] = 'Aangepaste profielvelden';
$a->strings['Upload Profile Photo'] = 'Profielfoto uploaden';
$a->strings['Display name:'] = 'Weergave naam:';
$a->strings['Street Address:'] = 'Postadres:';
$a->strings['Locality/City:'] = 'Gemeente/Stad:';
$a->strings['Region/State:'] = 'Regio/Staat:';
@ -1704,15 +1657,6 @@ $a->strings['Public Keywords:'] = 'Publieke Sleutelwoorden:';
$a->strings['(Used for suggesting potential friends, can be seen by others)'] = '(Gebruikt om mogelijke vrienden voor te stellen, kan door anderen gezien worden)';
$a->strings['Private Keywords:'] = 'Privé Sleutelwoorden:';
$a->strings['(Used for searching profiles, never shown to others)'] = '(Gebruikt om profielen te zoeken, nooit aan anderen getoond)';
$a->strings['<p>Custom fields appear on <a href="%s">your profile page</a>.</p>
<p>You can use BBCodes in the field values.</p>
<p>Reorder by dragging the field title.</p>
<p>Empty the label field to remove a custom field.</p>
<p>Non-public fields can only be seen by the selected Friendica contacts or the Friendica contacts in the selected groups.</p>'] = '<p>Aangepaste velden verschijnen op <a href="%s">je profielpagina</a>.</p>
<p>Je kunt BBCodes in de veldwaarden gebruiken.</p>
<p>Sorteer opnieuw door de veldtitel te slepen.</p>
<p>Maak het labelveld leeg om een aangepast veld te verwijderen.</p>
<p>Niet-openbare velden zijn alleen zichtbaar voor de geselecteerde Friendica-contacten of de Friendica-contacten in de geselecteerde groepen.</p>';
$a->strings['Image size reduction [%s] failed.'] = 'Verkleining van de afbeelding [%s] mislukt.';
$a->strings['Shift-reload the page or clear browser cache if the new photo does not display immediately.'] = 'Shift-herlaad de pagina, of maak de browser cache leeg als nieuwe foto\'s niet onmiddellijk verschijnen.';
$a->strings['Unable to process image'] = 'Ik kan de afbeelding niet verwerken';
@ -1820,6 +1764,7 @@ $a->strings['Export the list of the accounts you are following as CSV file. Comp
$a->strings['At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node\'s user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication.'] = 'Op het moment van de registratie, en om communicatie mogelijk te maken tussen de gebruikersaccount en zijn of haar contacten, moet de gebruiker een weergave naam opgeven, een gebruikersnaam (bijnaam) en een werkend email adres. De namen zullen toegankelijk zijn op de profiel pagina van het account voor elke bezoeker van de pagina, zelfs als andere profiel details niet getoond worden. Het email adres zal enkel gebruikt worden om de gebruiker notificaties te sturen over interacties, maar zal niet zichtbaar getoond worden. Het oplijsten van een account in de gids van de node van de gebruiker of in de globale gids is optioneel en kan beheerd worden in de gebruikersinstellingen, dit is niet nodig voor communicatie.';
$a->strings['This data is required for communication and is passed on to the nodes of the communication partners and is stored there. Users can enter additional private data that may be transmitted to the communication partners accounts.'] = 'Deze data is vereist voor communicatie en wordt doorgegeven aan de nodes van de communicatie partners en wordt daar opgeslagen. Gebruikers kunnen bijkomende privé data opgeven die mag doorgegeven worden aan de accounts van de communicatie partners.';
$a->strings['Privacy Statement'] = 'Privacy Verklaring';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'Het gevraagde item bestaat niet of is verwijderd';
$a->strings['User imports on closed servers can only be done by an administrator.'] = 'Importen van een gebruiker op een gesloten node kan enkel gedaan worden door een administrator';
$a->strings['Move account'] = 'Account verplaatsen';
$a->strings['You can import an account from another Friendica server.'] = 'Je kunt een account van een andere Friendica server importeren.';
@ -1860,8 +1805,6 @@ $a->strings['Go to Your Site\'s Directory'] = 'Ga naar de gids van je website';
$a->strings['The Directory page lets you find other people in this network or other federated sites. Look for a <em>Connect</em> or <em>Follow</em> link on their profile page. Provide your own Identity Address if requested.'] = 'In de gids vind je andere mensen in dit netwerk of op andere federatieve sites. Zoek naar het woord <em>Connect</em> of <em>Follow</em> op hun profielpagina (meestal aan de linkerkant). Vul je eigen identiteitsadres in wanneer daar om wordt gevraagd.';
$a->strings['Finding New People'] = 'Nieuwe mensen vinden';
$a->strings['On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours.'] = 'Op het zijpaneel van de Contacten pagina vind je verschillende tools om nieuwe vrienden te zoeken. We kunnen mensen op interesses matchen, mensen opzoeken op naam of hobby, en suggesties doen gebaseerd op netwerk-relaties. Op een nieuwe webstek beginnen vriendschapssuggesties meestal binnen de 24 uur beschikbaar te worden.';
$a->strings['Group Your Contacts'] = 'Groepeer je contacten';
$a->strings['Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page.'] = 'Als je een aantal vrienden gemaakt hebt kun je ze in je eigen gespreksgroepen indelen vanuit de zijbalk van je \'Contacten\' pagina, en dan kun je met elke groep apart contact houden op je Netwerk pagina. ';
$a->strings['Why Aren\'t My Posts Public?'] = 'Waarom zijn mijn berichten niet openbaar?';
$a->strings['Friendica respects your privacy. By default, your posts will only show up to people you\'ve added as friends. For more information, see the help section from the link above.'] = 'Friendica respecteert je privacy. Standaard zullen je berichten alleen zichtbaar zijn voor personen die jij als vriend hebt toegevoegd. Lees de help (zie de verwijzing hierboven) voor meer informatie.';
$a->strings['Getting Help'] = 'Hulp krijgen';

File diff suppressed because it is too large Load Diff

View File

@ -316,12 +316,6 @@ $a->strings['Public post'] = 'Wpis publiczny';
$a->strings['Message'] = 'Wiadomość';
$a->strings['Browser'] = 'Przeglądarka';
$a->strings['Open Compose page'] = 'Otwórz stronę Redagowanie';
$a->strings['Pinned item'] = 'Przypięty element';
$a->strings['View %s\'s profile @ %s'] = 'Pokaż profil %s @ %s';
$a->strings['Categories:'] = 'Kategorie:';
$a->strings['Filed under:'] = 'Umieszczono w:';
$a->strings['%s from %s'] = '%s od %s';
$a->strings['View in context'] = 'Zobacz w kontekście';
$a->strings['remove'] = 'usuń';
$a->strings['Delete Selected Items'] = 'Usuń zaznaczone elementy';
$a->strings['You had been addressed (%s).'] = 'Zostałeś zaadresowany (%s).';
@ -340,14 +334,32 @@ $a->strings['Stored because of a child post to complete this thread.'] = 'Zapisa
$a->strings['Local delivery'] = 'Dostarczone lokalnie';
$a->strings['Stored because of your activity (like, comment, star, ...)'] = 'Przechowywane z powodu Twojej aktywności (polubienie, komentarz, gwiazdka, ...)';
$a->strings['Distributed'] = 'Rozpowszechniane';
$a->strings['Pinned item'] = 'Przypięty element';
$a->strings['View %s\'s profile @ %s'] = 'Pokaż profil %s @ %s';
$a->strings['Categories:'] = 'Kategorie:';
$a->strings['Filed under:'] = 'Umieszczono w:';
$a->strings['%s from %s'] = '%s od %s';
$a->strings['View in context'] = 'Zobacz w kontekście';
$a->strings['Local Community'] = 'Lokalna społeczność';
$a->strings['Posts from local users on this server'] = 'Wpisy od lokalnych użytkowników na tym serwerze';
$a->strings['Global Community'] = 'Globalna społeczność';
$a->strings['Posts from users of the whole federated network'] = 'Wpisy od użytkowników całej sieci stowarzyszonej';
$a->strings['Latest Activity'] = 'Ostatnia Aktywność';
$a->strings['Sort by latest activity'] = 'Sortuj wg. ostatniej aktywności';
$a->strings['Latest Posts'] = 'Najnowsze wpisy';
$a->strings['Sort by post received date'] = 'Sortuj wg. daty otrzymania wpisu';
$a->strings['Latest Creation'] = 'Najnowsze utworzenia';
$a->strings['Sort by post creation date'] = 'Sortuj wg. daty utworzenia wpisu';
$a->strings['Personal'] = 'Osobiste';
$a->strings['Posts that mention or involve you'] = 'Wpisy, które wspominają lub angażują Ciebie';
$a->strings['Starred'] = 'Ulubione';
$a->strings['Favourite Posts'] = 'Ulubione wpisy';
$a->strings['General Features'] = 'Funkcje ogólne';
$a->strings['Photo Location'] = 'Lokalizacja zdjęcia';
$a->strings['Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map.'] = 'Metadane zdjęć są zwykle usuwane. Wyodrębnia to położenie (jeśli jest obecne) przed usunięciem metadanych i łączy je z mapą.';
$a->strings['Trending Tags'] = 'Popularne znaczniki';
$a->strings['Show a community page widget with a list of the most popular tags in recent public posts.'] = 'Pokaż widżet strony społeczności z listą najpopularniejszych tagów w ostatnich postach publicznych.';
$a->strings['Post Composition Features'] = 'Ustawienia funkcji postów';
$a->strings['Auto-mention Forums'] = 'Automatyczne wymienianie forów';
$a->strings['Add/remove mention when a forum page is selected/deselected in ACL window.'] = 'Dodaj/usuń wzmiankę, gdy strona forum zostanie wybrana/cofnięta w oknie ACL.';
$a->strings['Explicit Mentions'] = 'Wyraźne wzmianki';
$a->strings['Add explicit mentions to comment box for manual control over who gets mentioned in replies.'] = 'Dodaj wyraźne wzmianki do pola komentarza, aby ręcznie kontrolować, kto zostanie wymieniony w odpowiedziach.';
$a->strings['Add an abstract from ActivityPub content warnings'] = 'Dodaj streszczenie z ostrzeżeń dotyczących treści w ActivityPub';
@ -356,8 +368,6 @@ $a->strings['Post/Comment Tools'] = 'Narzędzia post/komentarz';
$a->strings['Post Categories'] = 'Kategorie wpisów';
$a->strings['Add categories to your posts'] = 'Umożliwia dodawanie kategorii do Twoich wpisów';
$a->strings['Advanced Profile Settings'] = 'Zaawansowane ustawienia profilu';
$a->strings['List Forums'] = 'Lista forów';
$a->strings['Show visitors public community forums at the Advanced Profile Page'] = 'Wyświetla publiczne fora społeczności na stronie profilu zaawansowanego';
$a->strings['Tag Cloud'] = 'Chmura znaczników';
$a->strings['Provide a personal tag cloud on your profile page'] = 'Podaj osobistą chmurę tagów na stronie profilu';
$a->strings['Display Membership Date'] = 'Wyświetl datę członkostwa';
@ -365,8 +375,6 @@ $a->strings['Display membership date in profile'] = 'Wyświetla datę członkost
$a->strings['Advanced Calendar Settings'] = 'Zaawansowane ustawienia kalendarza';
$a->strings['Allow anonymous access to your calendar'] = 'Zezwól na anonimowy dostęp do swojego kalendarza';
$a->strings['Allows anonymous visitors to consult your calendar and your public events. Contact birthday events are private to you.'] = 'Pozwala anonimowym odwiedzającym przeglądać Twój kalendarz i wydarzenia publiczne. Kontaktowe wydarzenia urodzinowe są prywatne dla Ciebie.';
$a->strings['Forums'] = 'Fora';
$a->strings['External link to forum'] = 'Zewnętrzny link do forum';
$a->strings['show less'] = 'pokaż mniej';
$a->strings['show more'] = 'pokaż więcej';
$a->strings['event'] = 'wydarzenie';
@ -387,7 +395,6 @@ $a->strings['Connect/Follow'] = 'Połącz/Obserwuj';
$a->strings['Nothing new here'] = 'Brak nowych zdarzeń';
$a->strings['Go back'] = 'Wróć';
$a->strings['Clear notifications'] = 'Wyczyść powiadomienia';
$a->strings['@name, !forum, #tags, content'] = '@imię, !forum, #znaczniki, treść';
$a->strings['Logout'] = 'Wyloguj';
$a->strings['End this session'] = 'Zakończ sesję';
$a->strings['Login'] = 'Zaloguj się';
@ -483,7 +490,6 @@ $a->strings['Random Profile'] = 'Domyślny profil';
$a->strings['Invite Friends'] = 'Zaproś znajomych';
$a->strings['Global Directory'] = 'Katalog globalny';
$a->strings['Local Directory'] = 'Katalog lokalny';
$a->strings['Groups'] = 'Grupy';
$a->strings['Everyone'] = 'Wszyscy';
$a->strings['Relationships'] = 'Relacje';
$a->strings['All Contacts'] = 'Wszystkie kontakty';
@ -644,6 +650,8 @@ $a->strings['Sep'] = 'Wrz';
$a->strings['Oct'] = 'Paź';
$a->strings['Nov'] = 'Lis';
$a->strings['Dec'] = 'Gru';
$a->strings['The logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'Plik dziennika „%s” nie nadaje się do użytku. Brak możliwości logowania (błąd: \'%s\')';
$a->strings['The debug logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'Plik dziennika debugowania „%s” nie nadaje się do użytku. Brak możliwości logowania (błąd: \'%s\')';
$a->strings['Friendica can\'t display this page at the moment, please contact the administrator.'] = 'Friendica nie może obecnie wyświetlić tej strony, skontaktuj się z administratorem.';
$a->strings['template engine cannot be registered without a name.'] = 'silnik szablonów nie może być zarejestrowany bez nazwy.';
$a->strings['template engine is not registered!'] = 'silnik szablonów nie jest zarejestrowany!';
@ -688,9 +696,11 @@ $a->strings['Unauthorized'] = 'Nieautoryzowane';
$a->strings['Token is not authorized with a valid user or is missing a required scope'] = 'Token nie jest autoryzowany z prawidłowym użytkownikiem lub nie ma wymaganego zakresu';
$a->strings['Internal Server Error'] = 'Wewnętrzny błąd serwera';
$a->strings['Legacy module file not found: %s'] = 'Nie znaleziono pliku modułu: %s';
$a->strings['Everybody'] = 'Wszyscy';
$a->strings['edit'] = 'edytuj';
$a->strings['add'] = 'dodaj';
$a->strings['Approve'] = 'Zatwierdź';
$a->strings['Organisation'] = 'Organizacja';
$a->strings['Forum'] = 'Forum';
$a->strings['Disallowed profile URL.'] = 'Nie dozwolony adres URL profilu.';
$a->strings['Blocked domain'] = 'Zablokowana domena';
$a->strings['Connect URL missing.'] = 'Brak adresu URL połączenia.';
@ -726,16 +736,6 @@ $a->strings['Show map'] = 'Pokaż mapę';
$a->strings['Hide map'] = 'Ukryj mapę';
$a->strings['%s\'s birthday'] = 'Urodziny %s';
$a->strings['Happy Birthday %s'] = 'Wszystkiego najlepszego %s';
$a->strings['A deleted group with this name was revived. Existing item permissions <strong>may</strong> apply to this group and any future members. If this is not what you intended, please create another group with a different name.'] = 'Skasowana grupa o tej nazwie została przywrócona. Istniejące uprawnienia do pozycji <strong>mogą</strong> dotyczyć tej grupy i wszystkich przyszłych członków. Jeśli nie jest to zamierzone, utwórz inną grupę o innej nazwie.';
$a->strings['Default privacy group for new contacts'] = 'Domyślne ustawienia prywatności dla nowych kontaktów';
$a->strings['Everybody'] = 'Wszyscy';
$a->strings['edit'] = 'edytuj';
$a->strings['add'] = 'dodaj';
$a->strings['Edit group'] = 'Edytuj grupy';
$a->strings['Contacts not in any group'] = 'Kontakt nie jest w żadnej grupie';
$a->strings['Create a new group'] = 'Stwórz nową grupę';
$a->strings['Group Name: '] = 'Nazwa grupy: ';
$a->strings['Edit groups'] = 'Edytuj grupy';
$a->strings['Detected languages in this post:\n%s'] = 'Wykryte języki w tym wpisie:\n%s';
$a->strings['activity'] = 'aktywność';
$a->strings['comment'] = 'komentarz';
@ -819,7 +819,6 @@ $a->strings['An error occurred during registration. Please try again.'] = 'Wyst
$a->strings['An error occurred creating your default profile. Please try again.'] = 'Wystąpił błąd podczas tworzenia profilu. Spróbuj ponownie.';
$a->strings['An error occurred creating your self contact. Please try again.'] = 'Wystąpił błąd podczas tworzenia własnego kontaktu. Proszę spróbuj ponownie.';
$a->strings['Friends'] = 'Przyjaciele';
$a->strings['An error occurred creating your default contact group. Please try again.'] = 'Wystąpił błąd podczas tworzenia domyślnej grupy kontaktów. Proszę spróbuj ponownie.';
$a->strings['Profile Photos'] = 'Zdjęcie profilowe';
$a->strings['
Dear %1$s,
@ -1016,7 +1015,6 @@ $a->strings['Enabling this may violate privacy laws like the GDPR'] = 'Włączen
$a->strings['Global directory URL'] = 'Globalny adres URL katalogu';
$a->strings['URL to the global directory. If this is not set, the global directory is completely unavailable to the application.'] = 'Adres URL do katalogu globalnego. Jeśli nie zostanie to ustawione, katalog globalny jest całkowicie niedostępny dla aplikacji.';
$a->strings['Private posts by default for new users'] = 'Prywatne posty domyślnie dla nowych użytkowników';
$a->strings['Set default post permissions for all new members to the default privacy group rather than public.'] = 'Ustaw domyślne uprawnienia do publikowania dla wszystkich nowych członków na domyślną grupę prywatności, a nie publiczną.';
$a->strings['Don\'t include post content in email notifications'] = 'Nie wklejaj zawartości postu do powiadomienia o poczcie';
$a->strings['Don\'t include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure.'] = 'W celu ochrony prywatności, nie włączaj zawartości postu/komentarza/wiadomości prywatnej/etc. do powiadomień w wiadomościach mailowych wysyłanych z tej strony.';
$a->strings['Disallow public access to addons listed in the apps menu.'] = 'Nie zezwalaj na publiczny dostęp do dodatkowych wtyczek wyszczególnionych w menu aplikacji.';
@ -1099,8 +1097,6 @@ $a->strings['Temp path'] = 'Ścieżka do temp';
$a->strings['If you have a restricted system where the webserver can\'t access the system temp path, enter another path here.'] = 'Jeśli masz zastrzeżony system, w którym serwer internetowy nie może uzyskać dostępu do ścieżki temp systemu, wprowadź tutaj inną ścieżkę.';
$a->strings['Only search in tags'] = 'Szukaj tylko w znacznikach';
$a->strings['On large systems the text search can slow down the system extremely.'] = 'W dużych systemach wyszukiwanie tekstu może wyjątkowo spowolnić system.';
$a->strings['Generate counts per contact group when calculating network count'] = 'Generuj liczniki na grupę kontaktów podczas obliczania liczby sieci';
$a->strings['On systems with users that heavily use contact groups the query can be very expensive.'] = 'W systemach, w których użytkownicy intensywnie korzystają z grup kontaktów, zapytanie może być bardzo kosztowne.';
$a->strings['Maximum number of parallel workers'] = 'Maksymalna liczba równoległych workerów';
$a->strings['On shared hosters set this to %d. On larger systems, values of %d are great. Default value is %d.'] = 'Na udostępnionych usługach hostingowych ustaw tę opcję %d. W większych systemach wartości %dsą świetne . Wartość domyślna to %d.';
$a->strings['Enable fastlane'] = 'Włącz Fastlane';
@ -1142,8 +1138,6 @@ $a->strings['The last worker execution was on %s UTC. This is older than one hou
$a->strings['Friendica\'s configuration now is stored in config/local.config.php, please copy config/local-sample.config.php and move your config from <code>.htconfig.php</code>. See <a href="%s">the Config help page</a> for help with the transition.'] = 'Konfiguracja Friendiki jest teraz przechowywana w config/local.config.php, skopiuj config/local-sample.config.php i przenieś swoją konfigurację z <code>.htconfig.php</code>. Zobacz <a href="%s">stronę pomocy Config</a>, aby uzyskać pomoc dotyczącą przejścia.';
$a->strings['Friendica\'s configuration now is stored in config/local.config.php, please copy config/local-sample.config.php and move your config from <code>config/local.ini.php</code>. See <a href="%s">the Config help page</a> for help with the transition.'] = 'Konfiguracja Friendiki jest teraz przechowywana w config/local.config.php, skopiuj config/local-sample.config.php i przenieś konfigurację z <code>config/local.ini.php</code>. Zobacz <a href="%s">stronę pomocy Config</a>, aby uzyskać pomoc dotyczącą przejścia.';
$a->strings['<a href="%s">%s</a> is not reachable on your system. This is a severe configuration issue that prevents server to server communication. See <a href="%s">the installation page</a> for help.'] = '<a href="%s">%s</a> nie jest osiągalny w twoim systemie. Jest to poważny problem z konfiguracją, który uniemożliwia komunikację między serwerami. Zobacz pomoc na <a href="%s">stronie instalacji</a>.';
$a->strings['The logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'Plik dziennika „%s” nie nadaje się do użytku. Brak możliwości logowania (błąd: \'%s\')';
$a->strings['The debug logfile \'%s\' is not usable. No logging possible (error: \'%s\')'] = 'Plik dziennika debugowania „%s” nie nadaje się do użytku. Brak możliwości logowania (błąd: \'%s\')';
$a->strings['Friendica\'s system.basepath was updated from \'%s\' to \'%s\'. Please remove the system.basepath from your db to avoid differences.'] = 'System.basepath Friendiki został zaktualizowany z \'%s\' do \'%s\'. Usuń system.basepath z bazy danych, aby uniknąć różnic.';
$a->strings['Friendica\'s current system.basepath \'%s\' is wrong and the config file \'%s\' isn\'t used.'] = 'Obecny system.basepath Friendiki \'%s\' jest nieprawidłowy i plik konfiguracyjny \'%s\' nie jest używany.';
$a->strings['Friendica\'s current system.basepath \'%s\' is not equal to the config file \'%s\'. Please fix your configuration.'] = 'Obecny system.basepath Friendiki \'%s\' nie jest równy plikowi konfiguracyjnemu \'%s\'. Napraw konfigurację.';
@ -1225,7 +1219,6 @@ $a->strings['Scheduled Posts'] = 'Zaplanowane wpisy';
$a->strings['Posts that are scheduled for publishing'] = 'Wpisy zaplanowane do publikacji';
$a->strings['Tips for New Members'] = 'Wskazówki dla nowych użytkowników';
$a->strings['People Search - %s'] = 'Szukaj osób - %s';
$a->strings['Forum Search - %s'] = 'Przeszukiwanie forum - %s';
$a->strings['No matches'] = 'Brak wyników';
$a->strings['Account'] = 'Konto';
$a->strings['Two-factor authentication'] = 'Uwierzytelnianie dwuskładnikowe';
@ -1256,6 +1249,13 @@ $a->strings['Events'] = 'Wydarzenia';
$a->strings['View'] = 'Widok';
$a->strings['Create New Event'] = 'Stwórz nowe wydarzenie';
$a->strings['list'] = 'lista';
$a->strings['Contact not found.'] = 'Nie znaleziono kontaktu.';
$a->strings['Invalid contact.'] = 'Nieprawidłowy kontakt.';
$a->strings['Contact is deleted.'] = 'Kontakt został usunięty.';
$a->strings['Bad request.'] = 'Błędne żądanie.';
$a->strings['Filter'] = 'Filtr';
$a->strings['Members'] = 'Członkowie';
$a->strings['Click on a contact to add or remove.'] = 'Kliknij na kontakt w celu dodania lub usunięcia.';
$a->strings['%d contact edited.'] = [
0 => 'Zedytowano %d kontakt.',
1 => 'Zedytowano %d kontakty.',
@ -1273,7 +1273,6 @@ $a->strings['Archived'] = 'Zarchiwizowane';
$a->strings['Only show archived contacts'] = 'Pokaż tylko zarchiwizowane kontakty';
$a->strings['Hidden'] = 'Ukryte';
$a->strings['Only show hidden contacts'] = 'Pokaż tylko ukryte kontakty';
$a->strings['Organize your contact groups'] = 'Uporządkuj swoje grupy kontaktów';
$a->strings['Search your contacts'] = 'Wyszukaj w kontaktach';
$a->strings['Results for: %s'] = 'Wyniki dla: %s';
$a->strings['Update'] = 'Zaktualizuj';
@ -1291,7 +1290,6 @@ $a->strings['you are a fan of'] = 'jesteś fanem';
$a->strings['Pending outgoing contact request'] = 'Oczekujące żądanie kontaktu wychodzącego';
$a->strings['Pending incoming contact request'] = 'Oczekujące żądanie kontaktu przychodzącego';
$a->strings['Visit %s\'s profile [%s]'] = 'Obejrzyj %s\'s profil [%s]';
$a->strings['Contact not found.'] = 'Nie znaleziono kontaktu.';
$a->strings['Contact update failed.'] = 'Nie udało się zaktualizować kontaktu.';
$a->strings['Return to contact editor'] = 'Wróć do edytora kontaktów';
$a->strings['Name'] = 'Nazwa';
@ -1299,7 +1297,6 @@ $a->strings['Account Nickname'] = 'Nazwa konta';
$a->strings['Account URL'] = 'Adres URL konta';
$a->strings['Poll/Feed URL'] = 'Adres Ankiety/RSS';
$a->strings['New photo from this URL'] = 'Nowe zdjęcie z tego adresu URL';
$a->strings['Invalid contact.'] = 'Nieprawidłowy kontakt.';
$a->strings['No known contacts.'] = 'Brak znanych kontaktów.';
$a->strings['No common contacts.'] = 'Brak wspólnych kontaktów.';
$a->strings['Follower (%s)'] = [
@ -1405,7 +1402,6 @@ $a->strings['Revoke Follow'] = 'Anuluj obserwowanie';
$a->strings['Revoke the follow from this contact'] = 'Anuluj obserwację przez ten kontakt';
$a->strings['Bad Request.'] = 'Błędne zapytanie.';
$a->strings['Unknown contact.'] = 'Nieznany kontakt.';
$a->strings['Contact is deleted.'] = 'Kontakt został usunięty.';
$a->strings['Contact is being deleted.'] = 'Kontakt jest usuwany.';
$a->strings['Follow was successfully revoked.'] = 'Obserwacja została pomyślnie anulowana.';
$a->strings['Do you really want to revoke this contact\'s follow? This cannot be undone and they will have to manually follow you back again.'] = 'Czy na pewno chcesz cofnąć obserwowanie przez ten kontakt? Nie można tego cofnąć i przy chęci przywrócenia obserwacji będzie trzeba zrobić to ponownie ręcznie.';
@ -1416,29 +1412,13 @@ $a->strings['Unfollowing is currently not supported by your network.'] = 'Brak o
$a->strings['Disconnect/Unfollow'] = 'Rozłącz/Nie obserwuj';
$a->strings['Contact was successfully unfollowed'] = 'Kontakt pomyślnie przestał być obserwowany';
$a->strings['Unable to unfollow this contact, please contact your administrator'] = 'Nie można przestać obserwować tego kontaktu, skontaktuj się z administratorem';
$a->strings['No results.'] = 'Brak wyników.';
$a->strings['This community stream shows all public posts received by this node. They may not reflect the opinions of this nodes users.'] = 'Ten strumień społeczności pokazuje wszystkie publiczne posty otrzymane przez ten węzeł. Mogą nie odzwierciedlać opinii użytkowników tego węzła.';
$a->strings['Local Community'] = 'Lokalna społeczność';
$a->strings['Posts from local users on this server'] = 'Wpisy od lokalnych użytkowników na tym serwerze';
$a->strings['Global Community'] = 'Globalna społeczność';
$a->strings['Posts from users of the whole federated network'] = 'Wpisy od użytkowników całej sieci stowarzyszonej';
$a->strings['Community option not available.'] = 'Opcja wspólnotowa jest niedostępna.';
$a->strings['Not available.'] = 'Niedostępne.';
$a->strings['Own Contacts'] = 'Własne kontakty';
$a->strings['Include'] = 'Zawiera';
$a->strings['Hide'] = 'Ukryj';
$a->strings['No results.'] = 'Brak wyników.';
$a->strings['Community option not available.'] = 'Opcja wspólnotowa jest niedostępna.';
$a->strings['Not available.'] = 'Niedostępne.';
$a->strings['No such group'] = 'Nie ma takiej grupy';
$a->strings['Group: %s'] = 'Grupa: %s';
$a->strings['Latest Activity'] = 'Ostatnia Aktywność';
$a->strings['Sort by latest activity'] = 'Sortuj wg. ostatniej aktywności';
$a->strings['Latest Posts'] = 'Najnowsze wpisy';
$a->strings['Sort by post received date'] = 'Sortuj wg. daty otrzymania wpisu';
$a->strings['Latest Creation'] = 'Najnowsze utworzenia';
$a->strings['Sort by post creation date'] = 'Sortuj wg. daty utworzenia wpisu';
$a->strings['Personal'] = 'Osobiste';
$a->strings['Posts that mention or involve you'] = 'Wpisy, które wspominają lub angażują Ciebie';
$a->strings['Starred'] = 'Ulubione';
$a->strings['Favourite Posts'] = 'Ulubione wpisy';
$a->strings['Credits'] = 'Zaufany';
$a->strings['Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!'] = 'Friendica to projekt społecznościowy, który nie byłby możliwy bez pomocy wielu osób. Oto lista osób, które przyczyniły się do tworzenia kodu lub tłumaczenia Friendica. Dziękuję wam wszystkim!';
$a->strings['Formatted'] = 'Sformatowany';
@ -1527,26 +1507,6 @@ $a->strings['Please visit <a href="https://friendi.ca">Friendi.ca</a> to learn m
$a->strings['Bug reports and issues: please visit'] = 'Raporty o błędach i problemy: odwiedź stronę';
$a->strings['the bugtracker at github'] = 'śledzenie błędów na github';
$a->strings['Suggestions, praise, etc. - please email "info" at "friendi - dot - ca'] = 'Propozycje, pochwały itd. napisz e-mail do „info” małpa „friendi” - kropka - „ca”';
$a->strings['Could not create group.'] = 'Nie można utworzyć grupy.';
$a->strings['Group not found.'] = 'Nie znaleziono grupy.';
$a->strings['Group name was not changed.'] = 'Nazwa grupy nie została zmieniona.';
$a->strings['Unknown group.'] = 'Nieznana grupa.';
$a->strings['Unable to add the contact to the group.'] = 'Nie można dodać kontaktu do grupy.';
$a->strings['Contact successfully added to group.'] = 'Kontakt został pomyślnie dodany do grupy.';
$a->strings['Unable to remove the contact from the group.'] = 'Nie można usunąć kontaktu z grupy.';
$a->strings['Contact successfully removed from group.'] = 'Kontakt został pomyślnie usunięty z grupy.';
$a->strings['Bad request.'] = 'Błędne żądanie.';
$a->strings['Save Group'] = 'Zapisz grupę';
$a->strings['Filter'] = 'Filtr';
$a->strings['Create a group of contacts/friends.'] = 'Stwórz grupę znajomych.';
$a->strings['Unable to remove group.'] = 'Nie można usunąć grupy.';
$a->strings['Delete Group'] = 'Usuń grupę';
$a->strings['Edit Group Name'] = 'Edytuj nazwę grupy';
$a->strings['Members'] = 'Członkowie';
$a->strings['Group is empty'] = 'Grupa jest pusta';
$a->strings['Remove contact from group'] = 'Usuń kontakt z grupy';
$a->strings['Click on a contact to add or remove.'] = 'Kliknij na kontakt w celu dodania lub usunięcia.';
$a->strings['Add contact to group'] = 'Dodaj kontakt do grupy';
$a->strings['No profile'] = 'Brak profilu';
$a->strings['Method Not Allowed.'] = 'Metoda nie akceptowana.';
$a->strings['Help:'] = 'Pomoc:';
@ -1613,7 +1573,6 @@ $a->strings['Visibility'] = 'Widoczność';
$a->strings['Clear the location'] = 'Wyczyść lokalizację';
$a->strings['Location services are unavailable on your device'] = 'Usługi lokalizacyjne są niedostępne na twoim urządzeniu';
$a->strings['Location services are disabled. Please check the website\'s permissions on your device'] = 'Usługi lokalizacyjne są wyłączone. Sprawdź uprawnienia strony internetowej na swoim urządzeniu';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'Żądany element nie istnieje lub został usunięty.';
$a->strings['The feed for this item is unavailable.'] = 'Kanał dla tego elementu jest niedostępny.';
$a->strings['Unable to follow this item.'] = 'Nie można obserwować tego elementu.';
$a->strings['System down for maintenance'] = 'System wyłączony w celu konserwacji';
@ -1636,13 +1595,10 @@ $a->strings['Deleted'] = 'Usunięte';
$a->strings['List of pending user deletions'] = 'Lista oczekujących na usunięcie użytkowników';
$a->strings['Normal Account Page'] = 'Normalna strona konta';
$a->strings['Soapbox Page'] = 'Strona Soapbox';
$a->strings['Public Forum'] = 'Forum publiczne';
$a->strings['Automatic Friend Page'] = 'Automatyczna strona znajomego';
$a->strings['Private Forum'] = 'Prywatne forum';
$a->strings['Personal Page'] = 'Strona osobista';
$a->strings['Organisation Page'] = 'Strona Organizacji';
$a->strings['News Page'] = 'Strona Wiadomości';
$a->strings['Community Forum'] = 'Forum społecznościowe';
$a->strings['Relay'] = 'Przekaźnik';
$a->strings['You can\'t block a local contact, please block the user instead'] = 'Nie możesz zablokować lokalnego kontaktu, zamiast tego zablokuj użytkownika';
$a->strings['%s contact unblocked'] = [
@ -1742,10 +1698,8 @@ $a->strings['Item not found'] = 'Nie znaleziono elementu';
$a->strings['Item Guid'] = 'Element Guid';
$a->strings['Normal Account'] = 'Konto normalne';
$a->strings['Automatic Follower Account'] = 'Automatyczne konto obserwatora';
$a->strings['Public Forum Account'] = 'Publiczne konto na forum';
$a->strings['Automatic Friend Account'] = 'Automatyczny przyjaciel konta';
$a->strings['Blog Account'] = 'Konto bloga';
$a->strings['Private Forum Account'] = 'Prywatne konto na forum';
$a->strings['Registered users'] = 'Zarejestrowani użytkownicy';
$a->strings['Pending registrations'] = 'Oczekujące rejestracje';
$a->strings['%s user blocked'] = [
@ -1900,7 +1854,6 @@ $a->strings['%d year old'] = [
3 => '%d lat',
];
$a->strings['Description:'] = 'Opis:';
$a->strings['Forums:'] = 'Fora:';
$a->strings['View profile as:'] = 'Wyświetl profil jako:';
$a->strings['View as'] = 'Zobacz jako';
$a->strings['Profile unavailable.'] = 'Profil niedostępny.';
@ -2017,7 +1970,6 @@ $a->strings['Importing Contacts done'] = 'Importowanie kontaktów zakończone';
$a->strings['Relocate message has been send to your contacts'] = 'Przeniesienie wiadomości zostało wysłane do Twoich kontaktów';
$a->strings['Unable to find your profile. Please contact your admin.'] = 'Nie można znaleźć Twojego profilu. Skontaktuj się z administratorem.';
$a->strings['Personal Page Subtypes'] = 'Podtypy osobistych stron';
$a->strings['Community Forum Subtypes'] = 'Podtypy społeczności forum';
$a->strings['Account for a personal profile.'] = 'Konto dla profilu osobistego.';
$a->strings['Account for an organisation that automatically approves contact requests as "Followers".'] = 'Konto dla organizacji, która automatycznie zatwierdza prośby o kontakt jako "Obserwatorzy".';
$a->strings['Account for a news reflector that automatically approves contact requests as "Followers".'] = 'Konto dla reflektora wiadomości, który automatycznie zatwierdza prośby o kontakt jako "Obserwatorzy".';
@ -2026,7 +1978,6 @@ $a->strings['Account for a regular personal profile that requires manual approva
$a->strings['Account for a public profile that automatically approves contact requests as "Followers".'] = 'Konto dla profilu publicznego, który automatycznie zatwierdza prośby o kontakt jako "Obserwatorzy".';
$a->strings['Automatically approves all contact requests.'] = 'Automatycznie zatwierdza wszystkie prośby o kontakt.';
$a->strings['Account for a popular profile that automatically approves contact requests as "Friends".'] = 'Konto popularnego profilu, które automatycznie zatwierdza prośby o kontakt jako "Przyjaciele".';
$a->strings['Private Forum [Experimental]'] = 'Prywatne Forum [Eksperymentalne]';
$a->strings['Requires manual approval of contact requests.'] = 'Wymaga ręcznego zatwierdzania żądań kontaktów.';
$a->strings['OpenID:'] = 'OpenID:';
$a->strings['(Optional) Allow this OpenID to login to this account.'] = '(Opcjonalnie) Pozwól zalogować się na to konto przy pomocy OpenID.';
@ -2041,6 +1992,7 @@ $a->strings['Password:'] = 'Hasło:';
$a->strings['Your current password to confirm the changes of the email address'] = 'Twoje obecne hasło, aby potwierdzić zmiany adresu e-mail';
$a->strings['Delete OpenID URL'] = 'Usuń adres URL OpenID';
$a->strings['Basic Settings'] = 'Ustawienia podstawowe';
$a->strings['Display name:'] = 'Nazwa wyświetlana:';
$a->strings['Email Address:'] = 'Adres email:';
$a->strings['Your Timezone:'] = 'Twoja strefa czasowa:';
$a->strings['Your Language:'] = 'Twój język:';
@ -2195,7 +2147,6 @@ $a->strings['Beginning of week:'] = 'Początek tygodnia:';
$a->strings['Additional Features'] = 'Dodatkowe funkcje';
$a->strings['Connected Apps'] = 'Powiązane aplikacje';
$a->strings['Remove authorization'] = 'Odwołaj upoważnienie';
$a->strings['Profile Name is required.'] = 'Nazwa profilu jest wymagana.';
$a->strings['Profile couldn\'t be updated.'] = 'Profil nie mógł zostać zaktualizowany.';
$a->strings['Label:'] = 'Etykieta:';
$a->strings['Value:'] = 'Wartość:';
@ -2210,7 +2161,6 @@ $a->strings['Location'] = 'Lokalizacja';
$a->strings['Miscellaneous'] = 'Różne';
$a->strings['Custom Profile Fields'] = 'Niestandardowe pola profilu';
$a->strings['Upload Profile Photo'] = 'Wyślij zdjęcie profilowe';
$a->strings['Display name:'] = 'Nazwa wyświetlana:';
$a->strings['Street Address:'] = 'Ulica:';
$a->strings['Locality/City:'] = 'Miasto:';
$a->strings['Region/State:'] = 'Województwo/Stan:';
@ -2225,15 +2175,6 @@ $a->strings['Public Keywords:'] = 'Publiczne słowa kluczowe:';
$a->strings['(Used for suggesting potential friends, can be seen by others)'] = '(Używany do sugerowania potencjalnych znajomych, jest widoczny dla innych)';
$a->strings['Private Keywords:'] = 'Prywatne słowa kluczowe:';
$a->strings['(Used for searching profiles, never shown to others)'] = '(Używany do wyszukiwania profili, niepokazywany innym)';
$a->strings['<p>Custom fields appear on <a href="%s">your profile page</a>.</p>
<p>You can use BBCodes in the field values.</p>
<p>Reorder by dragging the field title.</p>
<p>Empty the label field to remove a custom field.</p>
<p>Non-public fields can only be seen by the selected Friendica contacts or the Friendica contacts in the selected groups.</p>'] = '<p>Pola niestandardowe pojawiają się na <a href="%s">stronie Twojego profilu</a>.</p>
<p>Możesz użyć BBCodes w wartościach pól.</p>
<p>Zmieniaj kolejność, przeciągając tytuł pola.</p>
<p>Opróżnij pole etykiety, aby usunąć pole niestandardowe.</p>
<p>Pola niepubliczne mogą być widoczne tylko dla wybranych kontaktów Friendica lub kontaktów Friendica w wybranych grupach.</p>';
$a->strings['Image size reduction [%s] failed.'] = 'Redukcja rozmiaru obrazka [%s] nie powiodła się.';
$a->strings['Shift-reload the page or clear browser cache if the new photo does not display immediately.'] = 'Ponownie załaduj stronę lub wyczyść pamięć podręczną przeglądarki, jeśli nowe zdjęcie nie pojawi się natychmiast.';
$a->strings['Unable to process image'] = 'Nie udało się przetworzyć obrazu';
@ -2356,6 +2297,7 @@ $a->strings['Exception thrown in %s:%d'] = 'Zgłoszono wyjątek %s:%d';
$a->strings['At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node\'s user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication.'] = 'W momencie rejestracji oraz w celu zapewnienia komunikacji między kontem użytkownika, a jego kontaktami, użytkownik musi podać nazwę wyświetlaną (pseudonim), nazwę użytkownika (przydomek) i działający adres e-mail. Nazwy będą dostępne na stronie profilu konta dla każdego odwiedzającego stronę, nawet jeśli inne szczegóły profilu nie zostaną wyświetlone. Adres e-mail będzie używany tylko do wysyłania powiadomień użytkownika o interakcjach, ale nie będzie wyświetlany w widoczny sposób. Lista kont w katalogu użytkownika węzła lub globalnym katalogu użytkownika jest opcjonalna i może być kontrolowana w ustawieniach użytkownika, nie jest konieczna do komunikacji.';
$a->strings['This data is required for communication and is passed on to the nodes of the communication partners and is stored there. Users can enter additional private data that may be transmitted to the communication partners accounts.'] = 'Te dane są wymagane do komunikacji i są przekazywane do węzłów partnerów komunikacyjnych i są tam przechowywane. Użytkownicy mogą wprowadzać dodatkowe prywatne dane, które mogą być przesyłane na konta partnerów komunikacyjnych.';
$a->strings['Privacy Statement'] = 'Oświadczenie o prywatności';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'Żądany element nie istnieje lub został usunięty.';
$a->strings['User imports on closed servers can only be done by an administrator.'] = 'Import użytkowników na zamkniętych serwerach może być wykonywany tylko przez administratora.';
$a->strings['Move account'] = 'Przenieś konto';
$a->strings['You can import an account from another Friendica server.'] = 'Możesz zaimportować konto z innego serwera Friendica.';
@ -2398,8 +2340,6 @@ $a->strings['Go to Your Site\'s Directory'] = 'Idż do twojej strony';
$a->strings['The Directory page lets you find other people in this network or other federated sites. Look for a <em>Connect</em> or <em>Follow</em> link on their profile page. Provide your own Identity Address if requested.'] = 'Strona Katalog umożliwia znalezienie innych osób w tej sieci lub innych witrynach stowarzyszonych. Poszukaj łącza <em>Połącz</em> lub <em>Śledź</em> na stronie profilu. Jeśli chcesz, podaj swój własny adres tożsamości.';
$a->strings['Finding New People'] = 'Znajdowanie nowych osób';
$a->strings['On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours.'] = 'Na bocznym panelu strony Kontaktów znajduje się kilka narzędzi do znajdowania nowych przyjaciół. Możemy dopasować osoby według zainteresowań, wyszukiwać osoby według nazwisk i zainteresowań oraz dostarczać sugestie oparte na relacjach sieciowych. Na zupełnie nowej stronie sugestie znajomych zwykle zaczynają być wypełniane w ciągu 24 godzin';
$a->strings['Group Your Contacts'] = 'Grupy kontaktów';
$a->strings['Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page.'] = 'Gdy zaprzyjaźnisz się z przyjaciółmi, uporządkuj je w prywatne grupy konwersacji na pasku bocznym na stronie Kontakty, a następnie możesz wchodzić w interakcje z każdą grupą prywatnie na stronie Sieć.';
$a->strings['Why Aren\'t My Posts Public?'] = 'Dlaczego moje wpisy nie są publiczne?';
$a->strings['Friendica respects your privacy. By default, your posts will only show up to people you\'ve added as friends. For more information, see the help section from the link above.'] = 'Friendica szanuje Twoją prywatność. Domyślnie Twoje wpisy będą wyświetlane tylko osobom, które dodałeś jako znajomi. Aby uzyskać więcej informacji, zobacz sekcję pomocy na powyższym łączu.';
$a->strings['Getting Help'] = 'Otrzymaj pomoc';
@ -2634,7 +2574,6 @@ $a->strings['Center'] = 'Do środka';
$a->strings['Color scheme'] = 'Schemat kolorów';
$a->strings['Posts font size'] = 'Rozmiar czcionki wpisów';
$a->strings['Textareas font size'] = 'Rozmiar czcionki obszarów tekstowych';
$a->strings['Comma separated list of helper forums'] = 'Lista oddzielonych przecinkami forów pomocniczych';
$a->strings['don\'t show'] = 'nie pokazuj';
$a->strings['show'] = 'pokazuj';
$a->strings['Set style'] = 'Ustaw styl';

File diff suppressed because it is too large Load Diff

View File

@ -200,6 +200,26 @@ $a->strings['Apologies but the website is unavailable at the moment.'] = 'При
$a->strings['Delete this item?'] = 'Удалить этот элемент?';
$a->strings['Block this author? They won\'t be able to follow you nor see your public posts, and you won\'t be able to see their posts and their notifications.'] = 'Заблокировать этого автора? Они не смогут подписаться на вас или видеть ваши записи, вы не будете видеть их записи и получать от них уведомления.';
$a->strings['Ignore this author? You won\'t be able to see their posts and their notifications.'] = 'Игнорировать этого автора? Вы не увидите их записи и уведомления.';
$a->strings['Collapse this author\'s posts?'] = 'Сворачивать записи этого автора?';
$a->strings['Ignore this author\'s server?'] = 'Игнорировать сервер этого автора?';
$a->strings['You won\'t see any content from this server including reshares in your Network page, the community pages and individual conversations.'] = 'Вы не будете видеть любые записи с этого сервера, включая репосты, в вашей ленте, в сообществах и в комментариях.';
$a->strings['Like not successful'] = 'Ошибка отправки "мне нравится"';
$a->strings['Dislike not successful'] = 'Ошибка оправки "мне не нравится"';
$a->strings['Sharing not successful'] = 'Ошибка при попытке поделиться';
$a->strings['Attendance unsuccessful'] = 'Ошибка обновления календаря';
$a->strings['Backend error'] = 'Ошибка бэкенда';
$a->strings['Network error'] = 'Ошибка сети';
$a->strings['Drop files here to upload'] = 'Перетащите сюда файлы для загрузки';
$a->strings['Your browser does not support drag and drop file uploads.'] = 'Ваш браузер не поддерживает перетаскивание файлов для загрузки';
$a->strings['Please use the fallback form below to upload your files like in the olden days.'] = 'Пожалуйста, используйте форму ниже для загрузки файлов';
$a->strings['File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.'] = 'Файл слишком большой ({{filesize}}MiB). Ограничение: {{maxFilesize}}MiB.';
$a->strings['You can\'t upload files of this type.'] = 'Нельзя загрузить этот тип файла.';
$a->strings['Server responded with {{statusCode}} code.'] = 'Сервер ответил с кодом {{statusCode}}.';
$a->strings['Cancel upload'] = 'Отменить загрузку';
$a->strings['Upload canceled.'] = 'Загрузка отменена';
$a->strings['Are you sure you want to cancel this upload?'] = 'Вы уверены, что хотите отменить загрузку?';
$a->strings['Remove file'] = 'Убрать файл';
$a->strings['You can\'t upload any more files.'] = 'Вы не можете загрузить больше файлов.';
$a->strings['toggle mobile'] = 'мобильная версия';
$a->strings['Method not allowed for this module. Allowed method(s): %s'] = 'Метод не разрешён для этого модуля. Разрешенный метод(ы): %s';
$a->strings['Page not found.'] = 'Страница не найдена.';
@ -217,6 +237,9 @@ $a->strings['Could not find any unarchived contact entry for this URL (%s)'] = '
$a->strings['The contact entries have been archived'] = 'Записи этого контакта были архивированы.';
$a->strings['Could not find any contact entry for this URL (%s)'] = 'Не удалось найти контактных данных по этой ссылке (%s)';
$a->strings['The contact has been blocked from the node'] = 'Контакт был заблокирован на узле.';
$a->strings['%d %s, %d duplicates.'] = '%d %s, %d дубликаты.';
$a->strings['uri-id is empty for contact %s.'] = 'uri-id пустой для контакта %s.';
$a->strings['No valid first contact found for uri-id %d.'] = 'Не найден первый контакт для uri-id %d.';
$a->strings['The avatar cache needs to be enabled to use this command.'] = 'Кэширование аватаров должно быть включено для использования этой команды.';
$a->strings['no resource in photo %s'] = 'нет ресурса для фото %s';
$a->strings['no photo with id %s'] = 'нет фото с id %s';
@ -268,9 +291,83 @@ $a->strings['Diaspora Connector'] = 'Diaspora Connector';
$a->strings['GNU Social Connector'] = 'GNU Social Connector';
$a->strings['ActivityPub'] = 'ActivityPub';
$a->strings['pnut'] = 'pnut';
$a->strings['Tumblr'] = 'Tumblr';
$a->strings['Bluesky'] = 'Bluesky';
$a->strings['%s (via %s)'] = '%s (через %s)';
$a->strings['and'] = 'и';
$a->strings['and %d other people'] = 'и еще %d человек';
$a->strings['%2$s likes this.'] = [
0 => '%2$s нравится это.',
1 => '%2$s нравится это.',
2 => '%2$s нравится это.',
3 => '%2$s нравится это.',
];
$a->strings['%2$s doesn\'t like this.'] = [
0 => '%2$s не нравится это.',
1 => '%2$s не нравится это.',
2 => '%2$s не нравится это.',
3 => '%2$s не нравится это.',
];
$a->strings['%2$s attends.'] = [
0 => '%2$s посетит.',
1 => '%2$s посетят.',
2 => '%2$s посетят.',
3 => '%2$s посетят.',
];
$a->strings['%2$s doesn\'t attend.'] = [
0 => '%2$s не посетит.',
1 => '%2$s не посетят.',
2 => '%2$s не посетят.',
3 => '%2$s не посетят.',
];
$a->strings['%2$s attends maybe.'] = [
0 => '%2$s может посетить.',
1 => '%2$s могут посетить.',
2 => '%2$s могут посетить.',
3 => '%2$s могут посетить.',
];
$a->strings['%2$s reshared this.'] = [
0 => '%2$s поделился этим.',
1 => '%2$s поделились этим.',
2 => '%2$s поделились этим.',
3 => '%2$s поделились этим.',
];
$a->strings['<button type="button" %2$s>%1$d person</button> likes this'] = [
0 => '<button type="button" %2$s>%1$d человеку</button> нравится это',
1 => '<button type="button" %2$s>%1$d людям</button> нравится это',
2 => '<button type="button" %2$s>%1$d людям</button> нравится это',
3 => '<button type="button" %2$s>%1$d людям</button> нравится это',
];
$a->strings['<button type="button" %2$s>%1$d person</button> doesn\'t like this'] = [
0 => '<button type="button" %2$s>%1$d человеку</button> не нравится это',
1 => '<button type="button" %2$s>%1$d людям</button> не нравится это',
2 => '<button type="button" %2$s>%1$d людям</button> не нравится это',
3 => '<button type="button" %2$s>%1$d людям</button> не нравится это',
];
$a->strings['<button type="button" %2$s>%1$d person</button> attends'] = [
0 => '<button type="button" %2$s>%1$d человек</button> посетит',
1 => '<button type="button" %2$s>%1$d людей</button> посетят',
2 => '<button type="button" %2$s>%1$d людей</button> посетят',
3 => '<button type="button" %2$s>%1$d людей</button> посетят',
];
$a->strings['<button type="button" %2$s>%1$d person</button> doesn\'t attend'] = [
0 => '<button type="button" %2$s>%1$d человек</button> не посетит',
1 => '<button type="button" %2$s>%1$d людей</button> не посетят',
2 => '<button type="button" %2$s>%1$d людей</button> не посетят',
3 => '<button type="button" %2$s>%1$d людей</button> не посетят',
];
$a->strings['<button type="button" %2$s>%1$d person</button> attends maybe'] = [
0 => '<button type="button" %2$s>%1$d человек</button> возможно посетит',
1 => '<button type="button" %2$s>%1$d людей</button> возможно посетят',
2 => '<button type="button" %2$s>%1$d людей</button> возможно посетят',
3 => '<button type="button" %2$s>%1$d людей</button> возможно посетят',
];
$a->strings['<button type="button" %2$s>%1$d person</button> reshared this'] = [
0 => '<button type="button" %2$s>%1$d человек</button> поделился этим',
1 => '<button type="button" %2$s>%1$d людей</button> поделились этим',
2 => '<button type="button" %2$s>%1$d людей</button> поделились этим',
3 => '<button type="button" %2$s>%1$d людей</button> поделились этим',
];
$a->strings['Visible to <strong>everybody</strong>'] = 'Видимое <strong>всем</strong>';
$a->strings['Please enter a image/video/audio/webpage URL:'] = 'Пожалуйста, введите адрес картинки/видео/аудио/странички:';
$a->strings['Tag term:'] = 'Тег:';
@ -287,6 +384,8 @@ $a->strings['Bold'] = 'Жирный';
$a->strings['Italic'] = 'Kурсивный';
$a->strings['Underline'] = 'Подчеркнутый';
$a->strings['Quote'] = 'Цитата';
$a->strings['Add emojis'] = 'Добавить эмодзи';
$a->strings['Content Warning'] = 'Предупреждение о контенте (CW)';
$a->strings['Code'] = 'Код';
$a->strings['Image'] = 'Изображение / Фото';
$a->strings['Link'] = 'Ссылка';
@ -301,19 +400,14 @@ $a->strings['Categories (comma-separated list)'] = 'Категории (спис
$a->strings['Scheduled at'] = 'Запланировано на';
$a->strings['Permission settings'] = 'Настройки разрешений';
$a->strings['Public post'] = 'Публичная запись';
$a->strings['Message'] = 'Запись';
$a->strings['Message'] = 'Написать';
$a->strings['Browser'] = 'Браузер';
$a->strings['Open Compose page'] = 'Развернуть редактор';
$a->strings['Pinned item'] = 'Закреплённая запись';
$a->strings['View %s\'s profile @ %s'] = 'Просмотреть профиль %s [@ %s]';
$a->strings['Categories:'] = 'Категории:';
$a->strings['Filed under:'] = 'В рубрике:';
$a->strings['%s from %s'] = '%s из %s';
$a->strings['View in context'] = 'Смотреть в контексте';
$a->strings['remove'] = 'удалить';
$a->strings['Delete Selected Items'] = 'Удалить выбранные позиции';
$a->strings['You had been addressed (%s).'] = 'К вам обратились (%s).';
$a->strings['You are following %s.'] = 'Вы подписаны на %s.';
$a->strings['You subscribed to %s.'] = 'Вы подписаны на %s.';
$a->strings['You subscribed to one or more tags in this post.'] = 'Вы подписаны на один или несколько тегов в этой записи.';
$a->strings['%s reshared this.'] = '%s поделился этим.';
$a->strings['Reshared'] = 'Репост';
@ -330,14 +424,48 @@ $a->strings['Local delivery'] = 'Местная доставка';
$a->strings['Stored because of your activity (like, comment, star, ...)'] = 'Загружено из-за ваших действий (лайк, комментарий, ...)';
$a->strings['Distributed'] = 'Распространено';
$a->strings['Pushed to us'] = 'Прислано нам';
$a->strings['Pinned item'] = 'Закреплённая запись';
$a->strings['View %s\'s profile @ %s'] = 'Просмотреть профиль %s [@ %s]';
$a->strings['Categories:'] = 'Категории:';
$a->strings['Filed under:'] = 'В рубрике:';
$a->strings['%s from %s'] = '%s из %s';
$a->strings['View in context'] = 'Смотреть в контексте';
$a->strings['For you'] = 'Для Вас';
$a->strings['Posts from contacts you interact with and who interact with you'] = 'Записи от людей, с которыми вы часто общаетесь';
$a->strings['What\'s Hot'] = 'Популярное';
$a->strings['Posts with a lot of interactions'] = 'Записи с большой активностью';
$a->strings['Posts in %s'] = 'Записи от %s';
$a->strings['Posts from your followers that you don\'t follow'] = 'Записи от ваших подписчиков, на которых вы не подписаны';
$a->strings['Sharers of sharers'] = 'Друзья друзей';
$a->strings['Posts from accounts that are followed by accounts that you follow'] = 'Записи от людей, на которых подписаны ваши контакты';
$a->strings['Images'] = 'Картинки';
$a->strings['Posts with images'] = 'Записи с изображениями';
$a->strings['Audio'] = 'Аудио';
$a->strings['Posts with audio'] = 'Записи с аудио';
$a->strings['Videos'] = 'Видео';
$a->strings['Posts with videos'] = 'Записи с видео';
$a->strings['Local Community'] = 'Местное сообщество';
$a->strings['Posts from local users on this server'] = 'Записи пользователей с этого сервера';
$a->strings['Global Community'] = 'Глобальное сообщество';
$a->strings['Posts from users of the whole federated network'] = 'Записи пользователей со всей федеративной сети';
$a->strings['Latest Activity'] = 'Вся активность';
$a->strings['Sort by latest activity'] = 'Отсортировать по свежей активности';
$a->strings['Latest Posts'] = 'Новые записи';
$a->strings['Sort by post received date'] = 'Отсортировать по времени получения записей';
$a->strings['Latest Creation'] = 'По времени';
$a->strings['Sort by post creation date'] = 'Отсортировать по времени создания записей';
$a->strings['Personal'] = 'Личные';
$a->strings['Posts that mention or involve you'] = 'Записи, которые упоминают вас или в которых вы участвуете';
$a->strings['Starred'] = 'Избранное';
$a->strings['Favourite Posts'] = 'Избранные записи';
$a->strings['General Features'] = 'Основные возможности';
$a->strings['Photo Location'] = 'Место фотографирования';
$a->strings['Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map.'] = 'Метаданные фотографий обычно вырезаются. Эта настройка получает местоположение (если есть) до вырезки метаданных и связывает с координатами на карте.';
$a->strings['Trending Tags'] = 'Популярные тэги';
$a->strings['Show a community page widget with a list of the most popular tags in recent public posts.'] = 'Показать облако популярных тэгов на странице публичных записей сервера';
$a->strings['Post Composition Features'] = 'Составление сообщений';
$a->strings['Auto-mention Forums'] = 'Автоматически отмечать форумы';
$a->strings['Add/remove mention when a forum page is selected/deselected in ACL window.'] = 'Добавлять/удалять упоминание, когда страница форума выбрана/убрана в списке получателей.';
$a->strings['Auto-mention Groups'] = 'Автоматически отмечать группы';
$a->strings['Add/remove mention when a group page is selected/deselected in ACL window.'] = 'Добавлять/удалять упоминание, когда страница группы выбрана/убрана в списке получателей.';
$a->strings['Explicit Mentions'] = 'Явные отметки';
$a->strings['Add explicit mentions to comment box for manual control over who gets mentioned in replies.'] = 'Вставлять отметки пользователей в поле комментариев, чтобы иметь ручной контроль над тем, кто будет упомянут в ответе.';
$a->strings['Add an abstract from ActivityPub content warnings'] = 'Добавлять abstract для записей ActivityPub с content warning';
@ -346,8 +474,8 @@ $a->strings['Post/Comment Tools'] = 'Инструменты записей/ко
$a->strings['Post Categories'] = 'Категории записей';
$a->strings['Add categories to your posts'] = 'Добавить категории для ваших записей';
$a->strings['Advanced Profile Settings'] = 'Расширенные настройки профиля';
$a->strings['List Forums'] = 'Список форумов';
$a->strings['Show visitors public community forums at the Advanced Profile Page'] = 'Показывать посетителям публичные форумы на расширенной странице профиля.';
$a->strings['List Groups'] = 'Список групп';
$a->strings['Show visitors public groups at the Advanced Profile Page'] = 'Показывать посетителям публичные группы на расширенной странице профиля.';
$a->strings['Tag Cloud'] = 'Облако тэгов';
$a->strings['Provide a personal tag cloud on your profile page'] = 'Показывать ваше личное облако тэгов в вашем профиле';
$a->strings['Display Membership Date'] = 'Показывать дату регистрации';
@ -355,10 +483,11 @@ $a->strings['Display membership date in profile'] = 'Дата вашей рег
$a->strings['Advanced Calendar Settings'] = 'Дополнительные настройки календаря';
$a->strings['Allow anonymous access to your calendar'] = 'Разрешить анонимный доступ к вашему календарю';
$a->strings['Allows anonymous visitors to consult your calendar and your public events. Contact birthday events are private to you.'] = 'Разрешает анонимным пользователям просматривать ваш календарь и публичные мероприятия. Дни рождения контактов видны только вам.';
$a->strings['Forums'] = 'Форумы';
$a->strings['External link to forum'] = 'Внешняя ссылка на форум';
$a->strings['Groups'] = 'Группы';
$a->strings['External link to group'] = 'Внешняя ссылка на группу';
$a->strings['show less'] = 'показать меньше';
$a->strings['show more'] = 'показать больше';
$a->strings['Create new group'] = 'Создать новую группу';
$a->strings['event'] = 'мероприятие';
$a->strings['status'] = 'статус';
$a->strings['photo'] = 'фото';
@ -373,12 +502,14 @@ $a->strings['Send PM'] = 'Отправить ЛС';
$a->strings['Block'] = 'Заблокировать';
$a->strings['Ignore'] = 'Игнорировать';
$a->strings['Collapse'] = 'Сворачивать';
$a->strings['Ignore %s server'] = 'Игнорировать сервер %s ';
$a->strings['Languages'] = 'Языки';
$a->strings['Connect/Follow'] = 'Подключиться/Подписаться';
$a->strings['Unable to fetch user.'] = 'Ошибка получения информации пользователя';
$a->strings['Nothing new here'] = 'Ничего нового здесь';
$a->strings['Go back'] = 'Назад';
$a->strings['Clear notifications'] = 'Стереть уведомления';
$a->strings['@name, !forum, #tags, content'] = '@имя, !форум, #тег, контент';
$a->strings['@name, !group, #tags, content'] = '@имя, !группа, #тег, контент';
$a->strings['Logout'] = 'Выход';
$a->strings['End this session'] = 'Завершить эту сессию';
$a->strings['Login'] = 'Вход';
@ -476,8 +607,9 @@ $a->strings['Random Profile'] = 'Случайный профиль';
$a->strings['Invite Friends'] = 'Пригласить друзей';
$a->strings['Global Directory'] = 'Глобальный каталог';
$a->strings['Local Directory'] = 'Локальный каталог';
$a->strings['Groups'] = 'Группы';
$a->strings['Circles'] = 'Круги';
$a->strings['Everyone'] = 'Все';
$a->strings['No relationship'] = 'Нет связи';
$a->strings['Relationships'] = 'Отношения';
$a->strings['All Contacts'] = 'Все контакты';
$a->strings['Protocols'] = 'Протоколы';
@ -492,11 +624,13 @@ $a->strings['%d contact in common'] = [
3 => '%d Контактов',
];
$a->strings['Archives'] = 'Архивы';
$a->strings['On this date'] = 'В этот день';
$a->strings['Persons'] = 'Люди';
$a->strings['Organisations'] = 'Организации';
$a->strings['News'] = 'Новости';
$a->strings['Account Types'] = 'Тип учетной записи';
$a->strings['All'] = 'Все';
$a->strings['Channels'] = 'Каналы';
$a->strings['Export'] = 'Экспорт';
$a->strings['Export calendar as ical'] = 'Экспортировать календарь в формат ical';
$a->strings['Export calendar as csv'] = 'Экспортировать календарь в формат csv';
@ -529,7 +663,7 @@ $a->strings['Public'] = 'Публично';
$a->strings['This content will be shown to all your followers and can be seen in the community pages and by anyone with its link.'] = 'Это будет показано всем вашим подписчикам и так же будет доступно в общей ленте и по прямой ссылке.';
$a->strings['Limited/Private'] = 'Ограниченный доступ';
$a->strings['This content will be shown only to the people in the first box, to the exception of the people mentioned in the second box. It won\'t appear anywhere public.'] = 'Это будет доступно только получателям, перечисленным в первом поле, за исключением тех, кто добавлен во второе поле. Нигде в открытом доступе это не появится.';
$a->strings['Start typing the name of a contact or a group to show a filtered list. You can also mention the special groups "Followers" and "Mutuals".'] = 'Начните набирать имя контакта или группы для появления списка. Вы так же можете выбрать специальные группы "Подписаны на вас" и "Взаимные".';
$a->strings['Start typing the name of a contact or a circle to show a filtered list. You can also mention the special circles "Followers" and "Mutuals".'] = 'Начните набирать имя контакта или круга для появления списка. Вы так же можете выбрать специальные круги "Подписаны на вас" и "Взаимные".';
$a->strings['Show to:'] = 'Доступно:';
$a->strings['Except to:'] = 'За исключением:';
$a->strings['CC: email addresses'] = 'Копии на email адреса';
@ -681,9 +815,18 @@ $a->strings['Unprocessable Entity'] = 'Необрабатываемая сущн
$a->strings['Unauthorized'] = 'Нет авторизации';
$a->strings['Internal Server Error'] = 'Внутренняя ошибка сервера';
$a->strings['Legacy module file not found: %s'] = 'Legacy-модуль не найден: %s';
$a->strings['A deleted circle with this name was revived. Existing item permissions <strong>may</strong> apply to this circle and any future members. If this is not what you intended, please create another circle with a different name.'] = 'Удалённый круг с таким названием был восстановлен. Существующие права доступа <strong>могут</strong> применяться к этому кругу и любым будущим участникам. Если это не то, что вы хотели, пожалуйста, создайте ещё ​​один круг с другим названием.';
$a->strings['Everybody'] = 'Все';
$a->strings['edit'] = 'редактировать';
$a->strings['add'] = 'добавить';
$a->strings['Edit circle'] = 'Редактировать круг';
$a->strings['Contacts not in any circle'] = 'Контакты вне кругов';
$a->strings['Create a new circle'] = 'Создать круг';
$a->strings['Circle Name: '] = 'Название круга:';
$a->strings['Edit circles'] = 'Редактировать круги';
$a->strings['Approve'] = 'Одобрить';
$a->strings['Organisation'] = 'Организация';
$a->strings['Forum'] = 'Форум';
$a->strings['Group'] = 'Группа';
$a->strings['Disallowed profile URL.'] = 'Запрещенный URL профиля.';
$a->strings['Blocked domain'] = 'Заблокированный домен';
$a->strings['Connect URL missing.'] = 'Connect-URL отсутствует.';
@ -720,16 +863,6 @@ $a->strings['Show map'] = 'Показать карту';
$a->strings['Hide map'] = 'Скрыть карту';
$a->strings['%s\'s birthday'] = 'день рождения %s';
$a->strings['Happy Birthday %s'] = 'С днём рождения %s';
$a->strings['A deleted group with this name was revived. Existing item permissions <strong>may</strong> apply to this group and any future members. If this is not what you intended, please create another group with a different name.'] = 'Удаленная группа с таким названием была восстановлена. Существующие права доступа <strong>могут</strong> применяться к этой группе и любым будущим участникам. Если это не то, что вы хотели, пожалуйста, создайте еще ​​одну группу с другим названием.';
$a->strings['Default privacy group for new contacts'] = 'Группа доступа по умолчанию для новых контактов';
$a->strings['Everybody'] = 'Все';
$a->strings['edit'] = 'редактировать';
$a->strings['add'] = 'добавить';
$a->strings['Edit group'] = 'Редактировать группу';
$a->strings['Contacts not in any group'] = 'Контакты не состоят в группе';
$a->strings['Create a new group'] = 'Создать новую группу';
$a->strings['Group Name: '] = 'Название группы: ';
$a->strings['Edit groups'] = 'Редактировать группы';
$a->strings['Detected languages in this post:\n%s'] = 'Обнаруженные в этой записи языки:\n%s';
$a->strings['activity'] = 'активность';
$a->strings['comment'] = 'комментарий';
@ -841,13 +974,66 @@ $a->strings['An error occurred during registration. Please try again.'] = 'Ош
$a->strings['An error occurred creating your default profile. Please try again.'] = 'Ошибка создания вашего профиля. Пожалуйста, попробуйте еще раз.';
$a->strings['An error occurred creating your self contact. Please try again.'] = 'При создании вашего контакта возникла проблема. Пожалуйста, попробуйте ещё раз.';
$a->strings['Friends'] = 'Друзья';
$a->strings['An error occurred creating your default contact group. Please try again.'] = 'При создании группы контактов по-умолчанию возникла ошибка. Пожалуйста, попробуйте ещё раз.';
$a->strings['An error occurred creating your default contact circle. Please try again.'] = 'При создании круга контактов по-умолчанию возникла ошибка. Пожалуйста, попробуйте ещё раз.';
$a->strings['Profile Photos'] = 'Фотографии профиля';
$a->strings['
Dear %1$s,
the administrator of %2$s has set up an account for you.'] = '
Уважаемый(ая) %1$s,
администратор %2$s создал для вас учётную запись.';
$a->strings['
The login details are as follows:
Site Location: %1$s
Login Name: %2$s
Password: %3$s
You may change your password from your account "Settings" page after logging
in.
Please take a few moments to review the other account settings on that page.
You may also wish to add some basic information to your default profile
(on the "Profiles" page) so that other people can easily find you.
We recommend setting your full name, adding a profile photo,
adding some profile "keywords" (very useful in making new friends) - and
perhaps what country you live in; if you do not wish to be more specific
than that.
We fully respect your right to privacy, and none of these items are necessary.
If you are new and do not know anybody here, they may help
you to make some new and interesting friends.
If you ever want to delete your account, you can do so at %1$s/settings/removeme
Thank you and welcome to %4$s.'] = '
Ваши данные для входа:
Адрес: %1$s
Имя для входа: %2$s
Пароль: %3$s
Вы можете сменить пароль после входа на странице настроек.
Пожалуйста, ознакомьтесь с другими настройками на этой же странице.
Вы так же можете захотеть добавить некоторую информацию о вас
(на странице профиля), чтобы другие смогли легко найти вас.
Мы рекомендуем указать имя и поставить изображение профиля,
добавить несколько ключевых слов (очень полезны для поиска друзей),
вероятно, страну вашего проживания, если вы не хотите давать больше деталей.
Мы полностью уважаем вашу приватность и ничто из перечисленного не является обязательным.
Если вы новичок и не знаете здесь никого, то эти рекомендации
могут помочь найти вам новых интересных друзей.
Если вы захотите удалить вашу учётную запись, то всегда сможете сделать это на %1$s/settings/removeme
Спасибо и добро пожаловать на %4$s.';
$a->strings['Registration details for %s'] = 'Подробности регистрации для %s';
$a->strings['
Dear %1$s,
@ -876,6 +1062,59 @@ $a->strings['
Уважаемый(ая) %1$s,
Спасибо за регистрацию на %2$s. Ваша учётная запись создана.
';
$a->strings['
The login details are as follows:
Site Location: %3$s
Login Name: %1$s
Password: %5$s
You may change your password from your account "Settings" page after logging
in.
Please take a few moments to review the other account settings on that page.
You may also wish to add some basic information to your default profile
(on the "Profiles" page) so that other people can easily find you.
We recommend setting your full name, adding a profile photo,
adding some profile "keywords" (very useful in making new friends) - and
perhaps what country you live in; if you do not wish to be more specific
than that.
We fully respect your right to privacy, and none of these items are necessary.
If you are new and do not know anybody here, they may help
you to make some new and interesting friends.
If you ever want to delete your account, you can do so at %3$s/settings/removeme
Thank you and welcome to %2$s.'] = '
Ваши данные для входа:
Адрес: %3$s
Имя для входа: %1$s
Пароль: %5$s
Вы можете сменить пароль после входа на странице настроек.
Пожалуйста, ознакомьтесь с другими настройками на этой же странице.
Вы так же можете захотеть добавить некоторую информацию о вас
(на странице профиля), чтобы другие смогли легко найти вас.
Мы рекомендуем указать имя и поставить изображение профиля,
добавить несколько ключевых слов (очень полезны для поиска друзей),
вероятно, страну вашего проживания, если вы не хотите давать больше деталей.
Мы полностью уважаем вашу приватность и ничто из перечисленного не является обязательным.
Если вы новичок и не знаете здесь никого, то эти рекомендации
могут помочь найти вам новых интересных друзей.
Если вы захотите удалить вашу учётную запись, то всегда сможете сделать это на %3$s/settings/removeme
Спасибо и добро пожаловать на %2$s.';
$a->strings['Addon not found.'] = 'Дополнение не найдено.';
$a->strings['Addon %s disabled.'] = 'Дополнение %s отключено.';
$a->strings['Addon %s enabled.'] = 'Дополнение %s включено.';
@ -1062,6 +1301,8 @@ $a->strings['Maximum length in pixels of the longest side of uploaded images. De
$a->strings['JPEG image quality'] = 'Качество JPEG изображения';
$a->strings['Uploaded JPEGS will be saved at this quality setting [0-100]. Default is 100, which is full quality.'] = 'Загруженные изображения JPEG будут сохранены в этом качестве [0-100]. По умолчанию 100, что означает полное качество.';
$a->strings['Register policy'] = 'Политика регистрация';
$a->strings['Maximum Users'] = 'Максимум пользователей';
$a->strings['If defined, the register policy is automatically closed when the given number of users is reached and reopens the registry when the number drops below the limit. It only works when the policy is set to open or close, but not when the policy is set to approval.'] = 'Если включено, регистрация будет автоматически закрываться при достижении указанного числа пользователей и вновь открываться, если число пользователей снова снизится. Это работает только, если регистрация установлена как открытая или закрытая, но не когда включено её одобрение.';
$a->strings['Maximum Daily Registrations'] = 'Максимальное число регистраций в день';
$a->strings['If registration is permitted above, this sets the maximum number of new user registrations to accept per day. If register is set to closed, this setting has no effect.'] = 'Если регистрация разрешена, этот параметр устанавливает максимальное количество новых регистраций пользователей в день. Если регистрация закрыта, эта опция не имеет никакого эффекта.';
$a->strings['Register text'] = 'Текст регистрации';
@ -1086,7 +1327,7 @@ $a->strings['Enabling this may violate privacy laws like the GDPR'] = 'Вклю
$a->strings['Global directory URL'] = 'URL глобального каталога';
$a->strings['URL to the global directory. If this is not set, the global directory is completely unavailable to the application.'] = 'Ссылка глобального каталога. Если не указано, то глобальный каталог будет полностью недоступен.';
$a->strings['Private posts by default for new users'] = 'Частные сообщения по умолчанию для новых пользователей';
$a->strings['Set default post permissions for all new members to the default privacy group rather than public.'] = 'Установить права на создание записей по умолчанию для всех участников в дефолтной приватной группе, а не для публичных участников.';
$a->strings['Set default post permissions for all new members to the default privacy circle rather than public.'] = 'Установить права на создание записей по-умолчанию для всех участников в приватный круг, а не для публично.';
$a->strings['Don\'t include post content in email notifications'] = 'Не включать текст сообщения в email-оповещение.';
$a->strings['Don\'t include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure.'] = 'Не включать содержание сообщения/комментария/личного сообщения и т.д.. в уведомления электронной почты, отправленных с сайта, в качестве меры конфиденциальности.';
$a->strings['Disallow public access to addons listed in the apps menu.'] = 'Запретить публичный доступ к аддонам, перечисленным в меню приложений.';
@ -1170,8 +1411,8 @@ $a->strings['Temp path'] = 'Временная папка';
$a->strings['If you have a restricted system where the webserver can\'t access the system temp path, enter another path here.'] = 'Если на вашей системе веб-сервер не имеет доступа к системному пути tmp, введите здесь другой путь.';
$a->strings['Only search in tags'] = 'Искать только в тегах';
$a->strings['On large systems the text search can slow down the system extremely.'] = 'На больших системах текстовый поиск может сильно замедлить систему.';
$a->strings['Generate counts per contact group when calculating network count'] = 'Показывать счётчики записей по группам при обновлении страницы сети';
$a->strings['On systems with users that heavily use contact groups the query can be very expensive.'] = 'Для систем, где активно используются группы контактов, это может быть затратно по ресурсам.';
$a->strings['Generate counts per contact circle when calculating network count'] = 'Показывать счётчики записей по кругам при обновлении страницы сети';
$a->strings['On systems with users that heavily use contact circles the query can be very expensive.'] = 'Для систем, где активно используются круги контактов, это может быть затратно по ресурсам.';
$a->strings['Maximum number of parallel workers'] = 'Максимальное число параллельно работающих worker\'ов';
$a->strings['On shared hosters set this to %d. On larger systems, values of %d are great. Default value is %d.'] = 'На shared-хостингах установите это в %d. На больших системах можно установить %d или больше. Значение по-умолчанию %d.';
$a->strings['Enable fastlane'] = 'Включить fastlane';
@ -1272,6 +1513,8 @@ $a->strings['Monthly posting limit of %d post reached. The post was rejected.']
2 => 'Месячный лимит в%d записей достигнут. Запись была отклонена.',
3 => 'Месячный лимит в %d записей достигнут. Запись была отклонена.',
];
$a->strings['You don\'t have access to moderation pages.'] = 'У вас нет доступа к страницам модераторов.';
$a->strings['Reports'] = 'Обращения';
$a->strings['Users'] = 'Пользователи';
$a->strings['Tools'] = 'Инструменты';
$a->strings['Contact Blocklist'] = 'Чёрный список контактов';
@ -1284,7 +1527,7 @@ $a->strings['Scheduled Posts'] = 'Запланированные записи';
$a->strings['Posts that are scheduled for publishing'] = 'Записи, публикация которых запланирована';
$a->strings['Tips for New Members'] = 'Советы для новых участников';
$a->strings['People Search - %s'] = 'Поиск по людям - %s';
$a->strings['Forum Search - %s'] = 'Поиск по форумам - %s';
$a->strings['Group Search - %s'] = 'Поиск по группам - %s';
$a->strings['No matches'] = 'Нет соответствий';
$a->strings['Account'] = 'Аккаунт';
$a->strings['Two-factor authentication'] = 'Двухфакторная аутентификация';
@ -1292,9 +1535,12 @@ $a->strings['Display'] = 'Внешний вид';
$a->strings['Social Networks'] = 'Социальные сети';
$a->strings['Manage Accounts'] = 'Управление учётными записями';
$a->strings['Connected apps'] = 'Подключенные приложения';
$a->strings['Remote servers'] = 'Другие серверы';
$a->strings['Export personal data'] = 'Экспорт личных данных';
$a->strings['Remove account'] = 'Удалить аккаунт';
$a->strings['The post was created'] = 'Запись создана';
$a->strings['Invalid Request'] = 'Неверный запрос';
$a->strings['Event id is missing.'] = 'Отсутствует id события';
$a->strings['Failed to remove event'] = 'Ошибка удаления события';
$a->strings['Event can not end before it has started.'] = 'Эвент не может закончится до старта.';
$a->strings['Event title and start time are required.'] = 'Название мероприятия и время начала обязательны для заполнения.';
@ -1312,6 +1558,29 @@ $a->strings['Events'] = 'Мероприятия';
$a->strings['View'] = 'Смотреть';
$a->strings['Create New Event'] = 'Создать новое мероприятие';
$a->strings['list'] = 'список';
$a->strings['Could not create circle.'] = 'Не удалось создать круг.';
$a->strings['Circle not found.'] = 'Круг не найден.';
$a->strings['Circle name was not changed.'] = 'Название круга не изменено.';
$a->strings['Unknown circle.'] = 'Неизвестный круг.';
$a->strings['Contact not found.'] = 'Контакт не найден.';
$a->strings['Invalid contact.'] = 'Недопустимый контакт.';
$a->strings['Contact is deleted.'] = 'Контакт удалён.';
$a->strings['Unable to add the contact to the circle.'] = 'Не удалось добавить контакт в круг.';
$a->strings['Contact successfully added to circle.'] = 'Контакт успешно добавлен в круг.';
$a->strings['Unable to remove the contact from the circle.'] = 'Не удалось удалить контакт из круга.';
$a->strings['Contact successfully removed from circle.'] = 'Контакт успешно удалён из круга.';
$a->strings['Bad request.'] = 'Ошибочный запрос.';
$a->strings['Save Circle'] = 'Сохранить круг';
$a->strings['Filter'] = 'Фильтр';
$a->strings['Create a circle of contacts/friends.'] = 'Создать круг контактов/друзей.';
$a->strings['Unable to remove circle.'] = 'Не удаётся удалить круг.';
$a->strings['Delete Circle'] = 'Удалить круг';
$a->strings['Edit Circle Name'] = 'Изменить имя круга';
$a->strings['Members'] = 'Участники';
$a->strings['Circle is empty'] = 'Круг пуст';
$a->strings['Remove contact from circle'] = 'Удалить контакт из круга';
$a->strings['Click on a contact to add or remove.'] = 'Нажмите на контакт, чтобы добавить или удалить.';
$a->strings['Add contact to circle'] = 'Добавить контакт в круг';
$a->strings['%d contact edited.'] = [
0 => '%d контакт изменен.',
1 => '%d контакта изменено.',
@ -1331,7 +1600,7 @@ $a->strings['Archived'] = 'Архивированные';
$a->strings['Only show archived contacts'] = 'Показывать только архивные контакты';
$a->strings['Hidden'] = 'Скрытые';
$a->strings['Only show hidden contacts'] = 'Показывать только скрытые контакты';
$a->strings['Organize your contact groups'] = 'Настроить группы контактов';
$a->strings['Organize your contact circles'] = 'Настроить круги контактов';
$a->strings['Search your contacts'] = 'Поиск ваших контактов';
$a->strings['Results for: %s'] = 'Результаты для: %s';
$a->strings['Update'] = 'Обновление';
@ -1351,7 +1620,6 @@ $a->strings['you are a fan of'] = 'Вы - поклонник';
$a->strings['Pending outgoing contact request'] = 'Исходящий запрос на подписку';
$a->strings['Pending incoming contact request'] = 'Входящий запрос на подписку';
$a->strings['Visit %s\'s profile [%s]'] = 'Посетить профиль %s [%s]';
$a->strings['Contact not found.'] = 'Контакт не найден.';
$a->strings['Contact update failed.'] = 'Обновление контакта неудачное.';
$a->strings['Return to contact editor'] = 'Возврат к редактору контакта';
$a->strings['Name'] = 'Имя';
@ -1359,7 +1627,6 @@ $a->strings['Account Nickname'] = 'Ник аккаунта';
$a->strings['Account URL'] = 'URL аккаунта';
$a->strings['Poll/Feed URL'] = 'URL опроса/ленты';
$a->strings['New photo from this URL'] = 'Новое фото из этой URL';
$a->strings['Invalid contact.'] = 'Недопустимый контакт.';
$a->strings['No known contacts.'] = 'Нет известных контактов.';
$a->strings['No common contacts.'] = 'Общих контактов нет.';
$a->strings['Follower (%s)'] = [
@ -1422,6 +1689,7 @@ $a->strings['You are mutual friends with %s'] = 'У Вас взаимная др
$a->strings['You are sharing with %s'] = 'Вы делитесь с %s';
$a->strings['%s is sharing with you'] = '%s делится с Вами';
$a->strings['Private communications are not available for this contact.'] = 'Приватные коммуникации недоступны для этого контакта.';
$a->strings['This contact is on a server you ignored.'] = 'Этот контакт на игнорируемом вами сервере.';
$a->strings['Never'] = 'Никогда';
$a->strings['(Update was not successful)'] = '(Обновление не удалось)';
$a->strings['(Update was successful)'] = '(Обновление было успешно)';
@ -1452,6 +1720,7 @@ $a->strings['Currently blocked'] = 'В настоящее время забло
$a->strings['Currently ignored'] = 'В настоящее время игнорируется';
$a->strings['Currently collapsed'] = 'В настоящее время сворачивается';
$a->strings['Currently archived'] = 'В данный момент архивирован';
$a->strings['Manage remote servers'] = 'Управлять удалёнными серверами';
$a->strings['Hide this contact from others'] = 'Скрыть этот контакт от других';
$a->strings['Replies/likes to your public posts <strong>may</strong> still be visible'] = 'Ответы/лайки ваших публичных сообщений <strong>будут</strong> видимы.';
$a->strings['Notification for new posts'] = 'Уведомление о новых записях';
@ -1462,6 +1731,17 @@ $a->strings['Actions'] = 'Действия';
$a->strings['Status'] = 'Записи';
$a->strings['Mirror postings from this contact'] = 'Зекралировать сообщения от этого контакта';
$a->strings['Mark this contact as remote_self, this will cause friendica to repost new entries from this contact.'] = 'Пометить этот контакт как remote_self, что заставит Friendica отправлять сообщения от этого контакта.';
$a->strings['Channel Settings'] = 'Настройки каналов';
$a->strings['Frequency of this contact in relevant channels'] = 'Частота появления этого контакта в каналах';
$a->strings['Depending on the type of the channel not all posts from this contact are displayed. By default, posts need to have a minimum amount of interactions (comments, likes) to show in your channels. On the other hand there can be contacts who flood the channel, so you might want to see only some of their posts. Or you don\'t want to see their content at all, but you don\'t want to block or hide the contact completely.'] = 'В зависимости от типа канала, не все записи этого контакта могут отображаться в них. По-умолчанию записи должны получить некоторое число взаимодействий (комментарии, лайки), чтобы попасть в каналы. Так же некоторые контакты могут заполнять каналы слишком частыми записями или вы можете не хотеть видеть их в каналах вообще, но не готовы их игнорировать или блокировать полностью.';
$a->strings['Default frequency'] = 'Обычная частота';
$a->strings['Posts by this contact are displayed in the "for you" channel if you interact often with this contact or if a post reached some level of interaction.'] = 'Записи этого контакта будут показаны в канале "Для Вас", если вы часто взаимодействуете с ним, либо запись этого контакта получит какую-то активность.';
$a->strings['Display all posts of this contact'] = 'Показывать все';
$a->strings['All posts from this contact will appear on the "for you" channel'] = 'Все записи от этого контакта будут показаны в канале "Для Вас"';
$a->strings['Display only few posts'] = 'Показывать немного';
$a->strings['When a contact creates a lot of posts in a short period, this setting reduces the number of displayed posts in every channel.'] = 'Когда контакт создаёт много записей за короткий период, эта настройка сократит число отображаемых записей в каналах.';
$a->strings['Never display posts'] = 'Не показывать';
$a->strings['Posts from this contact will never be displayed in any channel'] = 'Записи этого контакта никогда не будут показаны в каналах';
$a->strings['Refetch contact data'] = 'Обновить данные контакта';
$a->strings['Toggle Blocked status'] = 'Изменить статус блокированности (заблокировать/разблокировать)';
$a->strings['Toggle Ignored status'] = 'Изменить статус игнорирования';
@ -1470,7 +1750,6 @@ $a->strings['Revoke Follow'] = 'Отозвать подписку';
$a->strings['Revoke the follow from this contact'] = 'Отменить подписку этого контакта на вас';
$a->strings['Bad Request.'] = 'Ошибочный запрос.';
$a->strings['Unknown contact.'] = 'Неизвестный контакт.';
$a->strings['Contact is deleted.'] = 'Контакт удалён.';
$a->strings['Contact is being deleted.'] = 'Контакт удаляется.';
$a->strings['Follow was successfully revoked.'] = 'Подписка была успешно отозвана.';
$a->strings['Do you really want to revoke this contact\'s follow? This cannot be undone and they will have to manually follow you back again.'] = 'Вы действительно хотите отозвать подписку этого контакта на вас? Это нельзя будет отменить позже, им потребуется снова подписаться на вас.';
@ -1481,29 +1760,17 @@ $a->strings['Unfollowing is currently not supported by your network.'] = 'Отп
$a->strings['Disconnect/Unfollow'] = 'Отсоединиться/Отписаться';
$a->strings['Contact was successfully unfollowed'] = 'Подписка успешно удалена';
$a->strings['Unable to unfollow this contact, please contact your administrator'] = 'Не получается отписаться от этого контакта, пожалуйста, свяжитесь с вашим администратором';
$a->strings['No results.'] = 'Нет результатов.';
$a->strings['Channel not available.'] = 'Канал недоступен';
$a->strings['This community stream shows all public posts received by this node. They may not reflect the opinions of this nodes users.'] = 'Эта общая лента показывает все публичные записи, которые получил этот сервер. Они могут не отражать мнений пользователей этого сервера.';
$a->strings['Local Community'] = 'Местное сообщество';
$a->strings['Posts from local users on this server'] = 'Записи пользователей с этого сервера';
$a->strings['Global Community'] = 'Глобальное сообщество';
$a->strings['Posts from users of the whole federated network'] = 'Записи пользователей со всей федеративной сети';
$a->strings['Community option not available.'] = 'Сообщество недоступно.';
$a->strings['Not available.'] = 'Недоступно.';
$a->strings['No such circle'] = 'Нет такого круга';
$a->strings['Circle: %s'] = 'Круг: %s';
$a->strings['Network feed not available.'] = 'Лента недоступна';
$a->strings['Own Contacts'] = 'Свои контакты';
$a->strings['Include'] = 'Включить';
$a->strings['Hide'] = 'Скрыть';
$a->strings['No results.'] = 'Нет результатов.';
$a->strings['Community option not available.'] = 'Сообщество недоступно.';
$a->strings['Not available.'] = 'Недоступно.';
$a->strings['No such group'] = 'Нет такой группы';
$a->strings['Group: %s'] = 'Группа: %s';
$a->strings['Latest Activity'] = 'Вся активность';
$a->strings['Sort by latest activity'] = 'Отсортировать по свежей активности';
$a->strings['Latest Posts'] = 'Новые записи';
$a->strings['Sort by post received date'] = 'Отсортировать по времени получения записей';
$a->strings['Latest Creation'] = 'По времени';
$a->strings['Sort by post creation date'] = 'Отсортировать по времени создания записей';
$a->strings['Personal'] = 'Личные';
$a->strings['Posts that mention or involve you'] = 'Записи, которые упоминают вас или в которых вы участвуете';
$a->strings['Starred'] = 'Избранное';
$a->strings['Favourite Posts'] = 'Избранные записи';
$a->strings['Credits'] = 'Признательность';
$a->strings['Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!'] = 'Friendica это проект сообщества, который был бы невозможен без помощи многих людей. Вот лист тех, кто писал код или помогал с переводом. Спасибо вам всем!';
$a->strings['Error'] = [
@ -1551,26 +1818,6 @@ $a->strings['Please visit <a href="https://friendi.ca">Friendi.ca</a> to learn m
$a->strings['Bug reports and issues: please visit'] = 'Отчет об ошибках и проблемах: пожалуйста, посетите';
$a->strings['the bugtracker at github'] = 'багтрекер на github';
$a->strings['Suggestions, praise, etc. - please email "info" at "friendi - dot - ca'] = 'Предложения, отзывы, похвала - пишите нам на info[собака]friendi[точка]ca';
$a->strings['Could not create group.'] = 'Не удалось создать группу.';
$a->strings['Group not found.'] = 'Группа не найдена.';
$a->strings['Group name was not changed.'] = 'Название группы не изменено.';
$a->strings['Unknown group.'] = 'Неизвестная группа.';
$a->strings['Unable to add the contact to the group.'] = 'Не удалось добавить контакт в группу.';
$a->strings['Contact successfully added to group.'] = 'Контакт успешно добавлен в группу.';
$a->strings['Unable to remove the contact from the group.'] = 'Не удалось удалить контакт из группы.';
$a->strings['Contact successfully removed from group.'] = 'Контакт успешно удалён из группы.';
$a->strings['Bad request.'] = 'Ошибочный запрос.';
$a->strings['Save Group'] = 'Сохранить группу';
$a->strings['Filter'] = 'Фильтр';
$a->strings['Create a group of contacts/friends.'] = 'Создать группу контактов / друзей.';
$a->strings['Unable to remove group.'] = 'Не удается удалить группу.';
$a->strings['Delete Group'] = 'Удалить группу';
$a->strings['Edit Group Name'] = 'Изменить имя группы';
$a->strings['Members'] = 'Участники';
$a->strings['Group is empty'] = 'Группа пуста';
$a->strings['Remove contact from group'] = 'Удалить контакт из группы';
$a->strings['Click on a contact to add or remove.'] = 'Нажмите на контакт, чтобы добавить или удалить.';
$a->strings['Add contact to group'] = 'Добавить контакт в группу';
$a->strings['No profile'] = 'Нет профиля';
$a->strings['Method Not Allowed.'] = 'Метод не разрешён';
$a->strings['Help:'] = 'Помощь:';
@ -1636,7 +1883,6 @@ $a->strings['Clear the location'] = 'Очистить локацию';
$a->strings['Location services are unavailable on your device'] = 'Геолокация на вашем устройстве недоступна';
$a->strings['Location services are disabled. Please check the website\'s permissions on your device'] = 'Геолокация отключена. Пожалуйста, проверьте разрешения этого сайта на вашем устройстве';
$a->strings['You can make this page always open when you use the New Post button in the <a href="/settings/display">Theme Customization settings</a>.'] = 'Вы можете включить открытие этой страницы по кнопке создания новой записи в <a href="/settings/display">настройках отображения темы</a>.';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'Запрошенная запись не существует или была удалена.';
$a->strings['The feed for this item is unavailable.'] = 'Лента недоступна для этого объекта.';
$a->strings['Unable to follow this item.'] = 'Не получается подписаться на эту запись.';
$a->strings['System down for maintenance'] = 'Система закрыта на техническое обслуживание';
@ -1650,7 +1896,6 @@ $a->strings['Or - did you try to upload an empty file?'] = 'Или вы пыта
$a->strings['File exceeds size limit of %s'] = 'Файл превышает лимит размера в %s';
$a->strings['File upload failed.'] = 'Загрузка файла не удалась.';
$a->strings['Unable to process image.'] = 'Невозможно обработать фото.';
$a->strings['Image exceeds size limit of %s'] = 'Изображение превышает лимит размера в %s';
$a->strings['Image upload failed.'] = 'Загрузка фото неудачная.';
$a->strings['List of all users'] = 'Все пользователи';
$a->strings['Active'] = 'Активные';
@ -1661,13 +1906,13 @@ $a->strings['Deleted'] = 'Удалённые';
$a->strings['List of pending user deletions'] = 'Список ожидающих удаления';
$a->strings['Normal Account Page'] = 'Стандартная страница аккаунта';
$a->strings['Soapbox Page'] = 'Публичная страница';
$a->strings['Public Forum'] = 'Публичный форум';
$a->strings['Public Group'] = 'Публичная группа';
$a->strings['Automatic Friend Page'] = '"Автоматический друг" страница';
$a->strings['Private Forum'] = 'Закрытый форум';
$a->strings['Private Group'] = 'Закрытая группа';
$a->strings['Personal Page'] = 'Личная страница';
$a->strings['Organisation Page'] = 'Организационная страница';
$a->strings['News Page'] = 'Новостная страница';
$a->strings['Community Forum'] = 'Форум сообщества';
$a->strings['Community Group'] = 'Группа сообщества';
$a->strings['Relay'] = 'Ретранслятор';
$a->strings['You can\'t block a local contact, please block the user instead'] = 'Нельзя заблокировать локальный контакт, пожалуйста заблокируйте самого пользователя.';
$a->strings['%s contact unblocked'] = [
@ -1794,12 +2039,64 @@ $a->strings['Implicit Mention'] = 'Неявная отметка';
$a->strings['Item not found'] = 'Элемент не найден';
$a->strings['No source recorded'] = 'Источник не сохранён';
$a->strings['Item Guid'] = 'GUID записи';
$a->strings['Contact not found or their server is already blocked on this node.'] = 'Контакт не найден или их сервер уже заблокирован на этом узле.';
$a->strings['Please login to access this page.'] = 'Пожалуйста, войдите для доступа к этой странице.';
$a->strings['Create Moderation Report'] = 'Создать обращение к модераторам';
$a->strings['Pick Contact'] = 'Выбор контакта';
$a->strings['Please enter below the contact address or profile URL you would like to create a moderation report about.'] = 'Пожалуйста, выберите адрес контакта или URL профиля, о котором вы хотите отправить обращение.';
$a->strings['Contact address/URL'] = 'Адрес контакта/URL';
$a->strings['Pick Category'] = 'Выбор категории';
$a->strings['Please pick below the category of your report.'] = 'Пожалуйста, выберите категорию обращения.';
$a->strings['Spam'] = 'Спам';
$a->strings['This contact is publishing many repeated/overly long posts/replies or advertising their product/websites in otherwise irrelevant conversations.'] = 'Этот контакт публикует много повторяющихся/слишком длинных записей/комментариев, либо рекламирует свои товары/услуги там, где это неуместно.';
$a->strings['Illegal Content'] = 'Противозаконный контент';
$a->strings['This contact is publishing content that is considered illegal in this node\'s hosting juridiction.'] = 'Этот контакт публикует что-то, что запрещено законом в юрисдикции данного узла.';
$a->strings['Community Safety'] = 'Общественный порядок';
$a->strings['This contact aggravated you or other people, by being provocative or insensitive, intentionally or not. This includes disclosing people\'s private information (doxxing), posting threats or offensive pictures in posts or replies.'] = 'Этот контакт раздражает вас или других людей провокационным или невежливым поведением, намеренно или нет. Это включает распространение частной информации о других людях (doxxing), угрозы, оскорбительные изображения в записях или комментариях.';
$a->strings['Unwanted Content/Behavior'] = 'Нежелательные материалы/поведение';
$a->strings['This contact has repeatedly published content irrelevant to the node\'s theme or is openly criticizing the node\'s administration/moderation without directly engaging with the relevant people for example or repeatedly nitpicking on a sensitive topic.'] = 'Этот контакт неоднократно публикует что-то, не относящееся к тематике узла, открыто критикует администраторов/модераторов без непосредственного обращения к ним, намеренно провоцирует раздор в чувствительных темах.';
$a->strings['Rules Violation'] = 'Нарушение правил';
$a->strings['This contact violated one or more rules of this node. You will be able to pick which one(s) in the next step.'] = 'Этот контакт нарушил одно или несколько правил этого узла. Вы сможете выбрать какие на следующем шаге.';
$a->strings['Please elaborate below why you submitted this report. The more details you provide, the better your report can be handled.'] = 'Пожалуйста, расскажите о причинах вашего обращения. Чем больше деталей вы предоставите, тем лучше ваше обращение будет обработано.';
$a->strings['Additional Information'] = 'Дополнительная информация';
$a->strings['Please provide any additional information relevant to this particular report. You will be able to attach posts by this contact in the next step, but any context is welcome.'] = 'Пожалуйста, добавьте любую дополнительную информацию, относящуюся к ситуации. Вы сможете прикрепить записи на следующем шаге, но любые детали пригодятся.';
$a->strings['Pick Rules'] = 'Выберите правила';
$a->strings['Please pick below the node rules you believe this contact violated.'] = 'Пожалуйста, выберите правила, которые по вашему мнению были нарушены.';
$a->strings['Pick Posts'] = 'Выберите записи';
$a->strings['Please optionally pick posts to attach to your report.'] = 'Пожалуйста, выберите записи, которые вы хотите добавить к обращению.';
$a->strings['Submit Report'] = 'Отправить обращение';
$a->strings['Further Action'] = 'Дальнейшие действия';
$a->strings['You can also perform one of the following action on the contact you reported:'] = 'Вы так же можете сделать следующее с этим контактом:';
$a->strings['Nothing'] = 'Ничего';
$a->strings['Collapse contact'] = 'Сворачивать контакт';
$a->strings['Their posts and replies will keep appearing in your Network page but their content will be collapsed by default.'] = 'Их записи и комментарии будут появляться в вашей ленте, но они будут свёрнуты.';
$a->strings['Their posts won\'t appear in your Network page anymore, but their replies can appear in forum threads. They still can follow you.'] = 'Их записи и комментарии не будут больше появляться в вашей ленте, но могут появляться в групповых ветках. Так же они могут подписаться на вас.';
$a->strings['Block contact'] = 'Заблокировать контакт';
$a->strings['Their posts won\'t appear in your Network page anymore, but their replies can appear in forum threads, with their content collapsed by default. They cannot follow you but still can have access to your public posts by other means.'] = 'Их записи не будут появляться в вашей ленте, но их ответы могут появляться в групповых ветках в свёрнутом виде. Они не смогут подписаться на вас, но могут увидеть ваши публичные записи другими способами.';
$a->strings['Forward report'] = 'Переслать обращение';
$a->strings['Would you ike to forward this report to the remote server?'] = 'Вы хотите переслать это обращение на удалённый сервер?';
$a->strings['1. Pick a contact'] = '1. Выберите контакт';
$a->strings['2. Pick a category'] = '2. Выберите категорию';
$a->strings['2a. Pick rules'] = '2a. Выберите правила';
$a->strings['2b. Add comment'] = '2b. Добавьте комментарий';
$a->strings['3. Pick posts'] = '3. Выберите записи';
$a->strings['List of reports'] = 'Список обращений';
$a->strings['This page display reports created by our or remote users.'] = 'Эта страница показывает обращения, созданные нашими или удалёнными пользователями.';
$a->strings['No report exists at this node.'] = 'Обращений на этом узле нет.';
$a->strings['Category'] = 'Категория';
$a->strings['%s total report'] = [
0 => '%s обращение',
1 => '%s обращения',
2 => '%s обращений',
3 => '%s обращений',
];
$a->strings['URL of the reported contact.'] = 'URL контакта в обращении.';
$a->strings['Normal Account'] = 'Обычный аккаунт';
$a->strings['Automatic Follower Account'] = '"Автоматический друг" Аккаунт';
$a->strings['Public Forum Account'] = 'Публичный форум';
$a->strings['Public Group Account'] = 'Публичная группа';
$a->strings['Automatic Friend Account'] = '"Автоматический друг" Аккаунт';
$a->strings['Blog Account'] = 'Аккаунт блога';
$a->strings['Private Forum Account'] = 'Закрытый форум';
$a->strings['Private Group Account'] = 'Закрытая группа';
$a->strings['Registered users'] = 'Зарегистрированные пользователи';
$a->strings['Pending registrations'] = 'Ожидающие регистрации';
$a->strings['%s user blocked'] = [
@ -1929,6 +2226,7 @@ $a->strings['No contacts.'] = 'Нет контактов.';
$a->strings['%s\'s timeline'] = 'Лента %s';
$a->strings['%s\'s posts'] = 'Записи %s';
$a->strings['%s\'s comments'] = 'Комментарии %s';
$a->strings['Image exceeds size limit of %s'] = 'Изображение превышает лимит размера в %s';
$a->strings['Image upload didn\'t complete, please try again'] = 'Не получилось загрузить изображение, попробуйте снова';
$a->strings['Image file is missing'] = 'Файл изображения не найден';
$a->strings['Server can\'t accept new file upload at this time, please contact your administrator'] = 'Сервер не принимает новые файлы для загрузки в настоящий момент, пожалуйста, свяжитесь с администратором';
@ -1949,7 +2247,7 @@ $a->strings['%d year old'] = [
3 => '%dлет',
];
$a->strings['Description:'] = 'Описание:';
$a->strings['Forums:'] = 'Форумы:';
$a->strings['Groups:'] = 'Группы:';
$a->strings['View profile as:'] = 'Посмотреть профиль как:';
$a->strings['View as'] = 'Посмотреть как';
$a->strings['Profile unavailable.'] = 'Профиль недоступен.';
@ -2072,7 +2370,7 @@ $a->strings['Importing Contacts done'] = 'Импорт контактов зав
$a->strings['Relocate message has been send to your contacts'] = 'Перемещённое сообщение было отправлено списку контактов';
$a->strings['Unable to find your profile. Please contact your admin.'] = 'Не получается найти ваш профиль. Пожалуйста свяжитесь с администратором.';
$a->strings['Personal Page Subtypes'] = 'Подтипы личной страницы';
$a->strings['Community Forum Subtypes'] = 'Подтипы форума сообщества';
$a->strings['Community Group Subtypes'] = 'Типы групп сообществ';
$a->strings['Account for a personal profile.'] = 'Личная учётная запись';
$a->strings['Account for an organisation that automatically approves contact requests as "Followers".'] = 'Учётная запись организации, которая автоматически одобряет новых подписчиков.';
$a->strings['Account for a news reflector that automatically approves contact requests as "Followers".'] = 'Учётная запись новостной ленты, которая автоматически одобряет новых подписчиков.';
@ -2081,7 +2379,7 @@ $a->strings['Account for a regular personal profile that requires manual approva
$a->strings['Account for a public profile that automatically approves contact requests as "Followers".'] = 'Учётная запись для публичного профиля, которая автоматически одобряет новых подписчиков.';
$a->strings['Automatically approves all contact requests.'] = 'Автоматически одобряет все запросы на подписку.';
$a->strings['Account for a popular profile that automatically approves contact requests as "Friends".'] = 'Учётная запись для публичной личности, которая автоматически добавляет все новые контакты в друзья.';
$a->strings['Private Forum [Experimental]'] = 'Личный форум [экспериментально]';
$a->strings['Private Group [Experimental]'] = 'Частная группа [экспериментально]';
$a->strings['Requires manual approval of contact requests.'] = 'Требует ручного одобрения запросов на подписку.';
$a->strings['OpenID:'] = 'OpenID:';
$a->strings['(Optional) Allow this OpenID to login to this account.'] = '(Необязательно) Разрешить этому OpenID входить в этот аккаунт';
@ -2096,6 +2394,7 @@ $a->strings['Password:'] = 'Пароль:';
$a->strings['Your current password to confirm the changes of the email address'] = 'Ваш текущий пароль для подтверждения смены адреса почты';
$a->strings['Delete OpenID URL'] = 'Удалить ссылку OpenID';
$a->strings['Basic Settings'] = 'Основные параметры';
$a->strings['Display name:'] = 'Отображаемое имя:';
$a->strings['Email Address:'] = 'Адрес электронной почты:';
$a->strings['Your Timezone:'] = 'Ваш часовой пояс:';
$a->strings['Your Language:'] = 'Ваш язык:';
@ -2122,6 +2421,8 @@ $a->strings['Your contacts can add additional tags to your posts.'] = 'Ваши
$a->strings['Permit unknown people to send you private mail?'] = 'Разрешить незнакомым людям отправлять вам личные сообщения?';
$a->strings['Friendica network users may send you private messages even if they are not in your contact list.'] = 'Пользователи Френдики могут отправлять вам личные сообщения даже если их нет в вашем списке контактов.';
$a->strings['Maximum private messages per day from unknown people:'] = 'Максимальное количество личных сообщений от незнакомых людей в день:';
$a->strings['Default privacy circle for new contacts'] = 'Круг по-умолчанию для новых контактов';
$a->strings['Default privacy circle for new group contacts'] = 'Круг по-умолчанию для новых групп';
$a->strings['Default Post Permissions'] = 'Разрешение на сообщения по умолчанию';
$a->strings['Expiration settings'] = 'Очистка старых записей';
$a->strings['Automatically expire posts after this many days:'] = 'Автоматическое истекание срока действия сообщения после стольких дней:';
@ -2193,6 +2494,8 @@ $a->strings['Attach the link title'] = 'Присоединять заголов
$a->strings['When activated, the title of the attached link will be added as a title on posts to Diaspora. This is mostly helpful with "remote-self" contacts that share feed content.'] = 'Если включено. заголовок добавленной ссылки будет добавлен к записи в Диаспоре как заголовок. Это в основном нужно для контактов "мой двойник", которые публикуют содержимое ленты.';
$a->strings['API: Use spoiler field as title'] = 'API: Использовать спойлер как заголовок';
$a->strings['When activated, the "spoiler_text" field in the API will be used for the title on standalone posts. When deactivated it will be used for spoiler text. For comments it will always be used for spoiler text.'] = 'Если включено, поле "spoiler_text" в API будет использоваться как заголовок для отдельных записей. Если отключено, то оно будет использоваться как спойлер. Для комментариев оно всегда используется как спойлер.';
$a->strings['API: Automatically links at the end of the post as attached posts'] = 'API: Автоматически загружать ссылки в конце записей';
$a->strings['When activated, added links at the end of the post react the same way as added links in the web interface.'] = 'Если включено, ссылки в конце записей будут обрабатываться так же, как ссылки, добавленные через веб-интерфейс.';
$a->strings['Your legacy ActivityPub/GNU Social account'] = 'Ваша старая учётная запись ActivityPub/GNU Social';
$a->strings['If you enter your old account name from an ActivityPub based system or your GNU Social/Statusnet account name here (in the format user@domain.tld), your contacts will be added automatically. The field will be emptied when done.'] = 'Если вы введете тут вашу старую учетную запись от платформы совместимой с ActivityPub или GNU Social/Statusnet (в виде пользователь@домен), ваши контакты оттуда будут автоматически добавлены. Поле будет очищено когда все контакты будут добавлены.';
$a->strings['Repair OStatus subscriptions'] = 'Починить подписки OStatus';
@ -2237,6 +2540,7 @@ $a->strings['General Theme Settings'] = 'Общие настройки тем';
$a->strings['Custom Theme Settings'] = 'Личные настройки тем';
$a->strings['Content Settings'] = 'Настройки контента';
$a->strings['Theme settings'] = 'Настройки темы';
$a->strings['Timelines'] = 'Ленты';
$a->strings['Display Theme:'] = 'Показать тему:';
$a->strings['Mobile Theme:'] = 'Мобильная тема:';
$a->strings['Number of items to display per page:'] = 'Количество элементов, отображаемых на одной странице:';
@ -2258,12 +2562,16 @@ $a->strings['Stay local'] = 'Оставаться локально';
$a->strings['Don\'t go to a remote system when following a contact link.'] = 'Не переходить на другие серверы по ссылкам профилей.';
$a->strings['Link preview mode'] = 'Предпросмотр ссылок';
$a->strings['Appearance of the link preview that is added to each post with a link.'] = 'Внешний вид предпросмотра ссылок, который появляется в записях со ссылками.';
$a->strings['Timelines for the network page:'] = 'Ленты для основной страницы:';
$a->strings['Select all the timelines that you want to see on your network page.'] = 'Выберите все ленты, которые вы хотите видеть на вашей основной странице.';
$a->strings['Channel languages:'] = 'Языки каналов:';
$a->strings['Select all languages that you want to see in your channels.'] = 'Выберите все языки, которые вы хотите видеть в своих каналах.';
$a->strings['Beginning of week:'] = 'Начало недели:';
$a->strings['Default calendar view:'] = 'Вид календаря по-умолчанию:';
$a->strings['Additional Features'] = 'Дополнительные возможности';
$a->strings['Connected Apps'] = 'Подключенные приложения';
$a->strings['Remove authorization'] = 'Удалить авторизацию';
$a->strings['Profile Name is required.'] = 'Необходимо имя профиля.';
$a->strings['Display Name is required.'] = 'Необходимо указать имя';
$a->strings['Profile couldn\'t be updated.'] = 'Профиль не получилось обновить.';
$a->strings['Label:'] = 'Поле:';
$a->strings['Value:'] = 'Значение:';
@ -2280,7 +2588,15 @@ $a->strings['Location'] = 'Местонахождение';
$a->strings['Miscellaneous'] = 'Разное';
$a->strings['Custom Profile Fields'] = 'Произвольные поля профиля';
$a->strings['Upload Profile Photo'] = 'Загрузить фото профиля';
$a->strings['Display name:'] = 'Отображаемое имя:';
$a->strings['<p>Custom fields appear on <a href="%s">your profile page</a>.</p>
<p>You can use BBCodes in the field values.</p>
<p>Reorder by dragging the field title.</p>
<p>Empty the label field to remove a custom field.</p>
<p>Non-public fields can only be seen by the selected Friendica contacts or the Friendica contacts in the selected circles.</p>'] = '<p>Произвольные поля видны на <a href="%s">вашей странице профиля</a>.</p>
<p>Вы можете использовать BBCode в значениях полей.</p>
<p>Меняйте порядок перетаскиванием.</p>
<p>Сотрите название для удаления поля.</p>
<p>Закрытые поля будут видны только выбранным контактам из Friendica, либо контактам из выбранных кругов.</p>';
$a->strings['Street Address:'] = 'Адрес:';
$a->strings['Locality/City:'] = 'Город / Населенный пункт:';
$a->strings['Region/State:'] = 'Район / Область:';
@ -2295,15 +2611,6 @@ $a->strings['Public Keywords:'] = 'Общественные ключевые с
$a->strings['(Used for suggesting potential friends, can be seen by others)'] = '(Используется для предложения потенциальным друзьям, могут увидеть другие)';
$a->strings['Private Keywords:'] = 'Личные ключевые слова:';
$a->strings['(Used for searching profiles, never shown to others)'] = '(Используется для поиска профилей, никогда не показывается другим)';
$a->strings['<p>Custom fields appear on <a href="%s">your profile page</a>.</p>
<p>You can use BBCodes in the field values.</p>
<p>Reorder by dragging the field title.</p>
<p>Empty the label field to remove a custom field.</p>
<p>Non-public fields can only be seen by the selected Friendica contacts or the Friendica contacts in the selected groups.</p>'] = '<p>Произвольные поля видны <a href="%s">на вашей странице профиля</a>.</p>
<p>В значениях полей можно использовать BBCode.</p>
<p>Меняйте порядок перетаскиванием.</p>
<p>Сотрите название для удаления поля.</p>
<p>Закрытые поля будут видны только выбранным контактам из Friendica, либо контактам из выбранных групп.</p>';
$a->strings['Image size reduction [%s] failed.'] = 'Уменьшение размера изображения [%s] не удалось.';
$a->strings['Shift-reload the page or clear browser cache if the new photo does not display immediately.'] = 'Перезагрузите страницу с зажатой клавишей "Shift" для того, чтобы увидеть свое новое фото немедленно.';
$a->strings['Unable to process image'] = 'Не удается обработать изображение';
@ -2328,6 +2635,14 @@ $a->strings['Your user account has been successfully removed. Bye bye!'] = 'Ва
$a->strings['Remove My Account'] = 'Удалить мой аккаунт';
$a->strings['This will completely remove your account. Once this has been done it is not recoverable.'] = 'Это позволит полностью удалить ваш аккаунт. Как только это будет сделано, аккаунт восстановлению не подлежит.';
$a->strings['Please enter your password for verification:'] = 'Пожалуйста, введите свой пароль для проверки:';
$a->strings['Do you want to ignore this server?'] = 'Вы хотите игнорировать этот сервер?';
$a->strings['Do you want to unignore this server?'] = 'Вы хотите прекратить игнорировать этот сервер?';
$a->strings['Remote server settings'] = 'Настройки сервера';
$a->strings['Server URL'] = 'URL сервера';
$a->strings['Settings saved'] = 'Настройки сохранены';
$a->strings['Here you can find all the remote servers you have taken individual moderation actions against. For a list of servers your node has blocked, please check out the <a href="friendica">Information</a> page.'] = 'Здесь вы можете найти все серверы, к которым вы применяли действия модерации. Чтобы посмотреть список серверов, которые заблокировал ваш узел, пожалуйста, посмотрите страницу <a href="friendica">информации</a> об узле.';
$a->strings['Delete all your settings for the remote server'] = 'Удалить ваши настройки для удалённого сервера';
$a->strings['Save changes'] = 'Сохранить изменения';
$a->strings['Please enter your password to access this page.'] = 'Пожалуйста, введите ваш пароль для доступа к этой странице.';
$a->strings['App-specific password generation failed: The description is empty.'] = 'Создание пароля приложения не удалось: не указано описание';
$a->strings['App-specific password generation failed: This description already exists.'] = 'Создание пароля приложения не удалось: такое описание уже есть.';
@ -2422,10 +2737,21 @@ $a->strings['Export all'] = 'Экспорт всего';
$a->strings['Export your account info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)'] = 'Выгрузить информацию о вашей учётной записи, контактах и всех ваших записях как файл JSON. Это может занять много времени и создать очень большой файл. Используйте это для создания резервной копии вашей учётной записи (изображения в неё не войдут).';
$a->strings['Export Contacts to CSV'] = 'Экспорт контактов в CSV';
$a->strings['Export the list of the accounts you are following as CSV file. Compatible to e.g. Mastodon.'] = 'Выгрузить список пользователей, на которых вы подписаны, в CSV-файл. Совместимо с Mastodon и др.';
$a->strings['Not Found'] = 'Не найдено';
$a->strings['The top-level post isn\'t visible.'] = 'Родительская запись скрыта.';
$a->strings['The top-level post was deleted.'] = 'Родительская запись была удалена.';
$a->strings['This node has blocked the top-level author or the author of the shared post.'] = 'Этот узел заблокировал автора основной записи или поделившегося ей.';
$a->strings['You have ignored or blocked the top-level author or the author of the shared post.'] = 'Вы игнорируете или заблокировали автора основной записи или поделившегося ей.';
$a->strings['You have ignored the top-level author\'s server or the shared post author\'s server.'] = 'Вы игорируете сервер автора основной записи или сервер поделившегося ей.';
$a->strings['Conversation Not Found'] = 'Запись не найдена';
$a->strings['Unfortunately, the requested conversation isn\'t available to you.'] = 'К сожалению, эта запись вам недоступна.';
$a->strings['Possible reasons include:'] = 'Возможные причины этого:';
$a->strings['At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node\'s user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication.'] = 'При регистрации и для организации взаимодействия между пользователем и другими контактами, пользователь должен указать отображаемое имя (псевдоним), имя учётной записи (ник) и действующий адрес электронной почты. Имена будут видны на странице профиля для любого посетителя, даже если другие данные будут скрыты. Адрес электронной почты будет использоваться только для отправки пользователю уведомлений о действиях, но не будет нигде отображаться. Добавление пользователя в каталог узла или глобальный каталог опционально и управляется настройками, оно не обязательно для общения в сети.';
$a->strings['This data is required for communication and is passed on to the nodes of the communication partners and is stored there. Users can enter additional private data that may be transmitted to the communication partners accounts.'] = 'Эти данные необходимы для взаимодействия и передаются другим узлам партнёров по сети и сохраняются там. Пользователи могут добавить дополнительные личные данные, которые тоже могут передаваться на другие узлы.';
$a->strings['At any point in time a logged in user can export their account data from the <a href="%1$s/settings/userexport">account settings</a>. If the user wants to delete their account they can do so at <a href="%1$s/settings/removeme">%1$s/settings/removeme</a>. The deletion of the account will be permanent. Deletion of the data will also be requested from the nodes of the communication partners.'] = 'В любой момент вошедший в систему пользователь может экспортировать свои данные через <a href="%1$s/settings/userexport">настройки</a>. Если пользователь хочет удалить свою учётную запись, они могут сделать это через <a href="%1$s/settings/removeme">%1$s/settings/removeme</a>. Удаление данных будет без возможности восстановления. Запрос на удаление данных будет так же передан на узлы партнёров по сети.';
$a->strings['Privacy Statement'] = 'Положение о конфиденциальности';
$a->strings['Rules'] = 'Правила';
$a->strings['Parameter uri_id is missing.'] = 'Параметр uri_id отсутствует.';
$a->strings['The requested item doesn\'t exist or has been deleted.'] = 'Запрошенная запись не существует или была удалена.';
$a->strings['User imports on closed servers can only be done by an administrator.'] = 'Импорт пользователей на закрытых серверах может быть произведён только администратором.';
$a->strings['Move account'] = 'Удалить аккаунт';
$a->strings['You can import an account from another Friendica server.'] = 'Вы можете импортировать учетную запись с другого сервера Friendica.';
@ -2468,8 +2794,8 @@ $a->strings['Go to Your Site\'s Directory'] = 'Перейти в каталог
$a->strings['The Directory page lets you find other people in this network or other federated sites. Look for a <em>Connect</em> or <em>Follow</em> link on their profile page. Provide your own Identity Address if requested.'] = 'На странице каталога вы можете найти других людей в этой сети или на других похожих сайтах. Ищите ссылки <em>Подключить</em> или <em>Подписаться</em> на страницах их профилей. Укажите свой собственный адрес идентификации, если требуется.';
$a->strings['Finding New People'] = 'Поиск людей';
$a->strings['On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours.'] = 'На боковой панели страницы Контакты есть несколько инструментов, чтобы найти новых друзей. Мы можем искать по соответствию интересам, посмотреть людей по имени или интересам, и внести предложения на основе сетевых отношений. На новом сайте, предложения дружбы, как правило, начинают заполняться в течение 24 часов.';
$a->strings['Group Your Contacts'] = 'Группа "ваши контакты"';
$a->strings['Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page.'] = 'После того, как вы найдете несколько друзей, организуйте их в группы частных бесед в боковой панели на странице Контакты, а затем вы можете взаимодействовать с каждой группой приватно или на вашей странице Сеть.';
$a->strings['Add Your Contacts To Circle'] = 'Добавьте ваши контакты в круги';
$a->strings['Once you have made some friends, organize them into private conversation circles from the sidebar of your Contacts page and then you can interact with each circle privately on your Network page.'] = 'После того, как вы найдете несколько друзей, соберите их в круги частных бесед в боковой панели на странице Контакты, а затем вы можете взаимодействовать с каждой группой приватно в вашей ленте.';
$a->strings['Why Aren\'t My Posts Public?'] = 'Почему мои записи не публичные?';
$a->strings['Friendica respects your privacy. By default, your posts will only show up to people you\'ve added as friends. For more information, see the help section from the link above.'] = 'Friendica уважает вашу приватность. По умолчанию, ваши сообщения будут показываться только для людей, которых вы добавили в список друзей. Для получения дополнительной информации см. раздел справки по ссылке выше.';
$a->strings['Getting Help'] = 'Получить помощь';
@ -2581,6 +2907,8 @@ $a->strings['Delete globally'] = 'Удалить везде';
$a->strings['Remove locally'] = 'Убрать для себя';
$a->strings['Block %s'] = 'Заблокировать %s';
$a->strings['Ignore %s'] = 'Игнорировать %s';
$a->strings['Collapse %s'] = 'Сворачивать %s';
$a->strings['Report post'] = 'Пожаловаться';
$a->strings['Save to folder'] = 'Сохранить в папку';
$a->strings['I will attend'] = 'Я буду';
$a->strings['I will not attend'] = 'Меня не будет';
@ -2722,7 +3050,7 @@ $a->strings['Center'] = 'Центр';
$a->strings['Color scheme'] = 'Цветовая схема';
$a->strings['Posts font size'] = 'Размер шрифта записей';
$a->strings['Textareas font size'] = 'Размер шрифта текстовых полей';
$a->strings['Comma separated list of helper forums'] = 'Разделенный запятыми список форумов помощи';
$a->strings['Comma separated list of helper groups'] = 'Список групп поддержки через запятую';
$a->strings['don\'t show'] = 'не показывать';
$a->strings['show'] = 'показывать';
$a->strings['Set style'] = 'Установить стиль';

File diff suppressed because it is too large Load Diff

View File

@ -223,18 +223,8 @@ $a->strings['Twitter'] = 'Twitter';
$a->strings['Discourse'] = 'Discourse';
$a->strings['ActivityPub'] = 'ActivityPub';
$a->strings['pnut'] = 'pnut';
$a->strings['%s likes this.'] = '%s gillar det här.';
$a->strings['%s doesn\'t like this.'] = '%s ogillar det här.';
$a->strings['%s attends.'] = '%s deltar.';
$a->strings['%s doesn\'t attend.'] = '%s deltar inte.';
$a->strings['%s attends maybe.'] = '%s deltar kanske.';
$a->strings['and'] = 'och';
$a->strings['and %d other people'] = 'och %d andra';
$a->strings['%s like this.'] = '%s gillar det här.';
$a->strings['%s don\'t like this.'] = '%s ogillar det här.';
$a->strings['%s attend.'] = '%s deltar.';
$a->strings['%s don\'t attend.'] = '%s deltar inte.';
$a->strings['%s attend maybe.'] = '%s deltar kanske.';
$a->strings['Visible to <strong>everybody</strong>'] = 'Synlig för <strong>alla</strong>';
$a->strings['Please enter a image/video/audio/webpage URL:'] = 'Vänligen fyll i URL till en bild/video/ljudklipp/hemsida:';
$a->strings['Tag term:'] = 'Märkning/tagg:';
@ -266,11 +256,6 @@ $a->strings['Permission settings'] = 'Åtkomstinställningar';
$a->strings['Public post'] = 'Offentligt inlägg';
$a->strings['Message'] = 'Meddelande';
$a->strings['Browser'] = 'Bläddra';
$a->strings['View %s\'s profile @ %s'] = 'Visa profilen som tillhör %s @ %s';
$a->strings['Categories:'] = 'Kategorier:';
$a->strings['Filed under:'] = 'Sparad under:';
$a->strings['%s from %s'] = '%s från %s';
$a->strings['View in context'] = 'Visa i sitt sammanhang';
$a->strings['remove'] = 'ta bort';
$a->strings['Delete Selected Items'] = 'Ta bort valda föremål';
$a->strings['You are following %s.'] = 'Du följer %s.';
@ -279,16 +264,21 @@ $a->strings['Reshared by %s <%s>'] = 'Delad igen av %s <%s>';
$a->strings['%s is participating in this thread.'] = '%s deltar i den här tråden.';
$a->strings['Fetched'] = 'Hämtad';
$a->strings['Fetched because of %s <%s>'] = 'Hämtades på grund av %s <%s>';
$a->strings['View %s\'s profile @ %s'] = 'Visa profilen som tillhör %s @ %s';
$a->strings['Categories:'] = 'Kategorier:';
$a->strings['Filed under:'] = 'Sparad under:';
$a->strings['%s from %s'] = '%s från %s';
$a->strings['View in context'] = 'Visa i sitt sammanhang';
$a->strings['Personal'] = 'Privat';
$a->strings['Posts that mention or involve you'] = 'Inlägg som nämnde eller involverade dig';
$a->strings['Starred'] = 'Stjärnmärkt';
$a->strings['Favourite Posts'] = 'Favoriserade inlägg';
$a->strings['General Features'] = 'Generella funktioner';
$a->strings['Auto-mention Forums'] = 'Nämn forumen automatiskt';
$a->strings['Add categories to your posts'] = 'Lägg till kategorier till dina inlägg';
$a->strings['Advanced Profile Settings'] = 'Avancerade profil-inställningar';
$a->strings['List Forums'] = 'Lista forum';
$a->strings['Tag Cloud'] = 'Taggmoln';
$a->strings['Display Membership Date'] = 'Visa datum för medlemskap';
$a->strings['Display membership date in profile'] = 'Visa datum för medlemskapet i profilen';
$a->strings['Forums'] = 'Forum';
$a->strings['External link to forum'] = 'Extern länk till forum';
$a->strings['show less'] = 'visa mindre';
$a->strings['show more'] = 'visa mer';
$a->strings['event'] = 'händelse';
@ -309,7 +299,6 @@ $a->strings['Connect/Follow'] = 'Gör till kontakt/Följ';
$a->strings['Nothing new here'] = 'Inget nytt här';
$a->strings['Go back'] = 'Gå tillbaka';
$a->strings['Clear notifications'] = 'Rensa aviseringar';
$a->strings['@name, !forum, #tags, content'] = '@namn, !forum, #taggar, innehåll';
$a->strings['Logout'] = 'Logga ut';
$a->strings['End this session'] = 'Avsluta den här sessionen';
$a->strings['Login'] = 'Logga in';
@ -394,7 +383,6 @@ $a->strings['Random Profile'] = 'Slumpmässig profil';
$a->strings['Invite Friends'] = 'Bjud in folk du känner';
$a->strings['Global Directory'] = 'Medlemskatalog för flera sajter (global)';
$a->strings['Local Directory'] = 'Lokal-mapp';
$a->strings['Groups'] = 'Grupper';
$a->strings['Everyone'] = 'Alla';
$a->strings['Relationships'] = 'Relationer';
$a->strings['All Contacts'] = 'Alla kontakter';
@ -514,9 +502,11 @@ $a->strings['%s: Database update'] = '%s: Uppdatering av databas';
$a->strings['Record not found'] = 'Posten hittades inte';
$a->strings['Unauthorized'] = 'Ej autentiserad';
$a->strings['Internal Server Error'] = 'Internt server-fel';
$a->strings['Everybody'] = 'Alla';
$a->strings['edit'] = 'redigera';
$a->strings['add'] = 'lägg till';
$a->strings['Approve'] = 'Godkänn';
$a->strings['Organisation'] = 'Organisation';
$a->strings['Forum'] = 'Forum';
$a->strings['Disallowed profile URL.'] = 'Otillåten profil-URL.';
$a->strings['Blocked domain'] = 'Blockerad domän';
$a->strings['The profile address specified does not provide adequate information.'] = 'Angiven profiladress ger inte tillräcklig information.';
@ -542,14 +532,6 @@ $a->strings['Show map'] = 'Visa karta';
$a->strings['Hide map'] = 'Göm karta';
$a->strings['%s\'s birthday'] = '%s\'s födelsedag';
$a->strings['Happy Birthday %s'] = 'Grattis på födelsedagen %s';
$a->strings['Everybody'] = 'Alla';
$a->strings['edit'] = 'redigera';
$a->strings['add'] = 'lägg till';
$a->strings['Edit group'] = 'Redigera gruppen';
$a->strings['Contacts not in any group'] = 'Kontakterna finns inte i någon av grupperna';
$a->strings['Create a new group'] = 'Skapa ny grupp';
$a->strings['Group Name: '] = 'Gruppens namn: ';
$a->strings['Edit groups'] = 'Redigera grupper';
$a->strings['Detected languages in this post:\n%s'] = 'Upptäckte språken i det här inlägget:\n%s';
$a->strings['activity'] = 'aktivitet';
$a->strings['comment'] = 'kommentar';
@ -772,6 +754,10 @@ $a->strings['Events'] = 'Evenemang';
$a->strings['View'] = 'Visa';
$a->strings['Create New Event'] = 'Skapa nytt evenemang';
$a->strings['list'] = 'lista';
$a->strings['Contact not found.'] = 'Kontakten hittades inte.';
$a->strings['Invalid contact.'] = 'Ogiltig kontakt.';
$a->strings['Members'] = 'Medlemmar';
$a->strings['Click on a contact to add or remove.'] = 'Klicka på en kontakt för att lägga till eller ta bort.';
$a->strings['Show all contacts'] = 'Visa alla kontakter';
$a->strings['Pending'] = 'Väntande';
$a->strings['Blocked'] = 'Blockerad';
@ -792,11 +778,9 @@ $a->strings['you are a fan of'] = 'du är fan till';
$a->strings['Pending outgoing contact request'] = 'Väntande utgående kontaktbegäran';
$a->strings['Pending incoming contact request'] = 'Väntande inkommande kontaktbegäran';
$a->strings['Visit %s\'s profile [%s]'] = 'Besök %s\'s profil [%s]';
$a->strings['Contact not found.'] = 'Kontakten hittades inte.';
$a->strings['Contact update failed.'] = 'Det gick inte att uppdatera kontakt.';
$a->strings['Name'] = 'Namn';
$a->strings['New photo from this URL'] = 'Nytt foto från den här webbadressen';
$a->strings['Invalid contact.'] = 'Ogiltig kontakt.';
$a->strings['No known contacts.'] = 'Inga kända kontakter.';
$a->strings['No common contacts.'] = 'Inga gemensamma kontakter.';
$a->strings['Follower (%s)'] = [
@ -864,17 +848,11 @@ $a->strings['You aren\'t following this contact.'] = 'Du följer inte den här k
$a->strings['Unfollowing is currently not supported by your network.'] = 'Avföljning stöds för närvarande inte av ditt nätverk.';
$a->strings['Disconnect/Unfollow'] = 'Koppla ur/Avfölj';
$a->strings['Contact was successfully unfollowed'] = 'Avföljningen av kontakten lyckades';
$a->strings['No results.'] = 'Inga resultat.';
$a->strings['Not available.'] = 'Inte tillgängligt.';
$a->strings['Own Contacts'] = 'Egna kontakter';
$a->strings['Include'] = 'Inkludera';
$a->strings['Hide'] = 'Dölj';
$a->strings['No results.'] = 'Inga resultat.';
$a->strings['Not available.'] = 'Inte tillgängligt.';
$a->strings['No such group'] = 'Gruppen finns inte';
$a->strings['Group: %s'] = 'Grupp: %s';
$a->strings['Personal'] = 'Privat';
$a->strings['Posts that mention or involve you'] = 'Inlägg som nämnde eller involverade dig';
$a->strings['Starred'] = 'Stjärnmärkt';
$a->strings['Favourite Posts'] = 'Favoriserade inlägg';
$a->strings['Error'] = [
0 => 'Fel',
1 => 'Fel',
@ -898,14 +876,6 @@ $a->strings['Suggest Friends'] = 'Föreslå vänner';
$a->strings['Suggest a friend for %s'] = 'Föreslå en vän till %s';
$a->strings['Reason for the block'] = 'Anledning för blockeringen';
$a->strings['Bug reports and issues: please visit'] = 'Anmäl buggar eller andra problem, gå till';
$a->strings['Could not create group.'] = 'Det gick inte att skapa gruppen.';
$a->strings['Group not found.'] = 'Gruppen hittades inte.';
$a->strings['Save Group'] = 'Spara grupp';
$a->strings['Create a group of contacts/friends.'] = 'Skapa en grupp med kontakter/vänner.';
$a->strings['Unable to remove group.'] = 'Det gick inte att ta bort gruppen.';
$a->strings['Members'] = 'Medlemmar';
$a->strings['Group is empty'] = 'Gruppen är tom';
$a->strings['Click on a contact to add or remove.'] = 'Klicka på en kontakt för att lägga till eller ta bort.';
$a->strings['No profile'] = 'Ingen profil';
$a->strings['Help:'] = 'Hjälp:';
$a->strings['Welcome to %s'] = 'Välkommen till %s';
@ -941,7 +911,6 @@ $a->strings['Or - did you try to upload an empty file?'] = 'Eller - provade du a
$a->strings['File exceeds size limit of %s'] = 'Filen överstiger maxstorleken %s';
$a->strings['File upload failed.'] = 'Uppladdning av filen misslyckades.';
$a->strings['Unable to process image.'] = 'Det gick inte att behandla bilden.';
$a->strings['Image exceeds size limit of %s'] = 'Bildstorlek överstiger %s';
$a->strings['Image upload failed.'] = 'Fel vid bilduppladdning.';
$a->strings['List of all users'] = 'Lista över alla användare';
$a->strings['Active'] = 'Aktiv';
@ -951,8 +920,6 @@ $a->strings['List of blocked users'] = 'Lista över blockerade användare';
$a->strings['Deleted'] = 'Ta bort';
$a->strings['List of pending user deletions'] = 'Lista över väntande borttagningar av användare';
$a->strings['Normal Account Page'] = 'Normal konto-sida';
$a->strings['Public Forum'] = 'Publikt forum';
$a->strings['Private Forum'] = 'Privat forum';
$a->strings['Personal Page'] = 'Personlig sida';
$a->strings['Organisation Page'] = 'Sida för organisation';
$a->strings['Relay'] = 'Fördröj';
@ -1046,6 +1013,7 @@ $a->strings['Remove Item Tag'] = 'Ta bort tagg';
$a->strings['Select a tag to remove: '] = 'Välj vilken tagg som ska tas bort: ';
$a->strings['Remove'] = 'Ta bort';
$a->strings['No contacts.'] = 'Inga kontakter.';
$a->strings['Image exceeds size limit of %s'] = 'Bildstorlek överstiger %s';
$a->strings['Image upload didn\'t complete, please try again'] = 'Uppladdningen av bilden slutfördes inte, vänligen försök igen.';
$a->strings['Image file is missing'] = 'Bildfilen saknas';
$a->strings['Server can\'t accept new file upload at this time, please contact your administrator'] = 'Servern kan just nu inte acceptera uppladdning av en ny fil, vänligen kontakta din administratör';
@ -1095,7 +1063,6 @@ $a->strings['Settings were not updated.'] = 'Inställningarna uppdaterades inte.
$a->strings['Unable to find your profile. Please contact your admin.'] = 'Kunde inte hitta din profil. Vänligen kontakta din admin.';
$a->strings['Account for a personal profile.'] = 'Konto för personlig profil.';
$a->strings['Automatically approves all contact requests.'] = 'Godkänner automatiskt alla kontaktförfrågningar.';
$a->strings['Private Forum [Experimental]'] = 'Privat forum [Experimentiell]';
$a->strings['OpenID:'] = 'OpenID:';
$a->strings['(Optional) Allow this OpenID to login to this account.'] = '(Valfritt) Tillåt detta OpenID för att logga in till det här kontot.';
$a->strings['Account Settings'] = 'Kontoinställningar';
@ -1171,7 +1138,6 @@ $a->strings['Infinite scroll'] = 'Oändlig skroll';
$a->strings['Additional Features'] = 'Ytterligare funktioner';
$a->strings['Connected Apps'] = 'Anslutna appar';
$a->strings['Remove authorization'] = 'Ta bort autentisering';
$a->strings['Profile Name is required.'] = 'Profilen måste ha ett namn.';
$a->strings['(click to open/close)'] = '(klicka för att öppna/stänga)';
$a->strings['Edit Profile Details'] = 'Ändra profilen';
$a->strings['Change Profile Photo'] = 'Byt profilfoto';
@ -1221,7 +1187,6 @@ $a->strings['Edit Your Profile'] = 'Redigera din profil';
$a->strings['Connecting'] = 'Ansluter';
$a->strings['Importing Emails'] = 'Importerar e-post';
$a->strings['Finding New People'] = 'Hitta nya personer';
$a->strings['Group Your Contacts'] = 'Gruppera dina kontakter';
$a->strings['Why Aren\'t My Posts Public?'] = 'Varför visas inte mina inlägg publikt?';
$a->strings['Getting Help'] = 'Få hjälp';
$a->strings['Go to the Help Section'] = 'Gå till Hjälp-sektionen';

View File

@ -1,5 +0,0 @@
{{if $image.preview}}
<a data-fancybox="{{$image.uri_id}}" href="{{$image.attachment.url}}"><img src="{{$image.preview}}" alt="{{$image.attachment.description}}" title="{{$image.attachment.description}}"></a>
{{else}}
<img src="{{$image.src}}" alt="{{$image.attachment.description}}" title="{{$image.attachment.description}}">
{{/if}}

View File

@ -1,12 +1,12 @@
<div class="imagegrid-row">
<div class="imagegrid-column">
{{foreach $columns.fc as $img}}
{{include file="content/image.tpl" image=$img}}
{{include file="content/image/single.tpl" image=$img}}
{{/foreach}}
</div>
<div class="imagegrid-column">
{{foreach $columns.sc as $img}}
{{include file="content/image.tpl" image=$img}}
{{include file="content/image/single.tpl" image=$img}}
{{/foreach}}
</div>
</div>
</div>

View File

@ -0,0 +1,12 @@
{{foreach $rows as $images}}
<div class="masonry-row" style="height: {{$images->getHeightRatio()}}%">
{{foreach $images as $image}}
{{* The absolute pixel value in the calc() should be mirrored from the .imagegrid-row column-gap value *}}
{{include file="content/image/single_with_height_allocation.tpl"
image=$image
allocated_height="calc(`$image->heightRatio * $image->widthRatio / 100`% - 5px / `$column_size`)"
allocated_width="`$image->widthRatio`%"
}}
{{/foreach}}
</div>
{{/foreach}}

View File

@ -0,0 +1,5 @@
{{if $image->preview}}
<a data-fancybox="{{$image->uriId}}" href="{{$image->url}}"><img src="{{$image->preview}}" alt="{{$image->description}}" title="{{$image->description}}" loading="lazy"></a>
{{else}}
<img src="{{$image->url}}" alt="{{$image->description}}" title="{{$image->description}}" loading="lazy">
{{/if}}

View File

@ -0,0 +1,20 @@
{{* The padding-top height allocation trick only works if the <figure> fills its parent's width completely or with flex. 🤷
As a result, we need to add a wrapping element for non-flex (non-image grid) environments, mostly single-image cases.
*}}
{{if $allocated_max_width}}
<div style="max-width: {{$allocated_max_width|default:"auto"}};">
{{/if}}
<figure class="img-allocated-height" style="width: {{$allocated_width|default:"auto"}}; padding-bottom: {{$allocated_height}}">
{{if $image->preview}}
<a data-fancybox="uri-id-{{$image->uriId}}" href="{{$image->url}}">
<img src="{{$image->preview}}" alt="{{$image->description}}" title="{{$image->description}}" loading="lazy">
</a>
{{else}}
<img src="{{$image->url}}" alt="{{$image->description}}" title="{{$image->description}}" loading="lazy">
{{/if}}
</figure>
{{if $allocated_max_width}}
</div>
{{/if}}

View File

@ -21,10 +21,23 @@
{{* here are the different actions like private message, delete and so on *}}
{{* @todo we have two different photo menus one for contacts and one for items at the network stream. We currently use the contact photo menu, so the items options are missing We need to move them *}}
<div class="hover-card-actions-social">
{{if $profile.actions.pm}}<a class="btn btn-labeled btn-primary btn-sm add-to-modal" href="{{$profile.actions.pm.1}}" aria-label="{{$profile.actions.pm.0}}"><i class="fa fa-envelope" aria-hidden="true" title="{{$profile.actions.pm.0}}"></i><span class="sr-only">{{$profile.actions.pm.0}}</span></a>{{/if}}
{{if $profile.actions.pm}}
<a class="btn btn-labeled btn-primary btn-sm add-to-modal" href="{{$profile.actions.pm.1}}" title="{{$profile.actions.pm.0}}">
<i class="fa fa-envelope" aria-hidden="true"></i>
<span class="sr-only">{{$profile.actions.pm.0}}</span>
</a>
{{/if}}
{{if $profile.addr && !$profile.self}}
<a class="btn btn-labeled btn-primary btn-sm" href="{{$profile.actions.mention.1}}" title="{{$profile.actions.mention.0}}">
<i class="fa fa-pencil-square-o" aria-hidden="true"></i>
<span class="sr-only">{{$profile.actions.mention.0}}</span>
</a>
{{/if}}
</div>
<div class="hover-card-actions-connection">
{{if $profile.actions.network}}<a class="btn btn-labeled btn-primary btn-sm" href="{{$profile.actions.network.1}}" aria-label="{{$profile.actions.network.0}}" title="{{$profile.actions.network.0}}"><i class="fa fa-cloud" aria-hidden="true"></i></a>{{/if}}
{{if $profile.actions.network}}<a class="btn btn-labeled btn-primary btn-sm" href="{{$profile.actions.network.1}}" aria-label="{{$profile.actions.network.0}}" title="{{$profile.actions.network.0}}"><i class="fa fa-{{($profile.contact_type==3) ? group : cloud}}" aria-hidden="true"></i></a>{{/if}}
{{if $profile.actions.edit}}<a class="btn btn-labeled btn-primary btn-sm" href="{{$profile.actions.edit.1}}" aria-label="{{$profile.actions.edit.0}}" title="{{$profile.actions.edit.0}}"><i class="fa fa-user" aria-hidden="true"></i></a>{{/if}}
{{if $profile.actions.follow}}<a class="btn btn-labeled btn-primary btn-sm" href="{{$profile.actions.follow.1}}" aria-label="{{$profile.actions.follow.0}}" title="{{$profile.actions.follow.0}}"><i class="fa fa-user-plus" aria-hidden="true"></i></a>{{/if}}
{{if $profile.actions.unfollow}}<a class="btn btn-labeled btn-primary btn-sm" href="{{$profile.actions.unfollow.1}}" aria-label="{{$profile.actions.unfollow.0}}" title="{{$profile.actions.unfollow.0}}"><i class="fa fa-user-times" aria-hidden="true"></i></a>{{/if}}

View File

@ -3776,10 +3776,6 @@ section .profile-match-wrapper {
margin-bottom: 5px;
}
.panel .panel-body {
padding: 10px;
}
.toplevel_item > .wall-item-container {
padding: 0;
}

View File

@ -394,3 +394,7 @@ input[type="text"].tt-input {
textarea#profile-jot-text:focus + #preview_profile-jot-text, textarea.comment-edit-text:focus + .comment-edit-form .preview {
border-color: $link_color;
}
figure.img-allocated-height {
background-color: rgba(255, 255, 255, 0.15);
}

View File

@ -354,3 +354,7 @@ input[type="text"].tt-input {
textarea#profile-jot-text:focus + #preview_profile-jot-text, textarea.comment-edit-text:focus + .comment-edit-form .preview {
border-color: $link_color;
}
figure.img-allocated-height {
background-color: rgba(255, 255, 255, 0.05);
}

View File

@ -70,6 +70,13 @@
</button>
</div>
{{/if}}
{{if $profile.addr}}
<div id="mention-link-button">
<button type="button" id="mention-link" class="btn btn-labeled btn-primary" onclick="openWallMessage('compose/0?body={{if $profile.forum==1}}!{{else}}@{{/if}}{{$profile.addr}}')">
<span class=""><i class="fa fa-pencil-square-o"></i></span>
<span class="">{{$mention}}</span>
</div>
{{/if}}
</div>
{{/if}}

View File

@ -117,7 +117,7 @@ as the value of $top_child_total (this is done at the end of this file)
<span class="wall-item-network" title="{{$item.app}}">{{$item.network_name}}</span>
{{/if}}
{{if $item.plink}} {{*link to the original source of the item *}}
<a href="{{$item.plink.href}}" class="plink u-url" aria-label="{{$item.plink.title}}" title="{{$item.plink.title}}">
<a href="{{$item.plink.href}}" class="plink u-url" aria-label="{{$item.plink.title}}" title="{{$item.plink.title}}" target="_blank">
<i class="fa fa-external-link"></i>
</a>
{{/if}}
@ -238,7 +238,7 @@ as the value of $top_child_total (this is done at the end of this file)
{{* item content *}}
<div class="wall-item-content {{$item.type}}" id="wall-item-content-{{$item.id}}">
{{if $item.title}}
<span class="wall-item-title" id="wall-item-title-{{$item.id}}"><h4 class="media-heading" dir="auto"><a href="{{$item.plink.href}}" class="{{$item.sparkle}} p-name">{{$item.title}}</a></h4><br /></span>
<span class="wall-item-title" id="wall-item-title-{{$item.id}}"><h4 class="media-heading" dir="auto"><a href="{{$item.plink.href}}" class="{{$item.sparkle}} p-name" target="_blank">{{$item.title}}</a></h4><br /></span>
{{/if}}
<div class="wall-item-body e-content {{if !$item.title}}p-name{{/if}}" id="wall-item-body-{{$item.id}}" dir="auto">{{$item.body_html nofilter}}</div>

View File

@ -56,6 +56,22 @@
</button>
</div>
{{/if}}
{{if $contact.addr}}
<div id="mention-link-button">
<button type="button" id="mention-link" class="btn btn-labeled btn-primary{{if !$always_open_compose}} modal-open{{/if}}" onclick="openWallMessage('compose/0?body={{if $contact.forum==1}}!{{else}}@{{/if}}{{$contact.addr}}')">
<span class=""><i class="fa fa-pencil-square-o"></i></span>
<span class="">{{if $contact.forum==1}}{{$posttogroup}}{{else}}{{$mention}}{{/if}}</span>
</button>
</div>
{{/if}}
{{if $contact.forum==1 || $contact.prv==1}}
<div id="show-group-button">
<button type="button" id="show-group" class="btn btn-labeled btn-primary{{if !$always_open_compose}} modal-open{{/if}}" onclick="window.location.href='{{$showgroup_link}}'">
<span class=""><i class="fa fa-group"></i></span>
<span class="">{{$showgroup}}</span>
</button>
</div>
{{/if}}
</div>
<div class="clear"></div>