Update master with 2.4.0

This commit is contained in:
Shpuld Shpuldson 2021-08-08 16:14:22 +03:00
commit cc170aa3ec
123 changed files with 4076 additions and 1892 deletions

View file

@ -3,6 +3,18 @@ All notable changes to this project will be documented in this file.
The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/). The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/).
## [2.4.0] - 2021-08-08
### Added
- Added a quick settings to timeline header for easier access
- Added option to mark posts as sensitive by default
- Added quick filters for notifications
- Implemented user option to change sidebar position to the right side
- Implemented user option to hide floating shout panel
- Implemented "edit profile" button if viewing own profile which opens profile settings
### Fixed
- Fixed follow request count showing in the wrong location in mobile view
## [2.3.0] - 2021-03-01 ## [2.3.0] - 2021-03-01
### Fixed ### Fixed
@ -12,9 +24,12 @@ The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/).
- Fixed some UI jumpiness when opening images particularly in chat view - Fixed some UI jumpiness when opening images particularly in chat view
- Fixed chat unread badge looking weird - Fixed chat unread badge looking weird
- Fixed punycode names not working properly - Fixed punycode names not working properly
- Fixed notifications crashing on an invalid notification
### Changed ### Changed
- Display 'people voted' instead of 'votes' for multi-choice polls - Display 'people voted' instead of 'votes' for multi-choice polls
- Changed the "Timelines" link in side panel to toggle show all timeline options inside the panel
- Renamed "Timeline" to "Home Timeline" to be more clear
- Optimized chat to not get horrible performance after keeping the same chat open for a long time - Optimized chat to not get horrible performance after keeping the same chat open for a long time
- When opening emoji picker or react picker, it automatically focuses the search field - When opening emoji picker or react picker, it automatically focuses the search field
- Language picker now uses native language names - Language picker now uses native language names
@ -31,6 +46,10 @@ The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/).
### Fixed ### Fixed
- Follows/Followers tabs on user profiles now display the content properly. - Follows/Followers tabs on user profiles now display the content properly.
- Handle punycode in screen names - Handle punycode in screen names
- Fixed local dev mode having non-functional websockets in some cases
- Show notices for websocket events (errors, abnormal closures, reconnections)
- Fix not being able to re-enable websocket until page refresh
- Fix annoying issue where timeline might have few posts when streaming is enabled
### Changed ### Changed
- Don't filter own posts when they hit your wordfilter - Don't filter own posts when they hit your wordfilter

View file

@ -3,6 +3,7 @@ Contributors of this project.
- Constance Variable (lambadalambda@social.heldscal.la): Code - Constance Variable (lambadalambda@social.heldscal.la): Code
- Coco Snuss (cocosnuss@social.heldscal.la): Code - Coco Snuss (cocosnuss@social.heldscal.la): Code
- wakarimasen (wakarimasen@shitposter.club): NSFW hiding image - wakarimasen (wakarimasen@shitposter.club): NSFW hiding image
- eris (eris@disqordia.space): Code
- dtluna (dtluna@social.heldscal.la): Code - dtluna (dtluna@social.heldscal.la): Code
- sonyam (sonyam@social.heldscal.la): Background images - sonyam (sonyam@social.heldscal.la): Background images
- hakui (hakui@freezepeach.xyz): CSS and styling - hakui (hakui@freezepeach.xyz): CSS and styling

View file

@ -21,6 +21,7 @@ var compiler = webpack(webpackConfig)
var devMiddleware = require('webpack-dev-middleware')(compiler, { var devMiddleware = require('webpack-dev-middleware')(compiler, {
publicPath: webpackConfig.output.publicPath, publicPath: webpackConfig.output.publicPath,
writeToDisk: true,
stats: { stats: {
colors: true, colors: true,
chunks: false chunks: false

View file

@ -3,6 +3,7 @@ var config = require('../config')
var utils = require('./utils') var utils = require('./utils')
var projectRoot = path.resolve(__dirname, '../') var projectRoot = path.resolve(__dirname, '../')
var ServiceWorkerWebpackPlugin = require('serviceworker-webpack-plugin') var ServiceWorkerWebpackPlugin = require('serviceworker-webpack-plugin')
var CopyPlugin = require('copy-webpack-plugin');
var env = process.env.NODE_ENV var env = process.env.NODE_ENV
// check env & config/index.js to decide weither to enable CSS Sourcemaps for the // check env & config/index.js to decide weither to enable CSS Sourcemaps for the
@ -93,6 +94,19 @@ module.exports = {
new ServiceWorkerWebpackPlugin({ new ServiceWorkerWebpackPlugin({
entry: path.join(__dirname, '..', 'src/sw.js'), entry: path.join(__dirname, '..', 'src/sw.js'),
filename: 'sw-pleroma.js' filename: 'sw-pleroma.js'
}),
// This copies Ruffle's WASM to a directory so that JS side can access it
new CopyPlugin({
patterns: [
{
from: "node_modules/ruffle-mirror/*",
to: "static/ruffle",
flatten: true
},
],
options: {
concurrency: 100,
},
}) })
] ]
} }

View file

@ -3,6 +3,11 @@ const path = require('path')
let settings = {} let settings = {}
try { try {
settings = require('./local.json') settings = require('./local.json')
if (settings.target && settings.target.endsWith('/')) {
// replacing trailing slash since it can conflict with some apis
// and that's how actual BE reports its url
settings.target = settings.target.replace(/\/$/, '')
}
console.log('Using local dev server settings (/config/local.json):') console.log('Using local dev server settings (/config/local.json):')
console.log(JSON.stringify(settings, null, 2)) console.log(JSON.stringify(settings, null, 2))
} catch (e) { } catch (e) {

View file

@ -32,9 +32,9 @@
"phoenix": "^1.3.0", "phoenix": "^1.3.0",
"portal-vue": "^2.1.4", "portal-vue": "^2.1.4",
"punycode.js": "^2.1.0", "punycode.js": "^2.1.0",
"ruffle-mirror": "^2021.4.10",
"v-click-outside": "^2.1.1", "v-click-outside": "^2.1.1",
"vue": "^2.6.11", "vue": "^2.6.11",
"vue-chat-scroll": "^1.2.1",
"vue-i18n": "^7.3.2", "vue-i18n": "^7.3.2",
"vue-router": "^3.0.1", "vue-router": "^3.0.1",
"vue-template-compiler": "^2.6.11", "vue-template-compiler": "^2.6.11",
@ -58,6 +58,7 @@
"chalk": "^1.1.3", "chalk": "^1.1.3",
"chromedriver": "^87.0.1", "chromedriver": "^87.0.1",
"connect-history-api-fallback": "^1.1.0", "connect-history-api-fallback": "^1.1.0",
"copy-webpack-plugin": "^6.4.1",
"cross-spawn": "^4.0.2", "cross-spawn": "^4.0.2",
"css-loader": "^0.28.0", "css-loader": "^0.28.0",
"custom-event-polyfill": "^1.0.7", "custom-event-polyfill": "^1.0.7",
@ -112,7 +113,7 @@
"url-loader": "^1.1.2", "url-loader": "^1.1.2",
"vue-loader": "^14.0.0", "vue-loader": "^14.0.0",
"vue-style-loader": "^4.0.0", "vue-style-loader": "^4.0.0",
"webpack": "^4.0.0", "webpack": "^4.44.0",
"webpack-dev-middleware": "^3.6.0", "webpack-dev-middleware": "^3.6.0",
"webpack-hot-middleware": "^2.12.2", "webpack-hot-middleware": "^2.12.2",
"webpack-merge": "^0.14.1" "webpack-merge": "^0.14.1"

View file

@ -4,7 +4,7 @@ import Notifications from './components/notifications/notifications.vue'
import InstanceSpecificPanel from './components/instance_specific_panel/instance_specific_panel.vue' import InstanceSpecificPanel from './components/instance_specific_panel/instance_specific_panel.vue'
import FeaturesPanel from './components/features_panel/features_panel.vue' import FeaturesPanel from './components/features_panel/features_panel.vue'
import WhoToFollowPanel from './components/who_to_follow_panel/who_to_follow_panel.vue' import WhoToFollowPanel from './components/who_to_follow_panel/who_to_follow_panel.vue'
import ChatPanel from './components/chat_panel/chat_panel.vue' import ShoutPanel from './components/shout_panel/shout_panel.vue'
import SettingsModal from './components/settings_modal/settings_modal.vue' import SettingsModal from './components/settings_modal/settings_modal.vue'
import MediaModal from './components/media_modal/media_modal.vue' import MediaModal from './components/media_modal/media_modal.vue'
import SideDrawer from './components/side_drawer/side_drawer.vue' import SideDrawer from './components/side_drawer/side_drawer.vue'
@ -26,7 +26,7 @@ export default {
InstanceSpecificPanel, InstanceSpecificPanel,
FeaturesPanel, FeaturesPanel,
WhoToFollowPanel, WhoToFollowPanel,
ChatPanel, ShoutPanel,
MediaModal, MediaModal,
SideDrawer, SideDrawer,
MobilePostStatusButton, MobilePostStatusButton,
@ -65,7 +65,7 @@ export default {
} }
} }
}, },
chat () { return this.$store.state.chat.channel.state === 'joined' }, shout () { return this.$store.state.shout.channel.state === 'joined' },
suggestionsEnabled () { return this.$store.state.instance.suggestionsEnabled }, suggestionsEnabled () { return this.$store.state.instance.suggestionsEnabled },
showInstanceSpecificPanel () { showInstanceSpecificPanel () {
return this.$store.state.instance.showInstanceSpecificPanel && return this.$store.state.instance.showInstanceSpecificPanel &&
@ -73,11 +73,14 @@ export default {
this.$store.state.instance.instanceSpecificPanelContent this.$store.state.instance.instanceSpecificPanelContent
}, },
showFeaturesPanel () { return this.$store.state.instance.showFeaturesPanel }, showFeaturesPanel () { return this.$store.state.instance.showFeaturesPanel },
hideShoutbox () {
return this.$store.getters.mergedConfig.hideShoutbox
},
isMobileLayout () { return this.$store.state.interface.mobileLayout }, isMobileLayout () { return this.$store.state.interface.mobileLayout },
privateMode () { return this.$store.state.instance.private }, privateMode () { return this.$store.state.instance.private },
sidebarAlign () { sidebarAlign () {
return { return {
'order': this.$store.state.instance.sidebarRight ? 99 : 0 'order': this.$store.getters.mergedConfig.sidebarRight ? 99 : 0
} }
}, },
...mapGetters(['mergedConfig']) ...mapGetters(['mergedConfig'])

View file

@ -187,7 +187,7 @@ a {
} }
} }
input, textarea, .select, .input { input, textarea, .input {
&.unstyled { &.unstyled {
border-radius: 0; border-radius: 0;
@ -217,47 +217,11 @@ input, textarea, .select, .input {
hyphens: none; hyphens: none;
padding: 8px .5em; padding: 8px .5em;
&.select { &:disabled, &[disabled=disabled], &.disabled {
padding: 0;
}
&:disabled, &[disabled=disabled] {
cursor: not-allowed; cursor: not-allowed;
opacity: 0.5; opacity: 0.5;
} }
.select-down-icon {
position: absolute;
top: 0;
bottom: 0;
right: 5px;
height: 100%;
color: $fallback--text;
color: var(--inputText, $fallback--text);
line-height: 28px;
z-index: 0;
pointer-events: none;
}
select {
-webkit-appearance: none;
-moz-appearance: none;
appearance: none;
background: transparent;
border: none;
color: $fallback--text;
color: var(--inputText, --text, $fallback--text);
margin: 0;
padding: 0 2em 0 .2em;
font-family: sans-serif;
font-family: var(--inputFont, sans-serif);
font-size: 14px;
width: 100%;
z-index: 1;
height: 28px;
line-height: 16px;
}
&[type=range] { &[type=range] {
background: none; background: none;
border: none; border: none;
@ -547,9 +511,21 @@ main-router {
border-radius: var(--panelRadius, $fallback--panelRadius); border-radius: var(--panelRadius, $fallback--panelRadius);
} }
.panel-footer { /* TODO Should remove timeline-footer from here when we refactor panels into
* separate component and utilize slots
*/
.panel-footer, .timeline-footer {
display: flex;
border-radius: 0 0 $fallback--panelRadius $fallback--panelRadius; border-radius: 0 0 $fallback--panelRadius $fallback--panelRadius;
border-radius: 0 0 var(--panelRadius, $fallback--panelRadius) var(--panelRadius, $fallback--panelRadius); border-radius: 0 0 var(--panelRadius, $fallback--panelRadius) var(--panelRadius, $fallback--panelRadius);
flex: none;
padding: 0.6em 0.6em;
text-align: left;
line-height: 28px;
align-items: baseline;
border-width: 1px 0 0 0;
border-style: solid;
border-color: var(--border, $fallback--border);
.faint { .faint {
color: $fallback--faint; color: $fallback--faint;
@ -706,6 +682,15 @@ nav {
color: var(--alertWarningPanelText, $fallback--text); color: var(--alertWarningPanelText, $fallback--text);
} }
} }
&.success {
background-color: var(--alertSuccess, $fallback--alertWarning);
color: var(--alertSuccessText, $fallback--text);
.panel-heading & {
color: var(--alertSuccessPanelText, $fallback--text);
}
}
} }
.faint { .faint {
@ -809,13 +794,6 @@ nav {
} }
} }
.select-multiple {
display: flex;
.option-list {
margin: 0;
padding-left: .5em;
}
}
.setting-list, .setting-list,
.option-list{ .option-list{
list-style-type: none; list-style-type: none;
@ -862,16 +840,10 @@ nav {
} }
.new-status-notification { .new-status-notification {
position:relative; position: relative;
margin-top: -1px;
font-size: 1.1em; font-size: 1.1em;
border-width: 1px 0 0 0;
border-style: solid;
border-color: var(--border, $fallback--border);
padding: 10px;
z-index: 1; z-index: 1;
background-color: $fallback--fg; flex: 1;
background-color: var(--panel, $fallback--fg);
} }
.chat-layout { .chat-layout {

View file

@ -49,10 +49,10 @@
</div> </div>
<media-modal /> <media-modal />
</div> </div>
<chat-panel <shout-panel
v-if="currentUser && chat" v-if="currentUser && shout && !hideShoutbox"
:floating="true" :floating="true"
class="floating-chat mobile-hidden" class="floating-shout mobile-hidden"
/> />
<MobilePostStatusButton /> <MobilePostStatusButton />
<UserReportingModal /> <UserReportingModal />

View file

@ -240,7 +240,7 @@ const getNodeInfo = async ({ store }) => {
store.dispatch('setInstanceOption', { name: 'registrationOpen', value: data.openRegistrations }) store.dispatch('setInstanceOption', { name: 'registrationOpen', value: data.openRegistrations })
store.dispatch('setInstanceOption', { name: 'mediaProxyAvailable', value: features.includes('media_proxy') }) store.dispatch('setInstanceOption', { name: 'mediaProxyAvailable', value: features.includes('media_proxy') })
store.dispatch('setInstanceOption', { name: 'safeDM', value: features.includes('safe_dm_mentions') }) store.dispatch('setInstanceOption', { name: 'safeDM', value: features.includes('safe_dm_mentions') })
store.dispatch('setInstanceOption', { name: 'chatAvailable', value: features.includes('chat') }) store.dispatch('setInstanceOption', { name: 'shoutAvailable', value: features.includes('chat') })
store.dispatch('setInstanceOption', { name: 'pleromaChatMessagesAvailable', value: features.includes('pleroma_chat_messages') }) store.dispatch('setInstanceOption', { name: 'pleromaChatMessagesAvailable', value: features.includes('pleroma_chat_messages') })
store.dispatch('setInstanceOption', { name: 'gopherAvailable', value: features.includes('gopher') }) store.dispatch('setInstanceOption', { name: 'gopherAvailable', value: features.includes('gopher') })
store.dispatch('setInstanceOption', { name: 'pollsAvailable', value: features.includes('polls') }) store.dispatch('setInstanceOption', { name: 'pollsAvailable', value: features.includes('polls') })

View file

@ -16,7 +16,7 @@ import FollowRequests from 'components/follow_requests/follow_requests.vue'
import OAuthCallback from 'components/oauth_callback/oauth_callback.vue' import OAuthCallback from 'components/oauth_callback/oauth_callback.vue'
import Notifications from 'components/notifications/notifications.vue' import Notifications from 'components/notifications/notifications.vue'
import AuthForm from 'components/auth_form/auth_form.js' import AuthForm from 'components/auth_form/auth_form.js'
import ChatPanel from 'components/chat_panel/chat_panel.vue' import ShoutPanel from 'components/shout_panel/shout_panel.vue'
import WhoToFollow from 'components/who_to_follow/who_to_follow.vue' import WhoToFollow from 'components/who_to_follow/who_to_follow.vue'
import About from 'components/about/about.vue' import About from 'components/about/about.vue'
import RemoteUserResolver from 'components/remote_user_resolver/remote_user_resolver.vue' import RemoteUserResolver from 'components/remote_user_resolver/remote_user_resolver.vue'
@ -64,7 +64,7 @@ export default (store) => {
{ name: 'friend-requests', path: '/friend-requests', component: FollowRequests, beforeEnter: validateAuthenticatedRoute }, { name: 'friend-requests', path: '/friend-requests', component: FollowRequests, beforeEnter: validateAuthenticatedRoute },
{ name: 'notifications', path: '/:username/notifications', component: Notifications, beforeEnter: validateAuthenticatedRoute }, { name: 'notifications', path: '/:username/notifications', component: Notifications, beforeEnter: validateAuthenticatedRoute },
{ name: 'login', path: '/login', component: AuthForm }, { name: 'login', path: '/login', component: AuthForm },
{ name: 'chat-panel', path: '/chat-panel', component: ChatPanel, props: () => ({ floating: false }) }, { name: 'shout-panel', path: '/shout-panel', component: ShoutPanel, props: () => ({ floating: false }) },
{ name: 'oauth-callback', path: '/oauth-callback', component: OAuthCallback, props: (route) => ({ code: route.query.code }) }, { name: 'oauth-callback', path: '/oauth-callback', component: OAuthCallback, props: (route) => ({ code: route.query.code }) },
{ name: 'search', path: '/search', component: Search, props: (route) => ({ query: route.query.query }) }, { name: 'search', path: '/search', component: Search, props: (route) => ({ query: route.query.query }) },
{ name: 'who-to-follow', path: '/who-to-follow', component: WhoToFollow, beforeEnter: validateAuthenticatedRoute }, { name: 'who-to-follow', path: '/who-to-follow', component: WhoToFollow, beforeEnter: validateAuthenticatedRoute },

View file

@ -6,10 +6,7 @@
:bound-to="{ x: 'container' }" :bound-to="{ x: 'container' }"
remove-padding remove-padding
> >
<div <template v-slot:content>
slot="content"
class="account-tools-popover"
>
<div class="dropdown-menu"> <div class="dropdown-menu">
<template v-if="relationship.following"> <template v-if="relationship.following">
<button <button
@ -59,16 +56,15 @@
{{ $t('user_card.message') }} {{ $t('user_card.message') }}
</button> </button>
</div> </div>
</div> </template>
<div <template v-slot:trigger>
slot="trigger" <button class="button-unstyled ellipsis-button">
class="ellipsis-button" <FAIcon
> class="icon"
<FAIcon icon="ellipsis-v"
class="icon" />
icon="ellipsis-v" </button>
/> </template>
</div>
</Popover> </Popover>
</div> </div>
</template> </template>
@ -83,7 +79,6 @@
} }
.ellipsis-button { .ellipsis-button {
cursor: pointer;
width: 2.5em; width: 2.5em;
margin: -0.5em 0; margin: -0.5em 0;
padding: 0.5em 0; padding: 0.5em 0;

View file

@ -1,4 +1,5 @@
import StillImage from '../still-image/still-image.vue' import StillImage from '../still-image/still-image.vue'
import Flash from '../flash/flash.vue'
import VideoAttachment from '../video_attachment/video_attachment.vue' import VideoAttachment from '../video_attachment/video_attachment.vue'
import nsfwImage from '../../assets/nsfw.png' import nsfwImage from '../../assets/nsfw.png'
import fileTypeService from '../../services/file_type/file_type.service.js' import fileTypeService from '../../services/file_type/file_type.service.js'
@ -43,6 +44,7 @@ const Attachment = {
} }
}, },
components: { components: {
Flash,
StillImage, StillImage,
VideoAttachment VideoAttachment
}, },

View file

@ -117,6 +117,11 @@
<!-- eslint-enable vue/no-v-html --> <!-- eslint-enable vue/no-v-html -->
</div> </div>
</div> </div>
<Flash
v-if="type === 'flash'"
:src="attachment.large_thumb_url || attachment.url"
/>
</div> </div>
</template> </template>
@ -172,6 +177,7 @@
} }
.non-gallery.attachment { .non-gallery.attachment {
&.flash,
&.video { &.video {
flex: 1 0 40%; flex: 1 0 40%;
} }

View file

@ -23,10 +23,7 @@
class="timeline" class="timeline"
> >
<List :items="sortedChatList"> <List :items="sortedChatList">
<template <template v-slot:item="{item}">
slot="item"
slot-scope="{item}"
>
<ChatListItem <ChatListItem
:key="item.id" :key="item.id"
:compact="false" :compact="false"

View file

@ -50,7 +50,7 @@
@show="menuOpened = true" @show="menuOpened = true"
@close="menuOpened = false" @close="menuOpened = false"
> >
<div slot="content"> <template v-slot:content>
<div class="dropdown-menu"> <div class="dropdown-menu">
<button <button
class="button-default dropdown-item dropdown-item-icon" class="button-default dropdown-item dropdown-item-icon"
@ -59,26 +59,28 @@
<FAIcon icon="times" /> {{ $t("chats.delete") }} <FAIcon icon="times" /> {{ $t("chats.delete") }}
</button> </button>
</div> </div>
</div> </template>
<button <template v-slot:trigger>
slot="trigger" <button
class="button-default menu-icon" class="button-default menu-icon"
:title="$t('chats.more')" :title="$t('chats.more')"
> >
<FAIcon icon="ellipsis-h" /> <FAIcon icon="ellipsis-h" />
</button> </button>
</template>
</Popover> </Popover>
</div> </div>
<StatusContent <StatusContent
:status="messageForStatusContent" :status="messageForStatusContent"
:full-content="true" :full-content="true"
> >
<span <template v-slot:footer>
slot="footer" <span
class="created-at" class="created-at"
> >
{{ createdAt }} {{ createdAt }}
</span> </span>
</template>
</StatusContent> </StatusContent>
</div> </div>
</div> </div>

View file

@ -9,7 +9,7 @@
class="btn button-default" class="btn button-default"
> >
{{ $t('domain_mute_card.unmute') }} {{ $t('domain_mute_card.unmute') }}
<template slot="progress"> <template v-slot:progress>
{{ $t('domain_mute_card.unmute_progress') }} {{ $t('domain_mute_card.unmute_progress') }}
</template> </template>
</ProgressButton> </ProgressButton>
@ -19,7 +19,7 @@
class="btn button-default" class="btn button-default"
> >
{{ $t('domain_mute_card.mute') }} {{ $t('domain_mute_card.mute') }}
<template slot="progress"> <template v-slot:progress>
{{ $t('domain_mute_card.mute_progress') }} {{ $t('domain_mute_card.mute_progress') }}
</template> </template>
</ProgressButton> </ProgressButton>

View file

@ -57,6 +57,7 @@ const EmojiInput = {
required: true, required: true,
type: Function type: Function
}, },
// TODO VUE3: change to modelValue, change 'input' event to 'input'
value: { value: {
/** /**
* Used for v-model * Used for v-model
@ -143,32 +144,31 @@ const EmojiInput = {
} }
}, },
mounted () { mounted () {
const slots = this.$slots.default const { root } = this.$refs
if (!slots || slots.length === 0) return const input = root.querySelector('.emoji-input > input') || root.querySelector('.emoji-input > textarea')
const input = slots.find(slot => ['input', 'textarea'].includes(slot.tag))
if (!input) return if (!input) return
this.input = input this.input = input
this.resize() this.resize()
input.elm.addEventListener('blur', this.onBlur) input.addEventListener('blur', this.onBlur)
input.elm.addEventListener('focus', this.onFocus) input.addEventListener('focus', this.onFocus)
input.elm.addEventListener('paste', this.onPaste) input.addEventListener('paste', this.onPaste)
input.elm.addEventListener('keyup', this.onKeyUp) input.addEventListener('keyup', this.onKeyUp)
input.elm.addEventListener('keydown', this.onKeyDown) input.addEventListener('keydown', this.onKeyDown)
input.elm.addEventListener('click', this.onClickInput) input.addEventListener('click', this.onClickInput)
input.elm.addEventListener('transitionend', this.onTransition) input.addEventListener('transitionend', this.onTransition)
input.elm.addEventListener('input', this.onInput) input.addEventListener('input', this.onInput)
}, },
unmounted () { unmounted () {
const { input } = this const { input } = this
if (input) { if (input) {
input.elm.removeEventListener('blur', this.onBlur) input.removeEventListener('blur', this.onBlur)
input.elm.removeEventListener('focus', this.onFocus) input.removeEventListener('focus', this.onFocus)
input.elm.removeEventListener('paste', this.onPaste) input.removeEventListener('paste', this.onPaste)
input.elm.removeEventListener('keyup', this.onKeyUp) input.removeEventListener('keyup', this.onKeyUp)
input.elm.removeEventListener('keydown', this.onKeyDown) input.removeEventListener('keydown', this.onKeyDown)
input.elm.removeEventListener('click', this.onClickInput) input.removeEventListener('click', this.onClickInput)
input.elm.removeEventListener('transitionend', this.onTransition) input.removeEventListener('transitionend', this.onTransition)
input.elm.removeEventListener('input', this.onInput) input.removeEventListener('input', this.onInput)
} }
}, },
watch: { watch: {
@ -216,7 +216,7 @@ const EmojiInput = {
}, 0) }, 0)
}, },
togglePicker () { togglePicker () {
this.input.elm.focus() this.input.focus()
this.showPicker = !this.showPicker this.showPicker = !this.showPicker
if (this.showPicker) { if (this.showPicker) {
this.scrollIntoView() this.scrollIntoView()
@ -262,13 +262,13 @@ const EmojiInput = {
this.$emit('input', newValue) this.$emit('input', newValue)
const position = this.caret + (insertion + spaceAfter + spaceBefore).length const position = this.caret + (insertion + spaceAfter + spaceBefore).length
if (!keepOpen) { if (!keepOpen) {
this.input.elm.focus() this.input.focus()
} }
this.$nextTick(function () { this.$nextTick(function () {
// Re-focus inputbox after clicking suggestion // Re-focus inputbox after clicking suggestion
// Set selection right after the replacement instead of the very end // Set selection right after the replacement instead of the very end
this.input.elm.setSelectionRange(position, position) this.input.setSelectionRange(position, position)
this.caret = position this.caret = position
}) })
}, },
@ -285,9 +285,9 @@ const EmojiInput = {
this.$nextTick(function () { this.$nextTick(function () {
// Re-focus inputbox after clicking suggestion // Re-focus inputbox after clicking suggestion
this.input.elm.focus() this.input.focus()
// Set selection right after the replacement instead of the very end // Set selection right after the replacement instead of the very end
this.input.elm.setSelectionRange(position, position) this.input.setSelectionRange(position, position)
this.caret = position this.caret = position
}) })
e.preventDefault() e.preventDefault()
@ -349,7 +349,7 @@ const EmojiInput = {
} }
this.$nextTick(() => { this.$nextTick(() => {
const { offsetHeight } = this.input.elm const { offsetHeight } = this.input
const { picker } = this.$refs const { picker } = this.$refs
const pickerBottom = picker.$el.getBoundingClientRect().bottom const pickerBottom = picker.$el.getBoundingClientRect().bottom
if (pickerBottom > window.innerHeight) { if (pickerBottom > window.innerHeight) {
@ -414,8 +414,8 @@ const EmojiInput = {
// Scroll the input element to the position of the cursor // Scroll the input element to the position of the cursor
this.$nextTick(() => { this.$nextTick(() => {
this.input.elm.blur() this.input.blur()
this.input.elm.focus() this.input.focus()
}) })
} }
// Disable suggestions hotkeys if suggestions are hidden // Disable suggestions hotkeys if suggestions are hidden
@ -444,7 +444,7 @@ const EmojiInput = {
// de-focuses the element (i.e. default browser behavior) // de-focuses the element (i.e. default browser behavior)
if (key === 'Escape') { if (key === 'Escape') {
if (!this.temporarilyHideSuggestions) { if (!this.temporarilyHideSuggestions) {
this.input.elm.focus() this.input.focus()
} }
} }
@ -480,7 +480,7 @@ const EmojiInput = {
if (!panel) return if (!panel) return
const picker = this.$refs.picker.$el const picker = this.$refs.picker.$el
const panelBody = this.$refs['panel-body'] const panelBody = this.$refs['panel-body']
const { offsetHeight, offsetTop } = this.input.elm const { offsetHeight, offsetTop } = this.input
const offsetBottom = offsetTop + offsetHeight const offsetBottom = offsetTop + offsetHeight
this.setPlacement(panelBody, panel, offsetBottom) this.setPlacement(panelBody, panel, offsetBottom)
@ -494,7 +494,7 @@ const EmojiInput = {
if (this.placement === 'top' || (this.placement === 'auto' && this.overflowsBottom(container))) { if (this.placement === 'top' || (this.placement === 'auto' && this.overflowsBottom(container))) {
target.style.top = 'auto' target.style.top = 'auto'
target.style.bottom = this.input.elm.offsetHeight + 'px' target.style.bottom = this.input.offsetHeight + 'px'
} }
}, },
overflowsBottom (el) { overflowsBottom (el) {

View file

@ -1,5 +1,6 @@
<template> <template>
<div <div
ref="root"
v-click-outside="onClickOutside" v-click-outside="onClickOutside"
class="emoji-input" class="emoji-input"
:class="{ 'with-picker': !hideEmojiButton }" :class="{ 'with-picker': !hideEmojiButton }"

View file

@ -1,102 +0,0 @@
<template>
<div class="import-export-container">
<slot name="before" />
<button
class="btn button-default"
@click="exportData"
>
{{ exportLabel }}
</button>
<button
class="btn button-default"
@click="importData"
>
{{ importLabel }}
</button>
<slot name="afterButtons" />
<p
v-if="importFailed"
class="alert error"
>
{{ importFailedText }}
</p>
<slot name="afterError" />
</div>
</template>
<script>
export default {
props: [
'exportObject',
'importLabel',
'exportLabel',
'importFailedText',
'validator',
'onImport',
'onImportFailure'
],
data () {
return {
importFailed: false
}
},
methods: {
exportData () {
const stringified = JSON.stringify(this.exportObject, null, 2) // Pretty-print and indent with 2 spaces
// Create an invisible link with a data url and simulate a click
const e = document.createElement('a')
e.setAttribute('download', 'pleroma_theme.json')
e.setAttribute('href', 'data:application/json;base64,' + window.btoa(stringified))
e.style.display = 'none'
document.body.appendChild(e)
e.click()
document.body.removeChild(e)
},
importData () {
this.importFailed = false
const filePicker = document.createElement('input')
filePicker.setAttribute('type', 'file')
filePicker.setAttribute('accept', '.json')
filePicker.addEventListener('change', event => {
if (event.target.files[0]) {
// eslint-disable-next-line no-undef
const reader = new FileReader()
reader.onload = ({ target }) => {
try {
const parsed = JSON.parse(target.result)
const valid = this.validator(parsed)
if (valid) {
this.onImport(parsed)
} else {
this.importFailed = true
// this.onImportFailure(valid)
}
} catch (e) {
// This will happen both if there is a JSON syntax error or the theme is missing components
this.importFailed = true
// this.onImportFailure(e)
}
}
reader.readAsText(event.target.files[0])
}
})
document.body.appendChild(filePicker)
filePicker.click()
document.body.removeChild(filePicker)
}
}
}
</script>
<style lang="scss">
.import-export-container {
display: flex;
flex-wrap: wrap;
align-items: baseline;
justify-content: center;
}
</style>

View file

@ -7,10 +7,7 @@
:bound-to="{ x: 'container' }" :bound-to="{ x: 'container' }"
remove-padding remove-padding
> >
<div <template v-slot:content="{close}">
slot="content"
slot-scope="{close}"
>
<div class="dropdown-menu"> <div class="dropdown-menu">
<button <button
v-if="canMute && !status.thread_muted" v-if="canMute && !status.thread_muted"
@ -120,16 +117,15 @@
/><span>{{ $t("user_card.report") }}</span> /><span>{{ $t("user_card.report") }}</span>
</button> </button>
</div> </div>
</div> </template>
<span <template v-slot:trigger>
slot="trigger" <button class="button-unstyled popover-trigger">
class="popover-trigger" <FAIcon
> class="fa-scale-110 fa-old-padding"
<FAIcon icon="ellipsis-h"
class="fa-scale-110 fa-old-padding" />
icon="ellipsis-h" </button>
/> </template>
</span>
</Popover> </Popover>
</template> </template>

View file

@ -2,7 +2,7 @@ import fileSizeFormatService from '../../services/file_size_format/file_size_for
const FeaturesPanel = { const FeaturesPanel = {
computed: { computed: {
chat: function () { return this.$store.state.instance.chatAvailable }, shout: function () { return this.$store.state.instance.shoutAvailable },
pleromaChatMessages: function () { return this.$store.state.instance.pleromaChatMessagesAvailable }, pleromaChatMessages: function () { return this.$store.state.instance.pleromaChatMessagesAvailable },
gopher: function () { return this.$store.state.instance.gopherAvailable }, gopher: function () { return this.$store.state.instance.gopherAvailable },
whoToFollow: function () { return this.$store.state.instance.suggestionsEnabled }, whoToFollow: function () { return this.$store.state.instance.suggestionsEnabled },

View file

@ -8,8 +8,8 @@
</div> </div>
<div class="panel-body features-panel"> <div class="panel-body features-panel">
<ul> <ul>
<li v-if="chat"> <li v-if="shout">
{{ $t('features_panel.chat') }} {{ $t('features_panel.shout') }}
</li> </li>
<li v-if="pleromaChatMessages"> <li v-if="pleromaChatMessages">
{{ $t('features_panel.pleroma_chat_messages') }} {{ $t('features_panel.pleroma_chat_messages') }}

View file

@ -0,0 +1,52 @@
import RuffleService from '../../services/ruffle_service/ruffle_service.js'
import { library } from '@fortawesome/fontawesome-svg-core'
import {
faStop,
faExclamationTriangle
} from '@fortawesome/free-solid-svg-icons'
library.add(
faStop,
faExclamationTriangle
)
const Flash = {
props: [ 'src' ],
data () {
return {
player: false, // can be true, "hidden", false. hidden = element exists
loaded: false,
ruffleInstance: null
}
},
methods: {
openPlayer () {
if (this.player) return // prevent double-loading, or re-loading on failure
this.player = 'hidden'
RuffleService.getRuffle().then((ruffle) => {
const player = ruffle.newest().createPlayer()
player.config = {
letterbox: 'on'
}
const container = this.$refs.container
container.appendChild(player)
player.style.width = '100%'
player.style.height = '100%'
player.load(this.src).then(() => {
this.player = true
}).catch((e) => {
console.error('Error loading ruffle', e)
this.player = 'error'
})
this.ruffleInstance = player
})
},
closePlayer () {
console.log(this.ruffleInstance)
this.ruffleInstance.remove()
this.player = false
}
}
}
export default Flash

View file

@ -0,0 +1,88 @@
<template>
<div class="Flash">
<div
v-if="player === true || player === 'hidden'"
ref="container"
class="player"
:class="{ hidden: player === 'hidden' }"
/>
<button
v-if="player !== true"
class="button-unstyled placeholder"
@click="openPlayer"
>
<span
v-if="player === 'hidden'"
class="label"
>
{{ $t('general.loading') }}
</span>
<span
v-if="player === 'error'"
class="label"
>
{{ $t('general.flash_fail') }}
</span>
<span
v-else
class="label"
>
<p>
{{ $t('general.flash_content') }}
</p>
<p>
<FAIcon icon="exclamation-triangle" />
{{ $t('general.flash_security') }}
</p>
</span>
</button>
<button
v-if="player"
class="button-unstyled hider"
@click="closePlayer"
>
<FAIcon icon="stop" />
</button>
</div>
</template>
<script src="./flash.js"></script>
<style lang="scss">
@import '../../_variables.scss';
.Flash {
width: 100%;
height: 260px;
position: relative;
.player {
height: 100%;
width: 100%;
}
.hider {
top: 0;
}
.label {
text-align: center;
flex: 1 1 0;
line-height: 1.2;
white-space: normal;
word-wrap: normal;
}
.hidden {
display: none;
visibility: 'hidden';
}
.placeholder {
height: 100%;
flex: 1;
display: flex;
align-items: center;
justify-content: center;
}
}
</style>

View file

@ -1,14 +1,10 @@
import { set } from 'vue' import { set } from 'vue'
import { library } from '@fortawesome/fontawesome-svg-core' import Select from '../select/select.vue'
import {
faChevronDown
} from '@fortawesome/free-solid-svg-icons'
library.add(
faChevronDown
)
export default { export default {
components: {
Select
},
props: [ props: [
'name', 'label', 'value', 'fallback', 'options', 'no-inherit' 'name', 'label', 'value', 'fallback', 'options', 'no-inherit'
], ],

View file

@ -22,30 +22,20 @@
class="opt-l" class="opt-l"
:for="name + '-o'" :for="name + '-o'"
/> />
<label <Select
:for="name + '-font-switcher'" :id="name + '-font-switcher'"
class="select" v-model="preset"
:disabled="!present" :disabled="!present"
class="font-switcher"
> >
<select <option
:id="name + '-font-switcher'" v-for="option in availableOptions"
v-model="preset" :key="option"
:disabled="!present" :value="option"
class="font-switcher"
> >
<option {{ option === 'custom' ? $t('settings.style.fonts.custom') : option }}
v-for="option in availableOptions" </option>
:key="option" </Select>
:value="option"
>
{{ option === 'custom' ? $t('settings.style.fonts.custom') : option }}
</option>
</select>
<FAIcon
class="select-down-icon"
icon="chevron-down"
/>
</label>
<input <input
v-if="isCustom" v-if="isCustom"
:id="name" :id="name"
@ -65,7 +55,8 @@
min-width: 10em; min-width: 10em;
} }
&.custom { &.custom {
.select { /* TODO Should make proper joiners... */
.font-switcher {
border-top-right-radius: 0; border-top-right-radius: 0;
border-bottom-right-radius: 0; border-bottom-right-radius: 0;
} }

View file

@ -71,6 +71,14 @@
} }
} }
.global-success {
background-color: var(--alertPopupSuccess, $fallback--cGreen);
color: var(--alertPopupSuccessText, $fallback--text);
.svg-inline--fa {
color: var(--alertPopupSuccessText, $fallback--text);
}
}
.global-info { .global-info {
background-color: var(--alertPopupNeutral, $fallback--fg); background-color: var(--alertPopupNeutral, $fallback--fg);
color: var(--alertPopupNeutralText, $fallback--text); color: var(--alertPopupNeutralText, $fallback--text);

View file

@ -3,27 +3,18 @@
<label for="interface-language-switcher"> <label for="interface-language-switcher">
{{ $t('settings.interfaceLanguage') }} {{ $t('settings.interfaceLanguage') }}
</label> </label>
<label <Select
for="interface-language-switcher" id="interface-language-switcher"
class="select" v-model="language"
> >
<select <option
id="interface-language-switcher" v-for="lang in languages"
v-model="language" :key="lang.code"
:value="lang.code"
> >
<option {{ lang.name }}
v-for="lang in languages" </option>
:key="lang.code" </Select>
:value="lang.code"
>
{{ lang.name }}
</option>
</select>
<FAIcon
class="select-down-icon"
icon="chevron-down"
/>
</label>
</div> </div>
</template> </template>
@ -32,16 +23,12 @@ import languagesObject from '../../i18n/messages'
import localeService from '../../services/locale/locale.service.js' import localeService from '../../services/locale/locale.service.js'
import ISO6391 from 'iso-639-1' import ISO6391 from 'iso-639-1'
import _ from 'lodash' import _ from 'lodash'
import { library } from '@fortawesome/fontawesome-svg-core' import Select from '../select/select.vue'
import {
faChevronDown
} from '@fortawesome/free-solid-svg-icons'
library.add(
faChevronDown
)
export default { export default {
components: {
Select
},
computed: { computed: {
languages () { languages () {
return _.map(languagesObject.languages, (code) => ({ code: code, name: this.getLanguageName(code) })).sort((a, b) => a.name.localeCompare(b.name)) return _.map(languagesObject.languages, (code) => ({ code: code, name: this.getLanguageName(code) })).sort((a, b) => a.name.localeCompare(b.name))

View file

@ -1,6 +1,11 @@
import { library } from '@fortawesome/fontawesome-svg-core'
import { faChevronDown } from '@fortawesome/free-solid-svg-icons'
import DialogModal from '../dialog_modal/dialog_modal.vue' import DialogModal from '../dialog_modal/dialog_modal.vue'
import Popover from '../popover/popover.vue' import Popover from '../popover/popover.vue'
library.add(faChevronDown)
const FORCE_NSFW = 'mrf_tag:media-force-nsfw' const FORCE_NSFW = 'mrf_tag:media-force-nsfw'
const STRIP_MEDIA = 'mrf_tag:media-strip' const STRIP_MEDIA = 'mrf_tag:media-strip'
const FORCE_UNLISTED = 'mrf_tag:force-unlisted' const FORCE_UNLISTED = 'mrf_tag:force-unlisted'

View file

@ -8,7 +8,7 @@
@show="setToggled(true)" @show="setToggled(true)"
@close="setToggled(false)" @close="setToggled(false)"
> >
<div slot="content"> <template v-slot:content>
<div class="dropdown-menu"> <div class="dropdown-menu">
<span v-if="user.is_local"> <span v-if="user.is_local">
<button <button
@ -50,96 +50,98 @@
class="button-default dropdown-item" class="button-default dropdown-item"
@click="toggleTag(tags.FORCE_NSFW)" @click="toggleTag(tags.FORCE_NSFW)"
> >
{{ $t('user_card.admin_menu.force_nsfw') }}
<span <span
class="menu-checkbox" class="menu-checkbox"
:class="{ 'menu-checkbox-checked': hasTag(tags.FORCE_NSFW) }" :class="{ 'menu-checkbox-checked': hasTag(tags.FORCE_NSFW) }"
/> />
{{ $t('user_card.admin_menu.force_nsfw') }}
</button> </button>
<button <button
class="button-default dropdown-item" class="button-default dropdown-item"
@click="toggleTag(tags.STRIP_MEDIA)" @click="toggleTag(tags.STRIP_MEDIA)"
> >
{{ $t('user_card.admin_menu.strip_media') }}
<span <span
class="menu-checkbox" class="menu-checkbox"
:class="{ 'menu-checkbox-checked': hasTag(tags.STRIP_MEDIA) }" :class="{ 'menu-checkbox-checked': hasTag(tags.STRIP_MEDIA) }"
/> />
{{ $t('user_card.admin_menu.strip_media') }}
</button> </button>
<button <button
class="button-default dropdown-item" class="button-default dropdown-item"
@click="toggleTag(tags.FORCE_UNLISTED)" @click="toggleTag(tags.FORCE_UNLISTED)"
> >
{{ $t('user_card.admin_menu.force_unlisted') }}
<span <span
class="menu-checkbox" class="menu-checkbox"
:class="{ 'menu-checkbox-checked': hasTag(tags.FORCE_UNLISTED) }" :class="{ 'menu-checkbox-checked': hasTag(tags.FORCE_UNLISTED) }"
/> />
{{ $t('user_card.admin_menu.force_unlisted') }}
</button> </button>
<button <button
class="button-default dropdown-item" class="button-default dropdown-item"
@click="toggleTag(tags.SANDBOX)" @click="toggleTag(tags.SANDBOX)"
> >
{{ $t('user_card.admin_menu.sandbox') }}
<span <span
class="menu-checkbox" class="menu-checkbox"
:class="{ 'menu-checkbox-checked': hasTag(tags.SANDBOX) }" :class="{ 'menu-checkbox-checked': hasTag(tags.SANDBOX) }"
/> />
{{ $t('user_card.admin_menu.sandbox') }}
</button> </button>
<button <button
v-if="user.is_local" v-if="user.is_local"
class="button-default dropdown-item" class="button-default dropdown-item"
@click="toggleTag(tags.DISABLE_REMOTE_SUBSCRIPTION)" @click="toggleTag(tags.DISABLE_REMOTE_SUBSCRIPTION)"
> >
{{ $t('user_card.admin_menu.disable_remote_subscription') }}
<span <span
class="menu-checkbox" class="menu-checkbox"
:class="{ 'menu-checkbox-checked': hasTag(tags.DISABLE_REMOTE_SUBSCRIPTION) }" :class="{ 'menu-checkbox-checked': hasTag(tags.DISABLE_REMOTE_SUBSCRIPTION) }"
/> />
{{ $t('user_card.admin_menu.disable_remote_subscription') }}
</button> </button>
<button <button
v-if="user.is_local" v-if="user.is_local"
class="button-default dropdown-item" class="button-default dropdown-item"
@click="toggleTag(tags.DISABLE_ANY_SUBSCRIPTION)" @click="toggleTag(tags.DISABLE_ANY_SUBSCRIPTION)"
> >
{{ $t('user_card.admin_menu.disable_any_subscription') }}
<span <span
class="menu-checkbox" class="menu-checkbox"
:class="{ 'menu-checkbox-checked': hasTag(tags.DISABLE_ANY_SUBSCRIPTION) }" :class="{ 'menu-checkbox-checked': hasTag(tags.DISABLE_ANY_SUBSCRIPTION) }"
/> />
{{ $t('user_card.admin_menu.disable_any_subscription') }}
</button> </button>
<button <button
v-if="user.is_local" v-if="user.is_local"
class="button-default dropdown-item" class="button-default dropdown-item"
@click="toggleTag(tags.QUARANTINE)" @click="toggleTag(tags.QUARANTINE)"
> >
{{ $t('user_card.admin_menu.quarantine') }}
<span <span
class="menu-checkbox" class="menu-checkbox"
:class="{ 'menu-checkbox-checked': hasTag(tags.QUARANTINE) }" :class="{ 'menu-checkbox-checked': hasTag(tags.QUARANTINE) }"
/> />
{{ $t('user_card.admin_menu.quarantine') }}
</button> </button>
</span> </span>
</div> </div>
</div> </template>
<button <template v-slot:trigger>
slot="trigger" <button
class="btn button-default btn-block" class="btn button-default btn-block moderation-tools-button"
:class="{ toggled }" :class="{ toggled }"
> >
{{ $t('user_card.admin_menu.moderation') }} {{ $t('user_card.admin_menu.moderation') }}
</button> <FAIcon icon="chevron-down" />
</button>
</template>
</Popover> </Popover>
<portal to="modal"> <portal to="modal">
<DialogModal <DialogModal
v-if="showDeleteUserDialog" v-if="showDeleteUserDialog"
:on-cancel="deleteUserDialog.bind(this, false)" :on-cancel="deleteUserDialog.bind(this, false)"
> >
<template slot="header"> <template v-slot:header>
{{ $t('user_card.admin_menu.delete_user') }} {{ $t('user_card.admin_menu.delete_user') }}
</template> </template>
<p>{{ $t('user_card.admin_menu.delete_user_confirmation') }}</p> <p>{{ $t('user_card.admin_menu.delete_user_confirmation') }}</p>
<template slot="footer"> <template v-slot:footer>
<button <button
class="btn button-default" class="btn button-default"
@click="deleteUserDialog(false)" @click="deleteUserDialog(false)"
@ -163,25 +165,6 @@
<style lang="scss"> <style lang="scss">
@import '../../_variables.scss'; @import '../../_variables.scss';
.menu-checkbox {
float: right;
min-width: 22px;
max-width: 22px;
min-height: 22px;
max-height: 22px;
line-height: 22px;
text-align: center;
border-radius: 0px;
background-color: $fallback--fg;
background-color: var(--input, $fallback--fg);
box-shadow: 0px 0px 2px black inset;
box-shadow: var(--inputShadow);
&.menu-checkbox-checked::after {
content: '✓';
}
}
.moderation-tools-popover { .moderation-tools-popover {
height: 100%; height: 100%;
.trigger { .trigger {
@ -189,4 +172,10 @@
height: 100%; height: 100%;
} }
} }
.moderation-tools-button {
svg,i {
font-size: 0.8em;
}
}
</style> </style>

View file

@ -1,4 +1,4 @@
import { timelineNames } from '../timeline_menu/timeline_menu.js' import TimelineMenuContent from '../timeline_menu/timeline_menu_content.vue'
import { mapState, mapGetters } from 'vuex' import { mapState, mapGetters } from 'vuex'
import { library } from '@fortawesome/fontawesome-svg-core' import { library } from '@fortawesome/fontawesome-svg-core'
@ -7,10 +7,12 @@ import {
faGlobe, faGlobe,
faBookmark, faBookmark,
faEnvelope, faEnvelope,
faHome, faChevronDown,
faChevronUp,
faComments, faComments,
faBell, faBell,
faInfoCircle faInfoCircle,
faStream
} from '@fortawesome/free-solid-svg-icons' } from '@fortawesome/free-solid-svg-icons'
library.add( library.add(
@ -18,10 +20,12 @@ library.add(
faGlobe, faGlobe,
faBookmark, faBookmark,
faEnvelope, faEnvelope,
faHome, faChevronDown,
faChevronUp,
faComments, faComments,
faBell, faBell,
faInfoCircle faInfoCircle,
faStream
) )
const NavPanel = { const NavPanel = {
@ -30,16 +34,20 @@ const NavPanel = {
this.$store.dispatch('startFetchingFollowRequests') this.$store.dispatch('startFetchingFollowRequests')
} }
}, },
components: {
TimelineMenuContent
},
data () {
return {
showTimelines: false
}
},
methods: {
toggleTimelines () {
this.showTimelines = !this.showTimelines
}
},
computed: { computed: {
onTimelineRoute () {
return !!timelineNames()[this.$route.name]
},
timelinesRoute () {
if (this.$store.state.interface.lastTimeline) {
return this.$store.state.interface.lastTimeline
}
return this.currentUser ? 'friends' : 'public-timeline'
},
...mapState({ ...mapState({
currentUser: state => state.users.currentUser, currentUser: state => state.users.currentUser,
followRequestCount: state => state.api.followRequests.length, followRequestCount: state => state.api.followRequests.length,

View file

@ -3,19 +3,33 @@
<div class="panel panel-default"> <div class="panel panel-default">
<ul> <ul>
<li v-if="currentUser || !privateMode"> <li v-if="currentUser || !privateMode">
<router-link <button
:to="{ name: timelinesRoute }" class="button-unstyled menu-item"
:class="onTimelineRoute && 'router-link-active'" @click="toggleTimelines"
> >
<FAIcon <FAIcon
fixed-width fixed-width
class="fa-scale-110" class="fa-scale-110"
icon="home" icon="stream"
/>{{ $t("nav.timelines") }} />{{ $t("nav.timelines") }}
</router-link> <FAIcon
class="timelines-chevron"
fixed-width
:icon="showTimelines ? 'chevron-up' : 'chevron-down'"
/>
</button>
<div
v-show="showTimelines"
class="timelines-background"
>
<TimelineMenuContent class="timelines" />
</div>
</li> </li>
<li v-if="currentUser"> <li v-if="currentUser">
<router-link :to="{ name: 'interactions', params: { username: currentUser.screen_name } }"> <router-link
class="menu-item"
:to="{ name: 'interactions', params: { username: currentUser.screen_name } }"
>
<FAIcon <FAIcon
fixed-width fixed-width
class="fa-scale-110" class="fa-scale-110"
@ -24,7 +38,10 @@
</router-link> </router-link>
</li> </li>
<li v-if="currentUser && pleromaChatMessagesAvailable"> <li v-if="currentUser && pleromaChatMessagesAvailable">
<router-link :to="{ name: 'chats', params: { username: currentUser.screen_name } }"> <router-link
class="menu-item"
:to="{ name: 'chats', params: { username: currentUser.screen_name } }"
>
<div <div
v-if="unreadChatCount" v-if="unreadChatCount"
class="badge badge-notification" class="badge badge-notification"
@ -39,7 +56,10 @@
</router-link> </router-link>
</li> </li>
<li v-if="currentUser && currentUser.locked"> <li v-if="currentUser && currentUser.locked">
<router-link :to="{ name: 'friend-requests' }"> <router-link
class="menu-item"
:to="{ name: 'friend-requests' }"
>
<FAIcon <FAIcon
fixed-width fixed-width
class="fa-scale-110" class="fa-scale-110"
@ -54,7 +74,10 @@
</router-link> </router-link>
</li> </li>
<li> <li>
<router-link :to="{ name: 'about' }"> <router-link
class="menu-item"
:to="{ name: 'about' }"
>
<FAIcon <FAIcon
fixed-width fixed-width
class="fa-scale-110" class="fa-scale-110"
@ -91,14 +114,14 @@
border-color: var(--border, $fallback--border); border-color: var(--border, $fallback--border);
padding: 0; padding: 0;
&:first-child a { &:first-child .menu-item {
border-top-right-radius: $fallback--panelRadius; border-top-right-radius: $fallback--panelRadius;
border-top-right-radius: var(--panelRadius, $fallback--panelRadius); border-top-right-radius: var(--panelRadius, $fallback--panelRadius);
border-top-left-radius: $fallback--panelRadius; border-top-left-radius: $fallback--panelRadius;
border-top-left-radius: var(--panelRadius, $fallback--panelRadius); border-top-left-radius: var(--panelRadius, $fallback--panelRadius);
} }
&:last-child a { &:last-child .menu-item {
border-bottom-right-radius: $fallback--panelRadius; border-bottom-right-radius: $fallback--panelRadius;
border-bottom-right-radius: var(--panelRadius, $fallback--panelRadius); border-bottom-right-radius: var(--panelRadius, $fallback--panelRadius);
border-bottom-left-radius: $fallback--panelRadius; border-bottom-left-radius: $fallback--panelRadius;
@ -110,13 +133,15 @@
border: none; border: none;
} }
a { .menu-item {
display: block; display: block;
box-sizing: border-box; box-sizing: border-box;
align-items: stretch;
height: 3.5em; height: 3.5em;
line-height: 3.5em; line-height: 3.5em;
padding: 0 1em; padding: 0 1em;
width: 100%;
color: $fallback--link;
color: var(--link, $fallback--link);
&:hover { &:hover {
background-color: $fallback--lightBg; background-color: $fallback--lightBg;
@ -146,6 +171,25 @@
} }
} }
.timelines-chevron {
margin-left: 0.8em;
font-size: 1.1em;
}
.timelines-background {
padding: 0 0 0 0.6em;
background-color: $fallback--lightBg;
background-color: var(--selectedMenu, $fallback--lightBg);
border-top: 1px solid;
border-color: $fallback--border;
border-color: var(--border, $fallback--border);
}
.timelines {
background-color: $fallback--bg;
background-color: var(--bg, $fallback--bg);
}
.fa-scale-110 { .fa-scale-110 {
margin-right: 0.8em; margin-right: 0.8em;
} }

View file

@ -0,0 +1,122 @@
<template>
<Popover
trigger="click"
class="NotificationFilters"
placement="bottom"
:bound-to="{ x: 'container' }"
>
<template v-slot:content>
<div class="dropdown-menu">
<button
class="button-default dropdown-item"
@click="toggleNotificationFilter('likes')"
>
<span
class="menu-checkbox"
:class="{ 'menu-checkbox-checked': filters.likes }"
/>{{ $t('settings.notification_visibility_likes') }}
</button>
<button
class="button-default dropdown-item"
@click="toggleNotificationFilter('repeats')"
>
<span
class="menu-checkbox"
:class="{ 'menu-checkbox-checked': filters.repeats }"
/>{{ $t('settings.notification_visibility_repeats') }}
</button>
<button
class="button-default dropdown-item"
@click="toggleNotificationFilter('follows')"
>
<span
class="menu-checkbox"
:class="{ 'menu-checkbox-checked': filters.follows }"
/>{{ $t('settings.notification_visibility_follows') }}
</button>
<button
class="button-default dropdown-item"
@click="toggleNotificationFilter('mentions')"
>
<span
class="menu-checkbox"
:class="{ 'menu-checkbox-checked': filters.mentions }"
/>{{ $t('settings.notification_visibility_mentions') }}
</button>
<button
class="button-default dropdown-item"
@click="toggleNotificationFilter('emojiReactions')"
>
<span
class="menu-checkbox"
:class="{ 'menu-checkbox-checked': filters.emojiReactions }"
/>{{ $t('settings.notification_visibility_emoji_reactions') }}
</button>
<button
class="button-default dropdown-item"
@click="toggleNotificationFilter('moves')"
>
<span
class="menu-checkbox"
:class="{ 'menu-checkbox-checked': filters.moves }"
/>{{ $t('settings.notification_visibility_moves') }}
</button>
</div>
</template>
<template v-slot:trigger>
<button class="button-unstyled">
<FAIcon icon="filter" />
</button>
</template>
</Popover>
</template>
<script>
import Popover from '../popover/popover.vue'
import { library } from '@fortawesome/fontawesome-svg-core'
import { faFilter } from '@fortawesome/free-solid-svg-icons'
library.add(
faFilter
)
export default {
components: { Popover },
computed: {
filters () {
return this.$store.getters.mergedConfig.notificationVisibility
}
},
methods: {
toggleNotificationFilter (type) {
this.$store.dispatch('setOption', {
name: 'notificationVisibility',
value: {
...this.filters,
[type]: !this.filters[type]
}
})
}
}
}
</script>
<style lang="scss">
.NotificationFilters {
align-self: stretch;
> button {
font-size: 1.2em;
padding-left: 0.7em;
padding-right: 0.2em;
line-height: 100%;
height: 100%;
}
.dropdown-item {
margin: 0;
}
}
</style>

View file

@ -1,5 +1,6 @@
import { mapGetters } from 'vuex' import { mapGetters } from 'vuex'
import Notification from '../notification/notification.vue' import Notification from '../notification/notification.vue'
import NotificationFilters from './notification_filters.vue'
import notificationsFetcher from '../../services/notifications_fetcher/notifications_fetcher.service.js' import notificationsFetcher from '../../services/notifications_fetcher/notifications_fetcher.service.js'
import { import {
notificationsFromStore, notificationsFromStore,
@ -17,6 +18,10 @@ library.add(
const DEFAULT_SEEN_TO_DISPLAY_COUNT = 30 const DEFAULT_SEEN_TO_DISPLAY_COUNT = 30
const Notifications = { const Notifications = {
components: {
Notification,
NotificationFilters
},
props: { props: {
// Disables display of panel header // Disables display of panel header
noHeading: Boolean, noHeading: Boolean,
@ -35,11 +40,6 @@ const Notifications = {
seenToDisplayCount: DEFAULT_SEEN_TO_DISPLAY_COUNT seenToDisplayCount: DEFAULT_SEEN_TO_DISPLAY_COUNT
} }
}, },
created () {
const store = this.$store
const credentials = store.state.users.currentUser.credentials
notificationsFetcher.fetchAndUpdate({ store, credentials })
},
computed: { computed: {
mainClass () { mainClass () {
return this.minimalMode ? '' : 'panel panel-default' return this.minimalMode ? '' : 'panel panel-default'
@ -70,9 +70,6 @@ const Notifications = {
}, },
...mapGetters(['unreadChatCount']) ...mapGetters(['unreadChatCount'])
}, },
components: {
Notification
},
watch: { watch: {
unseenCountTitle (count) { unseenCountTitle (count) {
if (count > 0) { if (count > 0) {

View file

@ -1,6 +1,6 @@
@import '../../_variables.scss'; @import '../../_variables.scss';
.notifications { .Notifications {
&:not(.minimal) { &:not(.minimal) {
// a bit of a hack to allow scrolling below notifications // a bit of a hack to allow scrolling below notifications
padding-bottom: 15em; padding-bottom: 15em;
@ -11,6 +11,10 @@
color: var(--text, $fallback--text); color: var(--text, $fallback--text);
} }
.notifications-footer {
border: none;
}
.notification { .notification {
position: relative; position: relative;
@ -82,7 +86,6 @@
} }
} }
.follow-text, .move-text { .follow-text, .move-text {
padding: 0.5em 0; padding: 0.5em 0;
overflow-wrap: break-word; overflow-wrap: break-word;

View file

@ -1,7 +1,7 @@
<template> <template>
<div <div
:class="{ minimal: minimalMode }" :class="{ minimal: minimalMode }"
class="notifications" class="Notifications"
> >
<div :class="mainClass"> <div :class="mainClass">
<div <div
@ -22,6 +22,7 @@
> >
{{ $t('notifications.read') }} {{ $t('notifications.read') }}
</button> </button>
<NotificationFilters />
</div> </div>
<div class="panel-body"> <div class="panel-body">
<div <div
@ -34,10 +35,10 @@
<notification :notification="notification" /> <notification :notification="notification" />
</div> </div>
</div> </div>
<div class="panel-footer"> <div class="panel-footer notifications-footer">
<div <div
v-if="bottomedOut" v-if="bottomedOut"
class="new-status-notification text-center panel-footer faint" class="new-status-notification text-center faint"
> >
{{ $t('notifications.no_more_notifications') }} {{ $t('notifications.no_more_notifications') }}
</div> </div>
@ -46,13 +47,13 @@
class="button-unstyled -link -fullwidth" class="button-unstyled -link -fullwidth"
@click.prevent="fetchOlderNotifications()" @click.prevent="fetchOlderNotifications()"
> >
<div class="new-status-notification text-center panel-footer"> <div class="new-status-notification text-center">
{{ minimalMode ? $t('interactions.load_older') : $t('notifications.load_older') }} {{ minimalMode ? $t('interactions.load_older') : $t('notifications.load_older') }}
</div> </div>
</button> </button>
<div <div
v-else v-else
class="new-status-notification text-center panel-footer" class="new-status-notification text-center"
> >
<FAIcon <FAIcon
icon="circle-notch" icon="circle-notch"

View file

@ -53,7 +53,7 @@
type="submit" type="submit"
class="btn button-default btn-block" class="btn button-default btn-block"
> >
{{ $t('general.submit') }} {{ $t('settings.save') }}
</button> </button>
</div> </div>
</div> </div>

View file

@ -1,19 +1,21 @@
import * as DateUtils from 'src/services/date_utils/date_utils.js' import * as DateUtils from 'src/services/date_utils/date_utils.js'
import { uniq } from 'lodash' import { uniq } from 'lodash'
import { library } from '@fortawesome/fontawesome-svg-core' import { library } from '@fortawesome/fontawesome-svg-core'
import Select from '../select/select.vue'
import { import {
faTimes, faTimes,
faChevronDown,
faPlus faPlus
} from '@fortawesome/free-solid-svg-icons' } from '@fortawesome/free-solid-svg-icons'
library.add( library.add(
faTimes, faTimes,
faChevronDown,
faPlus faPlus
) )
export default { export default {
components: {
Select
},
name: 'PollForm', name: 'PollForm',
props: ['visible'], props: ['visible'],
data: () => ({ data: () => ({

View file

@ -46,23 +46,19 @@
class="poll-type" class="poll-type"
:title="$t('polls.type')" :title="$t('polls.type')"
> >
<label <Select
for="poll-type-selector" v-model="pollType"
class="select" class="poll-type-select"
unstyled="true"
@change="updatePollToParent"
> >
<select <option value="single">
v-model="pollType" {{ $t('polls.single_choice') }}
class="select" </option>
@change="updatePollToParent" <option value="multiple">
> {{ $t('polls.multiple_choices') }}
<option value="single">{{ $t('polls.single_choice') }}</option> </option>
<option value="multiple">{{ $t('polls.multiple_choices') }}</option> </Select>
</select>
<FAIcon
class="select-down-icon"
icon="chevron-down"
/>
</label>
</div> </div>
<div <div
class="poll-expiry" class="poll-expiry"
@ -76,24 +72,20 @@
:max="maxExpirationInCurrentUnit" :max="maxExpirationInCurrentUnit"
@change="expiryAmountChange" @change="expiryAmountChange"
> >
<label class="expiry-unit select"> <Select
<select v-model="expiryUnit"
v-model="expiryUnit" unstyled="true"
@change="expiryAmountChange" class="expiry-unit"
@change="expiryAmountChange"
>
<option
v-for="unit in expiryUnits"
:key="unit"
:value="unit"
> >
<option {{ $t(`time.${unit}_short`, ['']) }}
v-for="unit in expiryUnits" </option>
:key="unit" </Select>
:value="unit"
>
{{ $t(`time.${unit}_short`, ['']) }}
</option>
</select>
<FAIcon
class="select-down-icon"
icon="chevron-down"
/>
</label>
</div> </div>
</div> </div>
</div> </div>
@ -147,10 +139,8 @@
.poll-type { .poll-type {
margin-right: 0.75em; margin-right: 0.75em;
flex: 1 1 60%; flex: 1 1 60%;
.select {
border: none; .poll-type-select {
box-shadow: none;
background-color: transparent;
padding-right: 0.75em; padding-right: 0.75em;
} }
} }
@ -162,12 +152,6 @@
width: 3em; width: 3em;
text-align: right; text-align: right;
} }
.expiry-unit {
border: none;
box-shadow: none;
background-color: transparent;
}
} }
} }
</style> </style>

View file

@ -3,25 +3,32 @@ const Popover = {
props: { props: {
// Action to trigger popover: either 'hover' or 'click' // Action to trigger popover: either 'hover' or 'click'
trigger: String, trigger: String,
// Either 'top' or 'bottom' // Either 'top' or 'bottom'
placement: String, placement: String,
// Takes object with properties 'x' and 'y', values of these can be // Takes object with properties 'x' and 'y', values of these can be
// 'container' for using offsetParent as boundaries for either axis // 'container' for using offsetParent as boundaries for either axis
// or 'viewport' // or 'viewport'
boundTo: Object, boundTo: Object,
// Takes a selector to use as a replacement for the parent container // Takes a selector to use as a replacement for the parent container
// for getting boundaries for x an y axis // for getting boundaries for x an y axis
boundToSelector: String, boundToSelector: String,
// Takes a top/bottom/left/right object, how much space to leave // Takes a top/bottom/left/right object, how much space to leave
// between boundary and popover element // between boundary and popover element
margin: Object, margin: Object,
// Takes a x/y object and tells how many pixels to offset from // Takes a x/y object and tells how many pixels to offset from
// anchor point on either axis // anchor point on either axis
offset: Object, offset: Object,
// Replaces the classes you may want for the popover container. // Replaces the classes you may want for the popover container.
// Use 'popover-default' in addition to get the default popover // Use 'popover-default' in addition to get the default popover
// styles with your custom class. // styles with your custom class.
popoverClass: String, popoverClass: String,
// If true, subtract padding when calculating position for the popover, // If true, subtract padding when calculating position for the popover,
// use it when popover offset looks to be different on top vs bottom. // use it when popover offset looks to be different on top vs bottom.
removePadding: Boolean removePadding: Boolean
@ -47,8 +54,11 @@ const Popover = {
} }
// Popover will be anchored around this element, trigger ref is the container, so // Popover will be anchored around this element, trigger ref is the container, so
// its children are what are inside the slot. Expect only one slot="trigger". // its children are what are inside the slot. Expect only one v-slot:trigger.
const anchorEl = (this.$refs.trigger && this.$refs.trigger.children[0]) || this.$el const anchorEl = (this.$refs.trigger && this.$refs.trigger.children[0]) || this.$el
// SVGs don't have offsetWidth/Height, use fallback
const anchorWidth = anchorEl.offsetWidth || anchorEl.clientWidth
const anchorHeight = anchorEl.offsetHeight || anchorEl.clientHeight
const screenBox = anchorEl.getBoundingClientRect() const screenBox = anchorEl.getBoundingClientRect()
// Screen position of the origin point for popover // Screen position of the origin point for popover
const origin = { x: screenBox.left + screenBox.width * 0.5, y: screenBox.top } const origin = { x: screenBox.left + screenBox.width * 0.5, y: screenBox.top }
@ -107,11 +117,11 @@ const Popover = {
const yOffset = (this.offset && this.offset.y) || 0 const yOffset = (this.offset && this.offset.y) || 0
const translateY = usingTop const translateY = usingTop
? -anchorEl.offsetHeight + vPadding - yOffset - content.offsetHeight ? -anchorHeight + vPadding - yOffset - content.offsetHeight
: yOffset : yOffset
const xOffset = (this.offset && this.offset.x) || 0 const xOffset = (this.offset && this.offset.x) || 0
const translateX = (anchorEl.offsetWidth * 0.5) - content.offsetWidth * 0.5 + horizOffset + xOffset const translateX = anchorWidth * 0.5 - content.offsetWidth * 0.5 + horizOffset + xOffset
// Note, separate translateX and translateY avoids blurry text on chromium, // Note, separate translateX and translateY avoids blurry text on chromium,
// single translate or translate3d resulted in blurry text. // single translate or translate3d resulted in blurry text.

View file

@ -82,10 +82,9 @@
.dropdown-item { .dropdown-item {
line-height: 21px; line-height: 21px;
margin-right: 5px;
overflow: auto; overflow: auto;
display: block; display: block;
padding: .25rem 1.0rem .25rem 1.5rem; padding: .5em 0.75em;
clear: both; clear: both;
font-weight: 400; font-weight: 400;
text-align: inherit; text-align: inherit;
@ -101,10 +100,9 @@
--btnText: var(--popoverText, $fallback--text); --btnText: var(--popoverText, $fallback--text);
&-icon { &-icon {
padding-left: 0.5rem;
svg { svg {
margin-right: 0.25rem; width: 22px;
margin-right: 0.75rem;
color: var(--menuPopoverIcon, $fallback--icon) color: var(--menuPopoverIcon, $fallback--icon)
} }
} }
@ -123,6 +121,33 @@
} }
} }
.menu-checkbox {
display: inline-block;
vertical-align: middle;
min-width: 22px;
max-width: 22px;
min-height: 22px;
max-height: 22px;
line-height: 22px;
text-align: center;
border-radius: 0px;
background-color: $fallback--fg;
background-color: var(--input, $fallback--fg);
box-shadow: 0px 0px 2px black inset;
box-shadow: var(--inputShadow);
margin-right: 0.75em;
&.menu-checkbox-checked::after {
font-size: 1.25em;
content: '✓';
}
&.menu-checkbox-radio::after {
font-size: 2em;
content: '•';
}
}
} }
} }
</style> </style>

View file

@ -11,10 +11,10 @@ import { reject, map, uniqBy, debounce } from 'lodash'
import suggestor from '../emoji_input/suggestor.js' import suggestor from '../emoji_input/suggestor.js'
import { mapGetters, mapState } from 'vuex' import { mapGetters, mapState } from 'vuex'
import Checkbox from '../checkbox/checkbox.vue' import Checkbox from '../checkbox/checkbox.vue'
import Select from '../select/select.vue'
import { library } from '@fortawesome/fontawesome-svg-core' import { library } from '@fortawesome/fontawesome-svg-core'
import { import {
faChevronDown,
faSmileBeam, faSmileBeam,
faPollH, faPollH,
faUpload, faUpload,
@ -24,7 +24,6 @@ import {
} from '@fortawesome/free-solid-svg-icons' } from '@fortawesome/free-solid-svg-icons'
library.add( library.add(
faChevronDown,
faSmileBeam, faSmileBeam,
faPollH, faPollH,
faUpload, faUpload,
@ -84,6 +83,7 @@ const PostStatusForm = {
PollForm, PollForm,
ScopeSelector, ScopeSelector,
Checkbox, Checkbox,
Select,
Attachment, Attachment,
StatusContent StatusContent
}, },
@ -115,7 +115,7 @@ const PostStatusForm = {
? this.copyMessageScope ? this.copyMessageScope
: this.$store.state.users.currentUser.default_scope : this.$store.state.users.currentUser.default_scope
const { postContentType: contentType } = this.$store.getters.mergedConfig const { postContentType: contentType, sensitiveByDefault } = this.$store.getters.mergedConfig
return { return {
dropFiles: [], dropFiles: [],
@ -126,7 +126,7 @@ const PostStatusForm = {
newStatus: { newStatus: {
spoilerText: this.subject || '', spoilerText: this.subject || '',
status: statusText, status: statusText,
nsfw: false, nsfw: !!sensitiveByDefault,
files: [], files: [],
poll: {}, poll: {},
mediaDescriptions: {}, mediaDescriptions: {},

View file

@ -189,28 +189,19 @@
v-if="postFormats.length > 1" v-if="postFormats.length > 1"
class="text-format" class="text-format"
> >
<label <Select
for="post-content-type" id="post-content-type"
class="select" v-model="newStatus.contentType"
class="form-control"
> >
<select <option
id="post-content-type" v-for="postFormat in postFormats"
v-model="newStatus.contentType" :key="postFormat"
class="form-control" :value="postFormat"
> >
<option {{ $t(`post_status.content_type["${postFormat}"]`) }}
v-for="postFormat in postFormats" </option>
:key="postFormat" </Select>
:value="postFormat"
>
{{ $t(`post_status.content_type["${postFormat}"]`) }}
</option>
</select>
<FAIcon
class="select-down-icon"
icon="chevron-down"
/>
</label>
</div> </div>
<div <div
v-if="postFormats.length === 1 && postFormats[0] !== 'text/plain'" v-if="postFormats.length === 1 && postFormats[0] !== 'text/plain'"
@ -272,7 +263,7 @@
disabled disabled
class="btn button-default" class="btn button-default"
> >
{{ $t('general.submit') }} {{ $t('post_status.post') }}
</button> </button>
<!-- touchstart is used to keep the OSK at the same position after a message send --> <!-- touchstart is used to keep the OSK at the same position after a message send -->
<button <button
@ -282,7 +273,7 @@
@touchstart.stop.prevent="postStatus($event, newStatus)" @touchstart.stop.prevent="postStatus($event, newStatus)"
@click.stop.prevent="postStatus($event, newStatus)" @click.stop.prevent="postStatus($event, newStatus)"
> >
{{ $t('general.submit') }} {{ $t('post_status.post') }}
</button> </button>
</div> </div>
<div <div

View file

@ -8,10 +8,7 @@
remove-padding remove-padding
@show="focusInput" @show="focusInput"
> >
<div <template v-slot:content="{close}">
slot="content"
slot-scope="{close}"
>
<div class="reaction-picker-filter"> <div class="reaction-picker-filter">
<input <input
v-model="filterWord" v-model="filterWord"
@ -41,17 +38,18 @@
</span> </span>
<div class="reaction-bottom-fader" /> <div class="reaction-bottom-fader" />
</div> </div>
</div> </template>
<span <template v-slot:trigger>
slot="trigger" <button
class="popover-trigger" class="button-unstyled popover-trigger"
:title="$t('tool_tip.add_reaction')" :title="$t('tool_tip.add_reaction')"
> >
<FAIcon <FAIcon
class="fa-scale-110 fa-old-padding" class="fa-scale-110 fa-old-padding"
:icon="['far', 'smile-beam']" :icon="['far', 'smile-beam']"
/> />
</span> </button>
</template>
</Popover> </Popover>
</template> </template>

View file

@ -230,7 +230,7 @@
type="submit" type="submit"
class="btn button-default" class="btn button-default"
> >
{{ $t('general.submit') }} {{ $t('registration.register') }}
</button> </button>
</div> </div>
</div> </div>

View file

@ -0,0 +1,21 @@
import { library } from '@fortawesome/fontawesome-svg-core'
import {
faChevronDown
} from '@fortawesome/free-solid-svg-icons'
library.add(
faChevronDown
)
export default {
model: {
prop: 'value',
event: 'change'
},
props: [
'value',
'disabled',
'unstyled',
'kind'
]
}

View file

@ -0,0 +1,62 @@
<template>
<label
class="Select input"
:class="{ disabled, unstyled }"
>
<select
:disabled="disabled"
:value="value"
@change="$emit('change', $event.target.value)"
>
<slot />
</select>
<FAIcon
class="select-down-icon"
icon="chevron-down"
/>
</label>
</template>
<script src="./select.js"> </script>
<style lang="scss">
@import '../../_variables.scss';
.Select {
padding: 0;
select {
-webkit-appearance: none;
-moz-appearance: none;
appearance: none;
background: transparent;
border: none;
color: $fallback--text;
color: var(--inputText, --text, $fallback--text);
margin: 0;
padding: 0 2em 0 .2em;
font-family: sans-serif;
font-family: var(--inputFont, sans-serif);
font-size: 14px;
width: 100%;
z-index: 1;
height: 28px;
line-height: 16px;
}
.select-down-icon {
position: absolute;
top: 0;
bottom: 0;
right: 5px;
height: 100%;
color: $fallback--text;
color: var(--inputText, $fallback--text);
line-height: 28px;
z-index: 0;
pointer-events: none;
}
}
</style>

View file

@ -24,10 +24,7 @@
:items="items" :items="items"
:get-key="getKey" :get-key="getKey"
> >
<template <template v-slot:item="{item}">
slot="item"
slot-scope="{item}"
>
<div <div
class="selectable-list-item-inner" class="selectable-list-item-inner"
:class="{ 'selectable-list-item-selected-inner': isSelected(item) }" :class="{ 'selectable-list-item-selected-inner': isSelected(item) }"
@ -44,7 +41,7 @@
/> />
</div> </div>
</template> </template>
<template slot="empty"> <template v-slot:empty>
<slot name="empty" /> <slot name="empty" />
</template> </template>
</List> </List>

View file

@ -0,0 +1,38 @@
import { get, set } from 'lodash'
import Checkbox from 'src/components/checkbox/checkbox.vue'
import ModifiedIndicator from './modified_indicator.vue'
export default {
components: {
Checkbox,
ModifiedIndicator
},
props: [
'path',
'disabled'
],
computed: {
pathDefault () {
const [firstSegment, ...rest] = this.path.split('.')
return [firstSegment + 'DefaultValue', ...rest].join('.')
},
state () {
const value = get(this.$parent, this.path)
if (value === undefined) {
return this.defaultState
} else {
return value
}
},
defaultState () {
return get(this.$parent, this.pathDefault)
},
isChanged () {
return this.state !== this.defaultState
}
},
methods: {
update (e) {
set(this.$parent, this.path, e)
}
}
}

View file

@ -18,40 +18,4 @@
</label> </label>
</template> </template>
<script> <script src="./boolean_setting.js"></script>
import { get, set } from 'lodash'
import Checkbox from 'src/components/checkbox/checkbox.vue'
import ModifiedIndicator from './modified_indicator.vue'
export default {
components: {
Checkbox,
ModifiedIndicator
},
props: [
'path',
'disabled'
],
computed: {
pathDefault () {
const [firstSegment, ...rest] = this.path.split('.')
return [firstSegment + 'DefaultValue', ...rest].join('.')
},
state () {
return get(this.$parent, this.path)
},
isChanged () {
return get(this.$parent, this.path) !== get(this.$parent, this.pathDefault)
}
},
methods: {
update (e) {
set(this.$parent, this.path, e)
}
}
}
</script>
<style lang="scss">
.BooleanSetting {
}
</style>

View file

@ -0,0 +1,39 @@
import { get, set } from 'lodash'
import Select from 'src/components/select/select.vue'
import ModifiedIndicator from './modified_indicator.vue'
export default {
components: {
Select,
ModifiedIndicator
},
props: [
'path',
'disabled',
'options'
],
computed: {
pathDefault () {
const [firstSegment, ...rest] = this.path.split('.')
return [firstSegment + 'DefaultValue', ...rest].join('.')
},
state () {
const value = get(this.$parent, this.path)
if (value === undefined) {
return this.defaultState
} else {
return value
}
},
defaultState () {
return get(this.$parent, this.pathDefault)
},
isChanged () {
return this.state !== this.defaultState
}
},
methods: {
update (e) {
set(this.$parent, this.path, e)
}
}
}

View file

@ -0,0 +1,29 @@
<template>
<label
class="ChoiceSetting"
>
<slot />
<Select
:value="state"
:disabled="disabled"
@change="update"
>
<option
v-for="option in options"
:key="option.key"
:value="option.value"
>
{{ option.label }}
{{ option.value === defaultState ? $t('settings.instance_default_simple') : '' }}
</option>
</Select>
<ModifiedIndicator :changed="isChanged" />
</label>
</template>
<script src="./choice_setting.js"></script>
<style lang="scss">
.ChoiceSetting {
}
</style>

View file

@ -6,18 +6,18 @@
<Popover <Popover
trigger="hover" trigger="hover"
> >
<span slot="trigger"> <template v-slot:trigger>
&nbsp; &nbsp;
<FAIcon <FAIcon
icon="wrench" icon="wrench"
:aria-label="$t('settings.setting_changed')"
/> />
</span> </template>
<div <template v-slot:content>
slot="content" <div class="modified-tooltip">
class="modified-tooltip" {{ $t('settings.setting_changed') }}
> </div>
{{ $t('settings.setting_changed') }} </template>
</div>
</Popover> </Popover>
</span> </span>
</template> </template>

View file

@ -2,10 +2,55 @@ import Modal from 'src/components/modal/modal.vue'
import PanelLoading from 'src/components/panel_loading/panel_loading.vue' import PanelLoading from 'src/components/panel_loading/panel_loading.vue'
import AsyncComponentError from 'src/components/async_component_error/async_component_error.vue' import AsyncComponentError from 'src/components/async_component_error/async_component_error.vue'
import getResettableAsyncComponent from 'src/services/resettable_async_component.js' import getResettableAsyncComponent from 'src/services/resettable_async_component.js'
import Popover from '../popover/popover.vue'
import { library } from '@fortawesome/fontawesome-svg-core'
import { cloneDeep } from 'lodash'
import {
newImporter,
newExporter
} from 'src/services/export_import/export_import.js'
import {
faTimes,
faFileUpload,
faFileDownload,
faChevronDown
} from '@fortawesome/free-solid-svg-icons'
import {
faWindowMinimize
} from '@fortawesome/free-regular-svg-icons'
const PLEROMAFE_SETTINGS_MAJOR_VERSION = 1
const PLEROMAFE_SETTINGS_MINOR_VERSION = 0
library.add(
faTimes,
faWindowMinimize,
faFileUpload,
faFileDownload,
faChevronDown
)
const SettingsModal = { const SettingsModal = {
data () {
return {
dataImporter: newImporter({
validator: this.importValidator,
onImport: this.onImport,
onImportFailure: this.onImportFailure
}),
dataThemeExporter: newExporter({
filename: 'pleromafe_settings.full',
getExportedObject: () => this.generateExport(true)
}),
dataExporter: newExporter({
filename: 'pleromafe_settings',
getExportedObject: () => this.generateExport()
})
}
},
components: { components: {
Modal, Modal,
Popover,
SettingsModalContent: getResettableAsyncComponent( SettingsModalContent: getResettableAsyncComponent(
() => import('./settings_modal_content.vue'), () => import('./settings_modal_content.vue'),
{ {
@ -21,6 +66,85 @@ const SettingsModal = {
}, },
peekModal () { peekModal () {
this.$store.dispatch('togglePeekSettingsModal') this.$store.dispatch('togglePeekSettingsModal')
},
importValidator (data) {
if (!Array.isArray(data._pleroma_settings_version)) {
return {
messageKey: 'settings.file_import_export.invalid_file'
}
}
const [major, minor] = data._pleroma_settings_version
if (major > PLEROMAFE_SETTINGS_MAJOR_VERSION) {
return {
messageKey: 'settings.file_export_import.errors.file_too_new',
messageArgs: {
fileMajor: major,
feMajor: PLEROMAFE_SETTINGS_MAJOR_VERSION
}
}
}
if (major < PLEROMAFE_SETTINGS_MAJOR_VERSION) {
return {
messageKey: 'settings.file_export_import.errors.file_too_old',
messageArgs: {
fileMajor: major,
feMajor: PLEROMAFE_SETTINGS_MAJOR_VERSION
}
}
}
if (minor > PLEROMAFE_SETTINGS_MINOR_VERSION) {
this.$store.dispatch('pushGlobalNotice', {
level: 'warning',
messageKey: 'settings.file_export_import.errors.file_slightly_new'
})
}
return true
},
onImportFailure (result) {
if (result.error) {
this.$store.dispatch('pushGlobalNotice', { messageKey: 'settings.invalid_settings_imported', level: 'error' })
} else {
this.$store.dispatch('pushGlobalNotice', { ...result.validationResult, level: 'error' })
}
},
onImport (data) {
if (data) { this.$store.dispatch('loadSettings', data) }
},
restore () {
this.dataImporter.importData()
},
backup () {
this.dataExporter.exportData()
},
backupWithTheme () {
this.dataThemeExporter.exportData()
},
generateExport (theme = false) {
const { config } = this.$store.state
let sample = config
if (!theme) {
const ignoreList = new Set([
'customTheme',
'customThemeSource',
'colors'
])
sample = Object.fromEntries(
Object
.entries(sample)
.filter(([key]) => !ignoreList.has(key))
)
}
const clone = cloneDeep(sample)
clone._pleroma_settings_version = [
PLEROMAFE_SETTINGS_MAJOR_VERSION,
PLEROMAFE_SETTINGS_MINOR_VERSION
]
return clone
} }
}, },
computed: { computed: {

View file

@ -31,20 +31,84 @@
</transition> </transition>
<button <button
class="btn button-default" class="btn button-default"
:title="$t('general.peek')"
@click="peekModal" @click="peekModal"
> >
{{ $t('general.peek') }} <FAIcon
:icon="['far', 'window-minimize']"
fixed-width
/>
</button> </button>
<button <button
class="btn button-default" class="btn button-default"
:title="$t('general.close')"
@click="closeModal" @click="closeModal"
> >
{{ $t('general.close') }} <FAIcon
icon="times"
fixed-width
/>
</button> </button>
</div> </div>
<div class="panel-body"> <div class="panel-body">
<SettingsModalContent v-if="modalOpenedOnce" /> <SettingsModalContent v-if="modalOpenedOnce" />
</div> </div>
<div class="panel-footer">
<Popover
class="export"
trigger="click"
placement="top"
:offset="{ y: 5, x: 5 }"
:bound-to="{ x: 'container' }"
remove-padding
>
<template v-slot:trigger>
<button
class="btn button-default"
:title="$t('general.close')"
>
<span>{{ $t("settings.file_export_import.backup_restore") }}</span>
<FAIcon
icon="chevron-down"
/>
</button>
</template>
<template v-slot:content="{close}">
<div class="dropdown-menu">
<button
class="button-default dropdown-item dropdown-item-icon"
@click.prevent="backup"
@click="close"
>
<FAIcon
icon="file-download"
fixed-width
/><span>{{ $t("settings.file_export_import.backup_settings") }}</span>
</button>
<button
class="button-default dropdown-item dropdown-item-icon"
@click.prevent="backupWithTheme"
@click="close"
>
<FAIcon
icon="file-download"
fixed-width
/><span>{{ $t("settings.file_export_import.backup_settings_theme") }}</span>
</button>
<button
class="button-default dropdown-item dropdown-item-icon"
@click.prevent="restore"
@click="close"
>
<FAIcon
icon="file-upload"
fixed-width
/><span>{{ $t("settings.file_export_import.restore_settings") }}</span>
</button>
</div>
</template>
</Popover>
</div>
</div> </div>
</Modal> </Modal>
</template> </template>

View file

@ -7,13 +7,24 @@
margin: 1em 1em 1.4em; margin: 1em 1em 1.4em;
padding-bottom: 1.4em; padding-bottom: 1.4em;
> div { > div,
> label {
display: block;
margin-bottom: .5em; margin-bottom: .5em;
&:last-child { &:last-child {
margin-bottom: 0; margin-bottom: 0;
} }
} }
.select-multiple {
display: flex;
.option-list {
margin: 0;
padding-left: .5em;
}
}
&:last-child { &:last-child {
border-bottom: none; border-bottom: none;
padding-bottom: 0; padding-bottom: 0;

View file

@ -1,24 +1,23 @@
import { filter, trim } from 'lodash' import { filter, trim } from 'lodash'
import BooleanSetting from '../helpers/boolean_setting.vue' import BooleanSetting from '../helpers/boolean_setting.vue'
import ChoiceSetting from '../helpers/choice_setting.vue'
import SharedComputedObject from '../helpers/shared_computed_object.js' import SharedComputedObject from '../helpers/shared_computed_object.js'
import { library } from '@fortawesome/fontawesome-svg-core'
import {
faChevronDown
} from '@fortawesome/free-solid-svg-icons'
library.add(
faChevronDown
)
const FilteringTab = { const FilteringTab = {
data () { data () {
return { return {
muteWordsStringLocal: this.$store.getters.mergedConfig.muteWords.join('\n') muteWordsStringLocal: this.$store.getters.mergedConfig.muteWords.join('\n'),
replyVisibilityOptions: ['all', 'following', 'self'].map(mode => ({
key: mode,
value: mode,
label: this.$t(`settings.reply_visibility_${mode}`)
}))
} }
}, },
components: { components: {
BooleanSetting BooleanSetting,
ChoiceSetting
}, },
computed: { computed: {
...SharedComputedObject(), ...SharedComputedObject(),

View file

@ -36,29 +36,13 @@
</li> </li>
</ul> </ul>
</div> </div>
<div> <ChoiceSetting
id="replyVisibility"
path="replyVisibility"
:options="replyVisibilityOptions"
>
{{ $t('settings.replies_in_timeline') }} {{ $t('settings.replies_in_timeline') }}
<label </ChoiceSetting>
for="replyVisibility"
class="select"
>
<select
id="replyVisibility"
v-model="replyVisibility"
>
<option
value="all"
selected
>{{ $t('settings.reply_visibility_all') }}</option>
<option value="following">{{ $t('settings.reply_visibility_following') }}</option>
<option value="self">{{ $t('settings.reply_visibility_self') }}</option>
</select>
<FAIcon
class="select-down-icon"
icon="chevron-down"
/>
</label>
</div>
<div> <div>
<BooleanSetting path="hidePostStats"> <BooleanSetting path="hidePostStats">
{{ $t('settings.hide_post_stats') }} {{ $t('settings.hide_post_stats') }}

View file

@ -1,21 +1,25 @@
import BooleanSetting from '../helpers/boolean_setting.vue' import BooleanSetting from '../helpers/boolean_setting.vue'
import ChoiceSetting from '../helpers/choice_setting.vue'
import InterfaceLanguageSwitcher from 'src/components/interface_language_switcher/interface_language_switcher.vue' import InterfaceLanguageSwitcher from 'src/components/interface_language_switcher/interface_language_switcher.vue'
import SharedComputedObject from '../helpers/shared_computed_object.js' import SharedComputedObject from '../helpers/shared_computed_object.js'
import { library } from '@fortawesome/fontawesome-svg-core' import { library } from '@fortawesome/fontawesome-svg-core'
import { import {
faChevronDown,
faGlobe faGlobe
} from '@fortawesome/free-solid-svg-icons' } from '@fortawesome/free-solid-svg-icons'
library.add( library.add(
faChevronDown,
faGlobe faGlobe
) )
const GeneralTab = { const GeneralTab = {
data () { data () {
return { return {
subjectLineOptions: ['email', 'noop', 'masto'].map(mode => ({
key: mode,
value: mode,
label: this.$t(`settings.subject_line_${mode === 'masto' ? 'mastodon' : mode}`)
})),
loopSilentAvailable: loopSilentAvailable:
// Firefox // Firefox
Object.getOwnPropertyDescriptor(HTMLVideoElement.prototype, 'mozHasAudio') || Object.getOwnPropertyDescriptor(HTMLVideoElement.prototype, 'mozHasAudio') ||
@ -27,17 +31,26 @@ const GeneralTab = {
}, },
components: { components: {
BooleanSetting, BooleanSetting,
ChoiceSetting,
InterfaceLanguageSwitcher InterfaceLanguageSwitcher
}, },
computed: { computed: {
postFormats () { postFormats () {
return this.$store.state.instance.postFormats || [] return this.$store.state.instance.postFormats || []
}, },
postContentOptions () {
return this.postFormats.map(format => ({
key: format,
value: format,
label: this.$t(`post_status.content_type["${format}"]`)
}))
},
instanceSpecificPanelPresent () { return this.$store.state.instance.showInstanceSpecificPanel }, instanceSpecificPanelPresent () { return this.$store.state.instance.showInstanceSpecificPanel },
instanceWallpaperUsed () { instanceWallpaperUsed () {
return this.$store.state.instance.background && return this.$store.state.instance.background &&
!this.$store.state.users.currentUser.background_image !this.$store.state.users.currentUser.background_image
}, },
instanceShoutboxPresent () { return this.$store.state.instance.shoutAvailable },
...SharedComputedObject() ...SharedComputedObject()
} }
} }

View file

@ -11,11 +11,21 @@
{{ $t('settings.hide_isp') }} {{ $t('settings.hide_isp') }}
</BooleanSetting> </BooleanSetting>
</li> </li>
<li>
<BooleanSetting path="sidebarRight">
{{ $t('settings.right_sidebar') }}
</BooleanSetting>
</li>
<li v-if="instanceWallpaperUsed"> <li v-if="instanceWallpaperUsed">
<BooleanSetting path="hideInstanceWallpaper"> <BooleanSetting path="hideInstanceWallpaper">
{{ $t('settings.hide_wallpaper') }} {{ $t('settings.hide_wallpaper') }}
</BooleanSetting> </BooleanSetting>
</li> </li>
<li v-if="instanceShoutboxPresent">
<BooleanSetting path="hideShoutbox">
{{ $t('settings.hide_shoutbox') }}
</BooleanSetting>
</li>
</ul> </ul>
</div> </div>
<div class="setting-item"> <div class="setting-item">
@ -85,66 +95,31 @@
</BooleanSetting> </BooleanSetting>
</li> </li>
<li> <li>
<div> <ChoiceSetting
id="subjectLineBehavior"
path="subjectLineBehavior"
:options="subjectLineOptions"
>
{{ $t('settings.subject_line_behavior') }} {{ $t('settings.subject_line_behavior') }}
<label </ChoiceSetting>
for="subjectLineBehavior"
class="select"
>
<select
id="subjectLineBehavior"
v-model="subjectLineBehavior"
>
<option value="email">
{{ $t('settings.subject_line_email') }}
{{ subjectLineBehaviorDefaultValue == 'email' ? $t('settings.instance_default_simple') : '' }}
</option>
<option value="masto">
{{ $t('settings.subject_line_mastodon') }}
{{ subjectLineBehaviorDefaultValue == 'mastodon' ? $t('settings.instance_default_simple') : '' }}
</option>
<option value="noop">
{{ $t('settings.subject_line_noop') }}
{{ subjectLineBehaviorDefaultValue == 'noop' ? $t('settings.instance_default_simple') : '' }}
</option>
</select>
<FAIcon
class="select-down-icon"
icon="chevron-down"
/>
</label>
</div>
</li> </li>
<li v-if="postFormats.length > 0"> <li v-if="postFormats.length > 0">
<div> <ChoiceSetting
id="postContentType"
path="postContentType"
:options="postContentOptions"
>
{{ $t('settings.post_status_content_type') }} {{ $t('settings.post_status_content_type') }}
<label </ChoiceSetting>
for="postContentType"
class="select"
>
<select
id="postContentType"
v-model="postContentType"
>
<option
v-for="postFormat in postFormats"
:key="postFormat"
:value="postFormat"
>
{{ $t(`post_status.content_type["${postFormat}"]`) }}
{{ postContentTypeDefaultValue === postFormat ? $t('settings.instance_default_simple') : '' }}
</option>
</select>
<FAIcon
class="select-down-icon"
icon="chevron-down"
/>
</label>
</div>
</li> </li>
<li> <li>
<BooleanSetting path="minimalScopesMode"> <BooleanSetting path="minimalScopesMode">
{{ $t('settings.minimal_scopes_mode') }} {{ minimalScopesModeDefaultValue }} {{ $t('settings.minimal_scopes_mode') }}
</BooleanSetting>
</li>
<li>
<BooleanSetting path="sensitiveByDefault">
{{ $t('settings.sensitive_by_default') }}
</BooleanSetting> </BooleanSetting>
</li> </li>
<li> <li>

View file

@ -10,20 +10,18 @@
:query="queryUserIds" :query="queryUserIds"
:placeholder="$t('settings.search_user_to_block')" :placeholder="$t('settings.search_user_to_block')"
> >
<BlockCard <template v-slot="row">
slot-scope="row" <BlockCard
:user-id="row.item" :user-id="row.item"
/> />
</template>
</Autosuggest> </Autosuggest>
</div> </div>
<BlockList <BlockList
:refresh="true" :refresh="true"
:get-key="i => i" :get-key="i => i"
> >
<template <template v-slot:header="{selected}">
slot="header"
slot-scope="{selected}"
>
<div class="bulk-actions"> <div class="bulk-actions">
<ProgressButton <ProgressButton
v-if="selected.length > 0" v-if="selected.length > 0"
@ -31,7 +29,7 @@
:click="() => blockUsers(selected)" :click="() => blockUsers(selected)"
> >
{{ $t('user_card.block') }} {{ $t('user_card.block') }}
<template slot="progress"> <template v-slot:progress>
{{ $t('user_card.block_progress') }} {{ $t('user_card.block_progress') }}
</template> </template>
</ProgressButton> </ProgressButton>
@ -41,19 +39,16 @@
:click="() => unblockUsers(selected)" :click="() => unblockUsers(selected)"
> >
{{ $t('user_card.unblock') }} {{ $t('user_card.unblock') }}
<template slot="progress"> <template v-slot:progress>
{{ $t('user_card.unblock_progress') }} {{ $t('user_card.unblock_progress') }}
</template> </template>
</ProgressButton> </ProgressButton>
</div> </div>
</template> </template>
<template <template v-slot:item="{item}">
slot="item"
slot-scope="{item}"
>
<BlockCard :user-id="item" /> <BlockCard :user-id="item" />
</template> </template>
<template slot="empty"> <template v-slot:empty>
{{ $t('settings.no_blocks') }} {{ $t('settings.no_blocks') }}
</template> </template>
</BlockList> </BlockList>
@ -68,20 +63,18 @@
:query="queryUserIds" :query="queryUserIds"
:placeholder="$t('settings.search_user_to_mute')" :placeholder="$t('settings.search_user_to_mute')"
> >
<MuteCard <template v-slot="row">
slot-scope="row" <MuteCard
:user-id="row.item" :user-id="row.item"
/> />
</template>
</Autosuggest> </Autosuggest>
</div> </div>
<MuteList <MuteList
:refresh="true" :refresh="true"
:get-key="i => i" :get-key="i => i"
> >
<template <template v-slot:header="{selected}">
slot="header"
slot-scope="{selected}"
>
<div class="bulk-actions"> <div class="bulk-actions">
<ProgressButton <ProgressButton
v-if="selected.length > 0" v-if="selected.length > 0"
@ -89,7 +82,7 @@
:click="() => muteUsers(selected)" :click="() => muteUsers(selected)"
> >
{{ $t('user_card.mute') }} {{ $t('user_card.mute') }}
<template slot="progress"> <template v-slot:progress>
{{ $t('user_card.mute_progress') }} {{ $t('user_card.mute_progress') }}
</template> </template>
</ProgressButton> </ProgressButton>
@ -99,19 +92,16 @@
:click="() => unmuteUsers(selected)" :click="() => unmuteUsers(selected)"
> >
{{ $t('user_card.unmute') }} {{ $t('user_card.unmute') }}
<template slot="progress"> <template v-slot:progress>
{{ $t('user_card.unmute_progress') }} {{ $t('user_card.unmute_progress') }}
</template> </template>
</ProgressButton> </ProgressButton>
</div> </div>
</template> </template>
<template <template v-slot:item="{item}">
slot="item"
slot-scope="{item}"
>
<MuteCard :user-id="item" /> <MuteCard :user-id="item" />
</template> </template>
<template slot="empty"> <template v-slot:empty>
{{ $t('settings.no_mutes') }} {{ $t('settings.no_mutes') }}
</template> </template>
</MuteList> </MuteList>
@ -124,20 +114,18 @@
:query="queryKnownDomains" :query="queryKnownDomains"
:placeholder="$t('settings.type_domains_to_mute')" :placeholder="$t('settings.type_domains_to_mute')"
> >
<DomainMuteCard <template v-slot="row">
slot-scope="row" <DomainMuteCard
:domain="row.item" :domain="row.item"
/> />
</template>
</Autosuggest> </Autosuggest>
</div> </div>
<DomainMuteList <DomainMuteList
:refresh="true" :refresh="true"
:get-key="i => i" :get-key="i => i"
> >
<template <template v-slot:header="{selected}">
slot="header"
slot-scope="{selected}"
>
<div class="bulk-actions"> <div class="bulk-actions">
<ProgressButton <ProgressButton
v-if="selected.length > 0" v-if="selected.length > 0"
@ -145,19 +133,16 @@
:click="() => unmuteDomains(selected)" :click="() => unmuteDomains(selected)"
> >
{{ $t('domain_mute_card.unmute') }} {{ $t('domain_mute_card.unmute') }}
<template slot="progress"> <template v-slot:progress>
{{ $t('domain_mute_card.unmute_progress') }} {{ $t('domain_mute_card.unmute_progress') }}
</template> </template>
</ProgressButton> </ProgressButton>
</div> </div>
</template> </template>
<template <template v-slot:item="{item}">
slot="item"
slot-scope="{item}"
>
<DomainMuteCard :domain="item" /> <DomainMuteCard :domain="item" />
</template> </template>
<template slot="empty"> <template v-slot:empty>
{{ $t('settings.no_mutes') }} {{ $t('settings.no_mutes') }}
</template> </template>
</DomainMuteList> </DomainMuteList>

View file

@ -24,7 +24,7 @@
class="btn button-default" class="btn button-default"
@click="updateNotificationSettings" @click="updateNotificationSettings"
> >
{{ $t('general.submit') }} {{ $t('settings.save') }}
</button> </button>
</div> </div>
</div> </div>

View file

@ -153,7 +153,7 @@
class="btn button-default" class="btn button-default"
@click="updateProfile" @click="updateProfile"
> >
{{ $t('general.submit') }} {{ $t('settings.save') }}
</button> </button>
</div> </div>
<div class="setting-item"> <div class="setting-item">
@ -227,7 +227,7 @@
class="btn button-default" class="btn button-default"
@click="submitBanner(banner)" @click="submitBanner(banner)"
> >
{{ $t('general.submit') }} {{ $t('settings.save') }}
</button> </button>
</div> </div>
<div class="setting-item"> <div class="setting-item">
@ -266,7 +266,7 @@
class="btn button-default" class="btn button-default"
@click="submitBackground(background)" @click="submitBackground(background)"
> >
{{ $t('general.submit') }} {{ $t('settings.save') }}
</button> </button>
</div> </div>
</div> </div>

View file

@ -22,7 +22,7 @@
class="btn button-default" class="btn button-default"
@click="changeEmail" @click="changeEmail"
> >
{{ $t('general.submit') }} {{ $t('settings.save') }}
</button> </button>
<p v-if="changedEmail"> <p v-if="changedEmail">
{{ $t('settings.changed_email') }} {{ $t('settings.changed_email') }}
@ -60,7 +60,7 @@
class="btn button-default" class="btn button-default"
@click="changePassword" @click="changePassword"
> >
{{ $t('general.submit') }} {{ $t('settings.save') }}
</button> </button>
<p v-if="changedPassword"> <p v-if="changedPassword">
{{ $t('settings.changed_password') }} {{ $t('settings.changed_password') }}
@ -133,7 +133,7 @@
class="btn button-default" class="btn button-default"
@click="confirmDelete" @click="confirmDelete"
> >
{{ $t('general.submit') }} {{ $t('settings.save') }}
</button> </button>
</div> </div>
</div> </div>

View file

@ -15,6 +15,10 @@ import {
shadows2to3, shadows2to3,
colors2to3 colors2to3
} from 'src/services/style_setter/style_setter.js' } from 'src/services/style_setter/style_setter.js'
import {
newImporter,
newExporter
} from 'src/services/export_import/export_import.js'
import { import {
SLOT_INHERITANCE SLOT_INHERITANCE
} from 'src/services/theme_data/pleromafe.js' } from 'src/services/theme_data/pleromafe.js'
@ -31,18 +35,10 @@ import ShadowControl from 'src/components/shadow_control/shadow_control.vue'
import FontControl from 'src/components/font_control/font_control.vue' import FontControl from 'src/components/font_control/font_control.vue'
import ContrastRatio from 'src/components/contrast_ratio/contrast_ratio.vue' import ContrastRatio from 'src/components/contrast_ratio/contrast_ratio.vue'
import TabSwitcher from 'src/components/tab_switcher/tab_switcher.js' import TabSwitcher from 'src/components/tab_switcher/tab_switcher.js'
import ExportImport from 'src/components/export_import/export_import.vue'
import Checkbox from 'src/components/checkbox/checkbox.vue' import Checkbox from 'src/components/checkbox/checkbox.vue'
import Select from 'src/components/select/select.vue'
import Preview from './preview.vue' import Preview from './preview.vue'
import { library } from '@fortawesome/fontawesome-svg-core'
import {
faChevronDown
} from '@fortawesome/free-solid-svg-icons'
library.add(
faChevronDown
)
// List of color values used in v1 // List of color values used in v1
const v1OnlyNames = [ const v1OnlyNames = [
@ -67,8 +63,18 @@ const colorConvert = (color) => {
export default { export default {
data () { data () {
return { return {
themeImporter: newImporter({
validator: this.importValidator,
onImport: this.onImport,
onImportFailure: this.onImportFailure
}),
themeExporter: newExporter({
filename: 'pleroma_theme',
getExportedObject: () => this.exportedTheme
}),
availableStyles: [], availableStyles: [],
selected: this.$store.getters.mergedConfig.theme, selected: '',
selectedTheme: this.$store.getters.mergedConfig.theme,
themeWarning: undefined, themeWarning: undefined,
tempImportFile: undefined, tempImportFile: undefined,
engineVersion: 0, engineVersion: 0,
@ -202,7 +208,7 @@ export default {
} }
}, },
selectedVersion () { selectedVersion () {
return Array.isArray(this.selected) ? 1 : 2 return Array.isArray(this.selectedTheme) ? 1 : 2
}, },
currentColors () { currentColors () {
return Object.keys(SLOT_INHERITANCE) return Object.keys(SLOT_INHERITANCE)
@ -383,8 +389,8 @@ export default {
FontControl, FontControl,
TabSwitcher, TabSwitcher,
Preview, Preview,
ExportImport, Checkbox,
Checkbox Select
}, },
methods: { methods: {
loadTheme ( loadTheme (
@ -528,10 +534,15 @@ export default {
this.previewColors.mod this.previewColors.mod
) )
}, },
importTheme () { this.themeImporter.importData() },
exportTheme () { this.themeExporter.exportData() },
onImport (parsed, forceSource = false) { onImport (parsed, forceSource = false) {
this.tempImportFile = parsed this.tempImportFile = parsed
this.loadTheme(parsed, 'file', forceSource) this.loadTheme(parsed, 'file', forceSource)
}, },
onImportFailure (result) {
this.$store.dispatch('pushGlobalNotice', { messageKey: 'settings.invalid_theme_imported', level: 'error' })
},
importValidator (parsed) { importValidator (parsed) {
const version = parsed._pleroma_theme_version const version = parsed._pleroma_theme_version
return version >= 1 || version <= 2 return version >= 1 || version <= 2
@ -735,6 +746,16 @@ export default {
} }
}, },
selected () { selected () {
this.selectedTheme = Object.entries(this.availableStyles).find(([k, s]) => {
if (Array.isArray(s)) {
console.log(s[0] === this.selected, this.selected)
return s[0] === this.selected
} else {
return s.name === this.selected
}
})[1]
},
selectedTheme () {
this.dismissWarning() this.dismissWarning()
if (this.selectedVersion === 1) { if (this.selectedVersion === 1) {
if (!this.keepRoundness) { if (!this.keepRoundness) {
@ -752,17 +773,17 @@ export default {
if (!this.keepColor) { if (!this.keepColor) {
this.clearV1() this.clearV1()
this.bgColorLocal = this.selected[1] this.bgColorLocal = this.selectedTheme[1]
this.fgColorLocal = this.selected[2] this.fgColorLocal = this.selectedTheme[2]
this.textColorLocal = this.selected[3] this.textColorLocal = this.selectedTheme[3]
this.linkColorLocal = this.selected[4] this.linkColorLocal = this.selectedTheme[4]
this.cRedColorLocal = this.selected[5] this.cRedColorLocal = this.selectedTheme[5]
this.cGreenColorLocal = this.selected[6] this.cGreenColorLocal = this.selectedTheme[6]
this.cBlueColorLocal = this.selected[7] this.cBlueColorLocal = this.selectedTheme[7]
this.cOrangeColorLocal = this.selected[8] this.cOrangeColorLocal = this.selectedTheme[8]
} }
} else if (this.selectedVersion >= 2) { } else if (this.selectedVersion >= 2) {
this.normalizeLocalState(this.selected.theme, 2, this.selected.source) this.normalizeLocalState(this.selectedTheme.theme, 2, this.selectedTheme.source)
} }
} }
} }

View file

@ -48,46 +48,47 @@
</template> </template>
</div> </div>
</div> </div>
<ExportImport <div class="top">
:export-object="exportedTheme" <div class="presets">
:export-label="$t(&quot;settings.export_theme&quot;)" {{ $t('settings.presets') }}
:import-label="$t(&quot;settings.import_theme&quot;)" <label
:import-failed-text="$t(&quot;settings.invalid_theme_imported&quot;)" for="preset-switcher"
:on-import="onImport" class="select"
:validator="importValidator" >
> <Select
<template slot="before"> id="preset-switcher"
<div class="presets"> v-model="selected"
{{ $t('settings.presets') }} class="preset-switcher"
<label
for="preset-switcher"
class="select"
> >
<select <option
id="preset-switcher" v-for="style in availableStyles"
v-model="selected" :key="style.name"
class="preset-switcher" :value="style.name || style[0]"
:style="{
backgroundColor: style[1] || (style.theme || style.source).colors.bg,
color: style[3] || (style.theme || style.source).colors.text
}"
> >
<option {{ style[0] || style.name }}
v-for="style in availableStyles" </option>
:key="style.name" </Select>
:value="style" </label>
:style="{ </div>
backgroundColor: style[1] || (style.theme || style.source).colors.bg, <div class="export-import">
color: style[3] || (style.theme || style.source).colors.text <button
}" class="btn button-default"
> @click="importTheme"
{{ style[0] || style.name }} >
</option> {{ $t(&quot;settings.import_theme&quot;) }}
</select> </button>
<FAIcon <button
class="select-down-icon" class="btn button-default"
icon="chevron-down" @click="exportTheme"
/> >
</label> {{ $t(&quot;settings.export_theme&quot;) }}
</div> </button>
</template> </div>
</ExportImport> </div>
</div> </div>
<div class="save-load-options"> <div class="save-load-options">
<span class="keep-option"> <span class="keep-option">
@ -902,28 +903,19 @@
<div class="tab-header shadow-selector"> <div class="tab-header shadow-selector">
<div class="select-container"> <div class="select-container">
{{ $t('settings.style.shadows.component') }} {{ $t('settings.style.shadows.component') }}
<label <Select
for="shadow-switcher" id="shadow-switcher"
class="select" v-model="shadowSelected"
class="shadow-switcher"
> >
<select <option
id="shadow-switcher" v-for="shadow in shadowsAvailable"
v-model="shadowSelected" :key="shadow"
class="shadow-switcher" :value="shadow"
> >
<option {{ $t('settings.style.shadows.components.' + shadow) }}
v-for="shadow in shadowsAvailable" </option>
:key="shadow" </Select>
:value="shadow"
>
{{ $t('settings.style.shadows.components.' + shadow) }}
</option>
</select>
<FAIcon
class="select-down-icon"
icon="chevron-down"
/>
</label>
</div> </div>
<div class="override"> <div class="override">
<label <label

View file

@ -1,5 +1,6 @@
import ColorInput from '../color_input/color_input.vue' import ColorInput from '../color_input/color_input.vue'
import OpacityInput from '../opacity_input/opacity_input.vue' import OpacityInput from '../opacity_input/opacity_input.vue'
import Select from '../select/select.vue'
import { getCssShadow } from '../../services/style_setter/style_setter.js' import { getCssShadow } from '../../services/style_setter/style_setter.js'
import { hex2rgb } from '../../services/color_convert/color_convert.js' import { hex2rgb } from '../../services/color_convert/color_convert.js'
import { library } from '@fortawesome/fontawesome-svg-core' import { library } from '@fortawesome/fontawesome-svg-core'
@ -45,7 +46,8 @@ export default {
}, },
components: { components: {
ColorInput, ColorInput,
OpacityInput OpacityInput,
Select
}, },
methods: { methods: {
add () { add () {

View file

@ -59,30 +59,20 @@
:disabled="usingFallback" :disabled="usingFallback"
class="id-control style-control" class="id-control style-control"
> >
<label <Select
for="shadow-switcher" id="shadow-switcher"
class="select" v-model="selectedId"
class="shadow-switcher"
:disabled="!ready || usingFallback" :disabled="!ready || usingFallback"
> >
<select <option
id="shadow-switcher" v-for="(shadow, index) in cValue"
v-model="selectedId" :key="index"
class="shadow-switcher" :value="index"
:disabled="!ready || usingFallback"
> >
<option {{ $t('settings.style.shadows.shadow_id', { value: index }) }}
v-for="(shadow, index) in cValue" </option>
:key="index" </Select>
:value="index"
>
{{ $t('settings.style.shadows.shadow_id', { value: index }) }}
</option>
</select>
<FAIcon
icon="chevron-down"
class="select-down-icon"
/>
</label>
<button <button
class="btn button-default" class="btn button-default"
:disabled="!ready || !present" :disabled="!ready || !present"
@ -316,20 +306,20 @@
.id-control { .id-control {
align-items: stretch; align-items: stretch;
.select, .btn {
.shadow-switcher {
flex: 1;
}
.shadow-switcher, .btn {
min-width: 1px; min-width: 1px;
margin-right: 5px; margin-right: 5px;
} }
.btn { .btn {
padding: 0 .4em; padding: 0 .4em;
margin: 0 .1em; margin: 0 .1em;
} }
.select {
flex: 1;
select {
align-self: initial;
}
}
} }
} }
} }

View file

@ -10,7 +10,7 @@ library.add(
faTimes faTimes
) )
const chatPanel = { const shoutPanel = {
props: [ 'floating' ], props: [ 'floating' ],
data () { data () {
return { return {
@ -21,12 +21,12 @@ const chatPanel = {
}, },
computed: { computed: {
messages () { messages () {
return this.$store.state.chat.messages return this.$store.state.shout.messages
} }
}, },
methods: { methods: {
submit (message) { submit (message) {
this.$store.state.chat.channel.push('new_msg', { text: message }, 10000) this.$store.state.shout.channel.push('new_msg', { text: message }, 10000)
this.currentMessage = '' this.currentMessage = ''
}, },
togglePanel () { togglePanel () {
@ -35,7 +35,19 @@ const chatPanel = {
userProfileLink (user) { userProfileLink (user) {
return generateProfileLink(user.id, user.username, this.$store.state.instance.restrictedNicknames) return generateProfileLink(user.id, user.username, this.$store.state.instance.restrictedNicknames)
} }
},
watch: {
messages (newVal) {
const scrollEl = this.$el.querySelector('.chat-window')
if (!scrollEl) return
if (scrollEl.scrollTop + scrollEl.offsetHeight + 20 > scrollEl.scrollHeight) {
this.$nextTick(() => {
if (!scrollEl) return
scrollEl.scrollTop = scrollEl.scrollHeight - scrollEl.offsetHeight
})
}
}
} }
} }
export default chatPanel export default shoutPanel

View file

@ -1,52 +1,50 @@
<template> <template>
<div <div
v-if="!collapsed || !floating" v-if="!collapsed || !floating"
class="chat-panel" class="shout-panel"
> >
<div class="panel panel-default"> <div class="panel panel-default">
<div <div
class="panel-heading timeline-heading" class="panel-heading timeline-heading"
:class="{ 'chat-heading': floating }" :class="{ 'shout-heading': floating }"
@click.stop.prevent="togglePanel" @click.stop.prevent="togglePanel"
> >
<div class="title"> <div class="title">
<span>{{ $t('shoutbox.title') }}</span> {{ $t('shoutbox.title') }}
<FAIcon <FAIcon
v-if="floating" v-if="floating"
icon="times" icon="times"
class="close-icon"
/> />
</div> </div>
</div> </div>
<div <div class="shout-window">
v-chat-scroll
class="chat-window"
>
<div <div
v-for="message in messages" v-for="message in messages"
:key="message.id" :key="message.id"
class="chat-message" class="shout-message"
> >
<span class="chat-avatar"> <span class="shout-avatar">
<img :src="message.author.avatar"> <img :src="message.author.avatar">
</span> </span>
<div class="chat-content"> <div class="shout-content">
<router-link <router-link
class="chat-name" class="shout-name"
:to="userProfileLink(message.author)" :to="userProfileLink(message.author)"
> >
{{ message.author.username }} {{ message.author.username }}
</router-link> </router-link>
<br> <br>
<span class="chat-text"> <span class="shout-text">
{{ message.text }} {{ message.text }}
</span> </span>
</div> </div>
</div> </div>
</div> </div>
<div class="chat-input"> <div class="shout-input">
<textarea <textarea
v-model="currentMessage" v-model="currentMessage"
class="chat-input-textarea" class="shout-input-textarea"
rows="1" rows="1"
@keyup.enter="submit(currentMessage)" @keyup.enter="submit(currentMessage)"
/> />
@ -55,11 +53,11 @@
</div> </div>
<div <div
v-else v-else
class="chat-panel" class="shout-panel"
> >
<div class="panel panel-default"> <div class="panel panel-default">
<div <div
class="panel-heading stub timeline-heading chat-heading" class="panel-heading stub timeline-heading shout-heading"
@click.stop.prevent="togglePanel" @click.stop.prevent="togglePanel"
> >
<div class="title"> <div class="title">
@ -74,12 +72,12 @@
</div> </div>
</template> </template>
<script src="./chat_panel.js"></script> <script src="./shout_panel.js"></script>
<style lang="scss"> <style lang="scss">
@import '../../_variables.scss'; @import '../../_variables.scss';
.floating-chat { .floating-shout {
position: fixed; position: fixed;
right: 0px; right: 0px;
bottom: 0px; bottom: 0px;
@ -87,32 +85,39 @@
max-width: 25em; max-width: 25em;
} }
.chat-panel { .shout-panel {
.chat-heading { .shout-heading {
cursor: pointer; cursor: pointer;
.icon { .icon {
color: $fallback--text; color: $fallback--text;
color: var(--text, $fallback--text); color: var(--text, $fallback--text);
margin-right: 0.5em;
}
.title {
display: flex;
justify-content: space-between;
align-items: center;
} }
} }
.chat-window { .shout-window {
overflow-y: auto; overflow-y: auto;
overflow-x: hidden; overflow-x: hidden;
max-height: 20em; max-height: 20em;
} }
.chat-window-container { .shout-window-container {
height: 100%; height: 100%;
} }
.chat-message { .shout-message {
display: flex; display: flex;
padding: 0.2em 0.5em padding: 0.2em 0.5em
} }
.chat-avatar { .shout-avatar {
img { img {
height: 24px; height: 24px;
width: 24px; width: 24px;
@ -123,7 +128,7 @@
} }
} }
.chat-input { .shout-input {
display: flex; display: flex;
textarea { textarea {
flex: 1; flex: 1;
@ -133,7 +138,7 @@
} }
} }
.chat-panel { .shout-panel {
.title { .title {
display: flex; display: flex;
justify-content: space-between; justify-content: space-between;

View file

@ -49,7 +49,6 @@ const SideDrawer = {
currentUser () { currentUser () {
return this.$store.state.users.currentUser return this.$store.state.users.currentUser
}, },
chat () { return this.$store.state.chat.channel.state === 'joined' },
unseenNotifications () { unseenNotifications () {
return unseenNotificationsFromStore(this.$store) return unseenNotificationsFromStore(this.$store)
}, },

View file

@ -273,9 +273,7 @@
--icon: var(--popoverIcon, $fallback--icon); --icon: var(--popoverIcon, $fallback--icon);
.badge { .badge {
position: absolute; margin-left: 10px;
right: 0.7rem;
top: 1em;
} }
} }

View file

@ -5,12 +5,10 @@
:bound-to="{ x: 'container' }" :bound-to="{ x: 'container' }"
@show="enter" @show="enter"
> >
<template slot="trigger"> <template v-slot:trigger>
<slot /> <slot />
</template> </template>
<div <template v-slot:content>
slot="content"
>
<Status <Status
v-if="status" v-if="status"
:is-preview="true" :is-preview="true"
@ -33,7 +31,7 @@
size="2x" size="2x"
/> />
</div> </div>
</div> </template>
</Popover> </Popover>
</template> </template>

View file

@ -2,12 +2,14 @@ import Status from '../status/status.vue'
import timelineFetcher from '../../services/timeline_fetcher/timeline_fetcher.service.js' import timelineFetcher from '../../services/timeline_fetcher/timeline_fetcher.service.js'
import Conversation from '../conversation/conversation.vue' import Conversation from '../conversation/conversation.vue'
import TimelineMenu from '../timeline_menu/timeline_menu.vue' import TimelineMenu from '../timeline_menu/timeline_menu.vue'
import TimelineQuickSettings from './timeline_quick_settings.vue'
import { debounce, throttle, keyBy } from 'lodash' import { debounce, throttle, keyBy } from 'lodash'
import { library } from '@fortawesome/fontawesome-svg-core' import { library } from '@fortawesome/fontawesome-svg-core'
import { faCircleNotch } from '@fortawesome/free-solid-svg-icons' import { faCircleNotch, faCog } from '@fortawesome/free-solid-svg-icons'
library.add( library.add(
faCircleNotch faCircleNotch,
faCog
) )
export const getExcludedStatusIdsByPinning = (statuses, pinnedStatusIds) => { export const getExcludedStatusIdsByPinning = (statuses, pinnedStatusIds) => {
@ -47,7 +49,8 @@ const Timeline = {
components: { components: {
Status, Status,
Conversation, Conversation,
TimelineMenu TimelineMenu,
TimelineQuickSettings
}, },
computed: { computed: {
newStatusCount () { newStatusCount () {

View file

@ -0,0 +1,31 @@
@import '../../_variables.scss';
.Timeline {
.loadmore-text {
opacity: 1;
}
&.-blocked {
cursor: progress;
}
.timeline-heading {
max-width: 100%;
flex-wrap: nowrap;
align-items: center;
position: relative;
.loadmore-button {
flex-shrink: 0;
}
.loadmore-text {
flex-shrink: 0;
line-height: 1em;
}
}
.timeline-footer {
border: none;
}
}

View file

@ -16,6 +16,7 @@
> >
{{ $t('timeline.up_to_date') }} {{ $t('timeline.up_to_date') }}
</div> </div>
<TimelineQuickSettings v-if="!embedded" />
</div> </div>
<div :class="classes.body"> <div :class="classes.body">
<div <div
@ -51,13 +52,13 @@
<div :class="classes.footer"> <div :class="classes.footer">
<div <div
v-if="count===0" v-if="count===0"
class="new-status-notification text-center panel-footer faint" class="new-status-notification text-center faint"
> >
{{ $t('timeline.no_statuses') }} {{ $t('timeline.no_statuses') }}
</div> </div>
<div <div
v-else-if="bottomedOut" v-else-if="bottomedOut"
class="new-status-notification text-center panel-footer faint" class="new-status-notification text-center faint"
> >
{{ $t('timeline.no_more_statuses') }} {{ $t('timeline.no_more_statuses') }}
</div> </div>
@ -66,13 +67,13 @@
class="button-unstyled -link -fullwidth" class="button-unstyled -link -fullwidth"
@click.prevent="fetchOlderStatuses()" @click.prevent="fetchOlderStatuses()"
> >
<div class="new-status-notification text-center panel-footer"> <div class="new-status-notification text-center">
{{ $t('timeline.load_older') }} {{ $t('timeline.load_older') }}
</div> </div>
</button> </button>
<div <div
v-else v-else
class="new-status-notification text-center panel-footer" class="new-status-notification text-center"
> >
<FAIcon <FAIcon
icon="circle-notch" icon="circle-notch"
@ -86,29 +87,4 @@
<script src="./timeline.js"></script> <script src="./timeline.js"></script>
<style lang="scss"> <style src="./timeline.scss" lang="scss"> </style>
@import '../../_variables.scss';
.Timeline {
.loadmore-text {
opacity: 1;
}
&.-blocked {
cursor: progress;
}
}
.timeline-heading {
max-width: 100%;
flex-wrap: nowrap;
align-items: center;
.loadmore-button {
flex-shrink: 0;
}
.loadmore-text {
flex-shrink: 0;
line-height: 1em;
}
}
</style>

View file

@ -0,0 +1,61 @@
import Popover from '../popover/popover.vue'
import { mapGetters } from 'vuex'
import { library } from '@fortawesome/fontawesome-svg-core'
import { faFilter, faFont, faWrench } from '@fortawesome/free-solid-svg-icons'
library.add(
faFilter,
faFont,
faWrench
)
const TimelineQuickSettings = {
components: {
Popover
},
methods: {
setReplyVisibility (visibility) {
this.$store.dispatch('setOption', { name: 'replyVisibility', value: visibility })
this.$store.dispatch('queueFlushAll')
},
openTab (tab) {
this.$store.dispatch('openSettingsModalTab', tab)
}
},
computed: {
...mapGetters(['mergedConfig']),
loggedIn () {
return !!this.$store.state.users.currentUser
},
replyVisibilitySelf: {
get () { return this.mergedConfig.replyVisibility === 'self' },
set () { this.setReplyVisibility('self') }
},
replyVisibilityFollowing: {
get () { return this.mergedConfig.replyVisibility === 'following' },
set () { this.setReplyVisibility('following') }
},
replyVisibilityAll: {
get () { return this.mergedConfig.replyVisibility === 'all' },
set () { this.setReplyVisibility('all') }
},
hideMedia: {
get () { return this.mergedConfig.hideAttachments || this.mergedConfig.hideAttachmentsInConv },
set () {
const value = !this.hideMedia
this.$store.dispatch('setOption', { name: 'hideAttachments', value })
this.$store.dispatch('setOption', { name: 'hideAttachmentsInConv', value })
}
},
hideMutedPosts: {
get () { return this.mergedConfig.hideMutedPosts || this.mergedConfig.hideFilteredStatuses },
set () {
const value = !this.hideMutedPosts
this.$store.dispatch('setOption', { name: 'hideMutedPosts', value })
this.$store.dispatch('setOption', { name: 'hideFilteredStatuses', value })
}
}
}
}
export default TimelineQuickSettings

View file

@ -0,0 +1,102 @@
<template>
<Popover
trigger="click"
class="TimelineQuickSettings"
:bound-to="{ x: 'container' }"
>
<template v-slot:content>
<div class="dropdown-menu">
<div v-if="loggedIn">
<button
class="button-default dropdown-item"
@click="replyVisibilityAll = true"
>
<span
class="menu-checkbox"
:class="{ 'menu-checkbox-radio': replyVisibilityAll }"
/>{{ $t('settings.reply_visibility_all') }}
</button>
<button
class="button-default dropdown-item"
@click="replyVisibilityFollowing = true"
>
<span
class="menu-checkbox"
:class="{ 'menu-checkbox-radio': replyVisibilityFollowing }"
/>{{ $t('settings.reply_visibility_following_short') }}
</button>
<button
class="button-default dropdown-item"
@click="replyVisibilitySelf = true"
>
<span
class="menu-checkbox"
:class="{ 'menu-checkbox-radio': replyVisibilitySelf }"
/>{{ $t('settings.reply_visibility_self_short') }}
</button>
<div
role="separator"
class="dropdown-divider"
/>
</div>
<button
class="button-default dropdown-item"
@click="hideMedia = !hideMedia"
>
<span
class="menu-checkbox"
:class="{ 'menu-checkbox-checked': hideMedia }"
/>{{ $t('settings.hide_media_previews') }}
</button>
<button
class="button-default dropdown-item"
@click="hideMutedPosts = !hideMutedPosts"
>
<span
class="menu-checkbox"
:class="{ 'menu-checkbox-checked': hideMutedPosts }"
/>{{ $t('settings.hide_all_muted_posts') }}
</button>
<button
class="button-default dropdown-item dropdown-item-icon"
@click="openTab('filtering')"
>
<FAIcon icon="font" />{{ $t('settings.word_filter') }}
</button>
<button
class="button-default dropdown-item dropdown-item-icon"
@click="openTab('general')"
>
<FAIcon icon="wrench" />{{ $t('settings.more_settings') }}
</button>
</div>
</template>
<template v-slot:trigger>
<button class="button-unstyled">
<FAIcon icon="filter" />
</button>
</template>
</Popover>
</template>
<script src="./timeline_quick_settings.js"></script>
<style lang="scss">
.TimelineQuickSettings {
align-self: stretch;
> button {
font-size: 1.2em;
padding-left: 0.7em;
padding-right: 0.2em;
line-height: 100%;
height: 100%;
}
.dropdown-item {
margin: 0;
}
}
</style>

View file

@ -1,29 +1,17 @@
import Popover from '../popover/popover.vue' import Popover from '../popover/popover.vue'
import { mapState } from 'vuex' import TimelineMenuContent from './timeline_menu_content.vue'
import { library } from '@fortawesome/fontawesome-svg-core' import { library } from '@fortawesome/fontawesome-svg-core'
import { import {
faUsers,
faGlobe,
faBookmark,
faEnvelope,
faHome,
faChevronDown faChevronDown
} from '@fortawesome/free-solid-svg-icons' } from '@fortawesome/free-solid-svg-icons'
library.add( library.add(faChevronDown)
faUsers,
faGlobe,
faBookmark,
faEnvelope,
faHome,
faChevronDown
)
// Route -> i18n key mapping, exported and not in the computed // Route -> i18n key mapping, exported and not in the computed
// because nav panel benefits from the same information. // because nav panel benefits from the same information.
export const timelineNames = () => { export const timelineNames = () => {
return { return {
'friends': 'nav.timeline', 'friends': 'nav.home_timeline',
'bookmarks': 'nav.bookmarks', 'bookmarks': 'nav.bookmarks',
'dms': 'nav.dms', 'dms': 'nav.dms',
'public-timeline': 'nav.public_tl', 'public-timeline': 'nav.public_tl',
@ -33,7 +21,8 @@ export const timelineNames = () => {
const TimelineMenu = { const TimelineMenu = {
components: { components: {
Popover Popover,
TimelineMenuContent
}, },
data () { data () {
return { return {
@ -41,9 +30,6 @@ const TimelineMenu = {
} }
}, },
created () { created () {
if (this.currentUser && this.currentUser.locked) {
this.$store.dispatch('startFetchingFollowRequests')
}
if (timelineNames()[this.$route.name]) { if (timelineNames()[this.$route.name]) {
this.$store.dispatch('setLastTimeline', this.$route.name) this.$store.dispatch('setLastTimeline', this.$route.name)
} }
@ -75,13 +61,6 @@ const TimelineMenu = {
const i18nkey = timelineNames()[this.$route.name] const i18nkey = timelineNames()[this.$route.name]
return i18nkey ? this.$t(i18nkey) : route return i18nkey ? this.$t(i18nkey) : route
} }
},
computed: {
...mapState({
currentUser: state => state.users.currentUser,
privateMode: state => state.instance.private,
federating: state => state.instance.federating
})
} }
} }

View file

@ -9,74 +9,26 @@
@show="openMenu" @show="openMenu"
@close="() => isOpen = false" @close="() => isOpen = false"
> >
<div <template v-slot:content>
slot="content" <div class="timeline-menu-popover popover-default">
class="timeline-menu-popover panel panel-default" <TimelineMenuContent />
> </div>
<ul> </template>
<li v-if="currentUser"> <template v-slot:trigger>
<router-link :to="{ name: 'friends' }"> <button class="button-unstyled title timeline-menu-title">
<FAIcon <span class="timeline-title">{{ timelineName() }}</span>
fixed-width <span>
class="fa-scale-110 fa-old-padding " <FAIcon
icon="home" size="sm"
/>{{ $t("nav.timeline") }} icon="chevron-down"
</router-link> />
</li> </span>
<li v-if="currentUser"> <span
<router-link :to="{ name: 'bookmarks'}"> class="click-blocker"
<FAIcon @click="blockOpen"
fixed-width
class="fa-scale-110 fa-old-padding "
icon="bookmark"
/>{{ $t("nav.bookmarks") }}
</router-link>
</li>
<li v-if="currentUser">
<router-link :to="{ name: 'dms', params: { username: currentUser.screen_name } }">
<FAIcon
fixed-width
class="fa-scale-110 fa-old-padding "
icon="envelope"
/>{{ $t("nav.dms") }}
</router-link>
</li>
<li v-if="currentUser || !privateMode">
<router-link :to="{ name: 'public-timeline' }">
<FAIcon
fixed-width
class="fa-scale-110 fa-old-padding "
icon="users"
/>{{ $t("nav.public_tl") }}
</router-link>
</li>
<li v-if="federating && (currentUser || !privateMode)">
<router-link :to="{ name: 'public-external-timeline' }">
<FAIcon
fixed-width
class="fa-scale-110 fa-old-padding "
icon="globe"
/>{{ $t("nav.twkn") }}
</router-link>
</li>
</ul>
</div>
<div
slot="trigger"
class="title timeline-menu-title"
>
<span class="timeline-title">{{ timelineName() }}</span>
<span>
<FAIcon
size="sm"
icon="chevron-down"
/> />
</span> </button>
<span </template>
class="click-blocker"
@click="blockOpen"
/>
</div>
</Popover> </Popover>
</template> </template>

View file

@ -0,0 +1,29 @@
import { mapState } from 'vuex'
import { library } from '@fortawesome/fontawesome-svg-core'
import {
faUsers,
faGlobe,
faBookmark,
faEnvelope,
faHome
} from '@fortawesome/free-solid-svg-icons'
library.add(
faUsers,
faGlobe,
faBookmark,
faEnvelope,
faHome
)
const TimelineMenuContent = {
computed: {
...mapState({
currentUser: state => state.users.currentUser,
privateMode: state => state.instance.private,
federating: state => state.instance.federating
})
}
}
export default TimelineMenuContent

View file

@ -0,0 +1,66 @@
<template>
<ul>
<li v-if="currentUser">
<router-link
class="menu-item"
:to="{ name: 'friends' }"
>
<FAIcon
fixed-width
class="fa-scale-110 fa-old-padding "
icon="home"
/>{{ $t("nav.home_timeline") }}
</router-link>
</li>
<li v-if="currentUser || !privateMode">
<router-link
class="menu-item"
:to="{ name: 'public-timeline' }"
>
<FAIcon
fixed-width
class="fa-scale-110 fa-old-padding "
icon="users"
/>{{ $t("nav.public_tl") }}
</router-link>
</li>
<li v-if="federating && (currentUser || !privateMode)">
<router-link
class="menu-item"
:to="{ name: 'public-external-timeline' }"
>
<FAIcon
fixed-width
class="fa-scale-110 fa-old-padding "
icon="globe"
/>{{ $t("nav.twkn") }}
</router-link>
</li>
<li v-if="currentUser">
<router-link
class="menu-item"
:to="{ name: 'bookmarks'}"
>
<FAIcon
fixed-width
class="fa-scale-110 fa-old-padding "
icon="bookmark"
/>{{ $t("nav.bookmarks") }}
</router-link>
</li>
<li v-if="currentUser">
<router-link
class="menu-item"
:to="{ name: 'dms', params: { username: currentUser.screen_name } }"
>
<FAIcon
fixed-width
class="fa-scale-110 fa-old-padding "
icon="envelope"
/>{{ $t("nav.dms") }}
</router-link>
</li>
</ul>
</template>
<script src="./timeline_menu_content.js" ></script>

View file

@ -4,23 +4,24 @@ import ProgressButton from '../progress_button/progress_button.vue'
import FollowButton from '../follow_button/follow_button.vue' import FollowButton from '../follow_button/follow_button.vue'
import ModerationTools from '../moderation_tools/moderation_tools.vue' import ModerationTools from '../moderation_tools/moderation_tools.vue'
import AccountActions from '../account_actions/account_actions.vue' import AccountActions from '../account_actions/account_actions.vue'
import Select from '../select/select.vue'
import generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator' import generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'
import { mapGetters } from 'vuex' import { mapGetters } from 'vuex'
import { library } from '@fortawesome/fontawesome-svg-core' import { library } from '@fortawesome/fontawesome-svg-core'
import { import {
faBell, faBell,
faRss, faRss,
faChevronDown,
faSearchPlus, faSearchPlus,
faExternalLinkAlt faExternalLinkAlt,
faEdit
} from '@fortawesome/free-solid-svg-icons' } from '@fortawesome/free-solid-svg-icons'
library.add( library.add(
faRss, faRss,
faBell, faBell,
faChevronDown,
faSearchPlus, faSearchPlus,
faExternalLinkAlt faExternalLinkAlt,
faEdit
) )
export default { export default {
@ -118,7 +119,8 @@ export default {
ModerationTools, ModerationTools,
AccountActions, AccountActions,
ProgressButton, ProgressButton,
FollowButton FollowButton,
Select
}, },
methods: { methods: {
muteUser () { muteUser () {
@ -153,6 +155,9 @@ export default {
this.$store.state.instance.restrictedNicknames this.$store.state.instance.restrictedNicknames
) )
}, },
openProfileTab () {
this.$store.dispatch('openSettingsModalTab', 'profile')
},
zoomAvatar () { zoomAvatar () {
const attachment = { const attachment = {
url: this.user.profile_image_url_original, url: this.user.profile_image_url_original,

View file

@ -53,17 +53,29 @@
> >
{{ user.name }} {{ user.name }}
</div> </div>
<a <button
v-if="!isOtherUser && user.is_local"
class="button-unstyled edit-profile-button"
@click.stop="openProfileTab"
>
<FAIcon
fixed-width
class="icon"
icon="edit"
:title="$t('user_card.edit_profile')"
/>
</button>
<button
v-if="isOtherUser && !user.is_local" v-if="isOtherUser && !user.is_local"
:href="user.statusnet_profile_url" :href="user.statusnet_profile_url"
target="_blank" target="_blank"
class="external-link-button" class="button-unstyled external-link-button"
> >
<FAIcon <FAIcon
class="icon" class="icon"
icon="external-link-alt" icon="external-link-alt"
/> />
</a> </button>
<AccountActions <AccountActions
v-if="isOtherUser && loggedIn" v-if="isOtherUser && loggedIn"
:user="user" :user="user"
@ -132,25 +144,24 @@
class="userHighlightCl" class="userHighlightCl"
type="color" type="color"
> >
<label <Select
for="theme_tab" :id="'userHighlightSel'+user.id"
class="userHighlightSel select" v-model="userHighlightType"
class="userHighlightSel"
> >
<select <option value="disabled">
:id="'userHighlightSel'+user.id" {{ $t('user_card.highlight.disabled') }}
v-model="userHighlightType" </option>
class="userHighlightSel" <option value="solid">
> {{ $t('user_card.highlight.solid') }}
<option value="disabled">No highlight</option> </option>
<option value="solid">Solid bg</option> <option value="striped">
<option value="striped">Striped bg</option> {{ $t('user_card.highlight.striped') }}
<option value="side">Side stripe</option> </option>
</select> <option value="side">
<FAIcon {{ $t('user_card.highlight.side') }}
class="select-down-icon" </option>
icon="chevron-down" </Select>
/>
</label>
</div> </div>
</div> </div>
<div <div
@ -427,7 +438,7 @@
} }
} }
.external-link-button { .external-link-button, .edit-profile-button {
cursor: pointer; cursor: pointer;
width: 2.5em; width: 2.5em;
text-align: center; text-align: center;
@ -541,15 +552,11 @@
flex: 1 0 auto; flex: 1 0 auto;
} }
.userHighlightSel, .userHighlightSel {
.userHighlightSel.select {
padding-top: 0; padding-top: 0;
padding-bottom: 0; padding-bottom: 0;
flex: 1 0 auto; flex: 1 0 auto;
} }
.userHighlightSel.select svg {
line-height: 22px;
}
.userHighlightText { .userHighlightText {
width: 70px; width: 70px;
@ -558,9 +565,7 @@
.userHighlightCl, .userHighlightCl,
.userHighlightText, .userHighlightText,
.userHighlightSel, .userHighlightSel {
.userHighlightSel.select {
height: 22px;
vertical-align: top; vertical-align: top;
margin-right: .5em; margin-right: .5em;
margin-bottom: .25em; margin-bottom: .25em;
@ -585,6 +590,10 @@
} }
} }
.sidebar .edit-profile-button {
display: none;
}
.user-counts { .user-counts {
display: flex; display: flex;
line-height:16px; line-height:16px;

View file

@ -4,40 +4,39 @@
placement="top" placement="top"
:offset="{ y: 5 }" :offset="{ y: 5 }"
> >
<template slot="trigger"> <template v-slot:trigger>
<slot /> <slot />
</template> </template>
<div <template v-slot:content>
slot="content" <div class="user-list-popover">
class="user-list-popover" <template v-if="users.length">
> <div
<div v-if="users.length"> v-for="(user) in usersCapped"
<div :key="user.id"
v-for="(user) in usersCapped" class="user-list-row"
:key="user.id" >
class="user-list-row" <UserAvatar
> :user="user"
<UserAvatar class="avatar-small"
:user="user" :compact="true"
class="avatar-small" />
:compact="true" <div class="user-list-names">
/> <!-- eslint-disable vue/no-v-html -->
<div class="user-list-names"> <span v-html="user.name_html" />
<!-- eslint-disable vue/no-v-html --> <!-- eslint-enable vue/no-v-html -->
<span v-html="user.name_html" /> <span class="user-list-screen-name">{{ user.screen_name_ui }}</span>
<!-- eslint-enable vue/no-v-html --> </div>
<span class="user-list-screen-name">{{ user.screen_name_ui }}</span>
</div> </div>
</div> </template>
<template v-else>
<FAIcon
icon="circle-notch"
spin
size="3x"
/>
</template>
</div> </div>
<div v-else> </template>
<FAIcon
icon="circle-notch"
spin
size="3x"
/>
</div>
</div>
</Popover> </Popover>
</template> </template>

View file

@ -60,10 +60,7 @@
:disabled="!user.friends_count" :disabled="!user.friends_count"
> >
<FriendList :user-id="userId"> <FriendList :user-id="userId">
<template <template v-slot:item="{item}">
slot="item"
slot-scope="{item}"
>
<FollowCard :user="item" /> <FollowCard :user="item" />
</template> </template>
</FriendList> </FriendList>
@ -75,10 +72,7 @@
:disabled="!user.followers_count" :disabled="!user.followers_count"
> >
<FollowerList :user-id="userId"> <FollowerList :user-id="userId">
<template <template v-slot:item="{item}">
slot="item"
slot-scope="{item}"
>
<FollowCard <FollowCard
:user="item" :user="item"
:no-follows-you="isUs" :no-follows-you="isUs"

View file

@ -45,10 +45,7 @@
</div> </div>
<div class="user-reporting-panel-right"> <div class="user-reporting-panel-right">
<List :items="statuses"> <List :items="statuses">
<template <template v-slot:item="{item}">
slot="item"
slot-scope="{item}"
>
<div class="status-fadein user-reporting-panel-sitem"> <div class="status-fadein user-reporting-panel-sitem">
<Status <Status
:in-conversation="false" :in-conversation="false"

View file

@ -9,7 +9,9 @@
"scope_options": "Reichweitenoptionen", "scope_options": "Reichweitenoptionen",
"text_limit": "Zeichenlimit", "text_limit": "Zeichenlimit",
"title": "Funktionen", "title": "Funktionen",
"who_to_follow": "Wem folgen?" "who_to_follow": "Wem folgen?",
"upload_limit": "Maximale Upload Größe",
"pleroma_chat_messages": "Pleroma Chat"
}, },
"finder": { "finder": {
"error_fetching_user": "Fehler beim Suchen des Benutzers", "error_fetching_user": "Fehler beim Suchen des Benutzers",
@ -28,7 +30,16 @@
"disable": "Deaktivieren", "disable": "Deaktivieren",
"enable": "Aktivieren", "enable": "Aktivieren",
"confirm": "Bestätigen", "confirm": "Bestätigen",
"verify": "Verifizieren" "verify": "Verifizieren",
"role": {
"moderator": "Moderator",
"admin": "Admin"
},
"peek": "Schau rein",
"close": "Schliessen",
"retry": "Versuche es erneut",
"error_retry": "Bitte versuche es erneut",
"loading": "Lade…"
}, },
"login": { "login": {
"login": "Anmelden", "login": "Anmelden",
@ -63,7 +74,11 @@
"search": "Suche", "search": "Suche",
"preferences": "Voreinstellungen", "preferences": "Voreinstellungen",
"administration": "Administration", "administration": "Administration",
"who_to_follow": "Wem folgen" "who_to_follow": "Wem folgen",
"chats": "Chats",
"timelines": "Zeitlinie",
"bookmarks": "Lesezeichen",
"home_timeline": "Heim Zeitlinie"
}, },
"notifications": { "notifications": {
"broken_favorite": "Unbekannte Nachricht, suche danach…", "broken_favorite": "Unbekannte Nachricht, suche danach…",
@ -76,7 +91,8 @@
"follow_request": "möchte dir folgen", "follow_request": "möchte dir folgen",
"migrated_to": "migrierte zu", "migrated_to": "migrierte zu",
"reacted_with": "reagierte mit {0}", "reacted_with": "reagierte mit {0}",
"no_more_notifications": "Keine Benachrichtigungen mehr" "no_more_notifications": "Keine Benachrichtigungen mehr",
"error": "Error beim laden von Neuigkeiten"
}, },
"post_status": { "post_status": {
"new_status": "Neuen Status veröffentlichen", "new_status": "Neuen Status veröffentlichen",
@ -105,7 +121,13 @@
"public": "Dieser Beitrag wird für alle sichtbar sein", "public": "Dieser Beitrag wird für alle sichtbar sein",
"private": "Dieser Beitrag wird nur für deine Follower sichtbar sein", "private": "Dieser Beitrag wird nur für deine Follower sichtbar sein",
"unlisted": "Dieser Beitrag wird weder in der öffentlichen Zeitleiste noch im gesamten bekannten Netzwerk sichtbar sein" "unlisted": "Dieser Beitrag wird weder in der öffentlichen Zeitleiste noch im gesamten bekannten Netzwerk sichtbar sein"
} },
"media_description_error": "Medien konnten nicht neu geladen werden, versuche es erneut",
"empty_status_error": "Eine leere Nachricht ohne Anhänge kann nicht gesendet werden",
"preview_empty": "Leer",
"preview": "Vorschau",
"post": "Post",
"media_description": "Medienbeschreibung"
}, },
"registration": { "registration": {
"bio": "Bio", "bio": "Bio",
@ -124,9 +146,12 @@
"password_confirmation_required": "darf nicht leer sein", "password_confirmation_required": "darf nicht leer sein",
"password_confirmation_match": "sollte mit dem Passwort identisch sein" "password_confirmation_match": "sollte mit dem Passwort identisch sein"
}, },
"bio_placeholder": "z.B.\nHallo, ich bin Lain.\nIch bin ein Anime Mödchen aus dem vorstädtischen Japan. Du kennst mich vielleicht vom Wired.", "bio_placeholder": "z.B.\nHallo, ich bin Lain.\nIch bin ein super süßes blushy-crushy Anime Girl aus dem vorstädtischen Japan. Du kennst mich vielleicht von Wired.",
"fullname_placeholder": "z.B. Lain Iwakura", "fullname_placeholder": "z.B. Lain Iwakura",
"username_placeholder": "z.B. lain" "username_placeholder": "z.B. lain",
"register": "Registrierung",
"reason_placeholder": "Diese Instanz bestätigt Registrierungen manuell. \nLass die Admins wissen warum du dich registrieren willst.",
"reason": "Grund zur Anmeldung"
}, },
"settings": { "settings": {
"attachmentRadius": "Anhänge", "attachmentRadius": "Anhänge",
@ -136,7 +161,7 @@
"avatarRadius": "Avatare", "avatarRadius": "Avatare",
"background": "Hintergrund", "background": "Hintergrund",
"bio": "Bio", "bio": "Bio",
"btnRadius": "Buttons", "btnRadius": "Knöpfe",
"cBlue": "Blau (Antworten, folgt dir)", "cBlue": "Blau (Antworten, folgt dir)",
"cGreen": "Grün (Retweet)", "cGreen": "Grün (Retweet)",
"cOrange": "Orange (Favorisieren)", "cOrange": "Orange (Favorisieren)",
@ -201,7 +226,7 @@
"name_bio": "Name & Bio", "name_bio": "Name & Bio",
"new_password": "Neues Passwort", "new_password": "Neues Passwort",
"notification_visibility": "Benachrichtigungstypen, die angezeigt werden sollen", "notification_visibility": "Benachrichtigungstypen, die angezeigt werden sollen",
"notification_visibility_follows": "Follows", "notification_visibility_follows": "Folgt",
"notification_visibility_likes": "Favoriten", "notification_visibility_likes": "Favoriten",
"notification_visibility_mentions": "Erwähnungen", "notification_visibility_mentions": "Erwähnungen",
"notification_visibility_repeats": "Wiederholungen", "notification_visibility_repeats": "Wiederholungen",
@ -268,7 +293,24 @@
"save_load_hint": "Die \"Beibehalten\"-Optionen behalten die aktuell eingestellten Optionen beim Auswählen oder Laden von Designs bei, sie speichern diese Optionen auch beim Exportieren eines Designs. Wenn alle Kontrollkästchen deaktiviert sind, wird beim Exportieren des Designs alles gespeichert.", "save_load_hint": "Die \"Beibehalten\"-Optionen behalten die aktuell eingestellten Optionen beim Auswählen oder Laden von Designs bei, sie speichern diese Optionen auch beim Exportieren eines Designs. Wenn alle Kontrollkästchen deaktiviert sind, wird beim Exportieren des Designs alles gespeichert.",
"reset": "Zurücksetzen", "reset": "Zurücksetzen",
"clear_all": "Alles leeren", "clear_all": "Alles leeren",
"clear_opacity": "Deckkraft leeren" "clear_opacity": "Deckkraft leeren",
"help": {
"fe_downgraded": "PleromaFE Version wurde zurückgerollt.",
"older_version_imported": "Die Datei, die du importiert hast, wurde für eine ältere Version vom FE gemacht.",
"future_version_imported": "Die Datei, die du importiert hast, wurde für eine neuere Version vom FE gemacht.",
"v2_imported": "Die Datei, die du importiert hast, war für eine ältere Version des FEs. Wir versuchen, die Kompatibilität zu maximieren, aber es könnte trotzdem Inkonsistenz auftreten.",
"upgraded_from_v2": "PleromaFE wurde modernisiert, dein Theme könnte etwas anders aussehen als vorher.",
"snapshot_source_mismatch": "Versionskonflikt: vermutlich wurde das FE zurückgesetzt und dann ein Update durchgeführt. Falls das Theme mit einer alten FE-Version erstellt wurde, sollte vermutlich die alte Version verwendet werden, andernfalls die neue.",
"migration_napshot_gone": "Snapshot konnte nicht gefunden werden, die Anzeige könnte daher teilweise möglicherweise nicht den Erwartungen entsprechen.",
"migration_snapshot_ok": "Vorsichtshalber wurde ein Snapshot des Themes geladen. Alternativ kann versucht werden, die Daten des Themes selbst zu laden.",
"snapshot_present": "Snapshot des Themes wurde geladen, alle entsprechenden Einstellungen wurden überschrieben. Alternativ können die tatsächlichen Daten des Themes geladen werden.",
"fe_upgraded": "Mit dem Upgrade wurde auch eine neue Version von Pleromas Theme Engine installiert.",
"snapshot_missing": "Die Datei enthält keinen Theme-Snapshot, die Darstellung kann daher möglicherweise abweichend sein."
},
"use_source": "Neue Version",
"use_snapshot": "Alte Version",
"keep_as_is": "Lass es so, wie es ist",
"load_theme": "Lade Theme"
}, },
"common": { "common": {
"color": "Farbe", "color": "Farbe",
@ -303,7 +345,27 @@
"borders": "Rahmen", "borders": "Rahmen",
"buttons": "Schaltflächen", "buttons": "Schaltflächen",
"inputs": "Eingabefelder", "inputs": "Eingabefelder",
"faint_text": "Verblasster Text" "faint_text": "Verblasster Text",
"disabled": "aus",
"selectedMenu": "Ausgewähltes Menüelement",
"selectedPost": "Ausgewählter Post",
"pressed": "Gedrückt",
"highlight": "Hervorgehobene Elemente",
"icons": "Icons",
"poll": "Umfragegraph",
"post": "Posts/Benutzerinfo",
"alert_neutral": "Neutral",
"alert_warning": "Warnung",
"wallpaper": "Hintergrund",
"popover": "Kurzinfo, Menüs, Popover-Fenster",
"chat": {
"border": "Ränder",
"outgoing": "Ausgehend",
"incoming": "Eingehend"
},
"toggled": "Umgeschaltet",
"underlay": "Halbtransparenter Hintergrund",
"tabs": "Reiter"
}, },
"radii": { "radii": {
"_tab_label": "Abrundungen" "_tab_label": "Abrundungen"
@ -325,7 +387,7 @@
"inset_classic": "Eingesetzte Schatten werden mit {0} verwendet" "inset_classic": "Eingesetzte Schatten werden mit {0} verwendet"
}, },
"components": { "components": {
"panel": "Panel", "panel": "Bedienfeld",
"panelHeader": "Panel-Kopf", "panelHeader": "Panel-Kopf",
"topBar": "Obere Leiste", "topBar": "Obere Leiste",
"avatar": "Benutzer-Avatar (in der Profilansicht)", "avatar": "Benutzer-Avatar (in der Profilansicht)",
@ -335,8 +397,9 @@
"buttonHover": "Schaltfläche (hover)", "buttonHover": "Schaltfläche (hover)",
"buttonPressed": "Schaltfläche (gedrückt)", "buttonPressed": "Schaltfläche (gedrückt)",
"buttonPressedHover": "Schaltfläche (gedrückt+hover)", "buttonPressedHover": "Schaltfläche (gedrückt+hover)",
"input": "Input field" "input": "Eingabefeld"
} },
"hintV3": "Um die Farbe der Schatten zu bestimmen, kann auch die Auszeichnung {0} verwendet werden, um einen anderen Fabbereich zu nutzen."
}, },
"fonts": { "fonts": {
"_tab_label": "Schriften", "_tab_label": "Schriften",
@ -384,11 +447,14 @@
}, },
"verify": { "verify": {
"desc": "Um 2FA zu aktivieren, gib den Code von deiner 2FA-App ein:" "desc": "Um 2FA zu aktivieren, gib den Code von deiner 2FA-App ein:"
} },
"confirm_and_enable": "Bestätige und aktiviere OTP",
"setup_otp": "Richte OTP ein",
"wait_pre_setup_otp": "OTP voreinstellen"
}, },
"enter_current_password_to_confirm": "Gib dein aktuelles Passwort ein, um deine Identität zu bestätigen", "enter_current_password_to_confirm": "Gib dein aktuelles Passwort ein, um deine Identität zu bestätigen",
"security": "Sicherheit", "security": "Sicherheit",
"allow_following_move": "Erlaube automatisches Folgen, sobald ein gefolgter Nutzer umzieht", "allow_following_move": "Erlaube auto-follow, wenn von dir verfolgte Accounts umziehen",
"blocks_imported": "Blocks importiert! Die Verarbeitung wird einen Moment brauchen.", "blocks_imported": "Blocks importiert! Die Verarbeitung wird einen Moment brauchen.",
"block_import_error": "Fehler beim Importieren der Blocks", "block_import_error": "Fehler beim Importieren der Blocks",
"block_import": "Block Import", "block_import": "Block Import",
@ -400,7 +466,79 @@
"change_email_error": "Es trat ein Problem auf beim Versuch, deine Email Adresse zu ändern.", "change_email_error": "Es trat ein Problem auf beim Versuch, deine Email Adresse zu ändern.",
"change_email": "Ändere Email", "change_email": "Ändere Email",
"import_blocks_from_a_csv_file": "Importiere Blocks von einer CSV Datei", "import_blocks_from_a_csv_file": "Importiere Blocks von einer CSV Datei",
"accent": "Akzent" "accent": "Akzent",
"no_blocks": "Keine Blocks",
"notification_visibility_emoji_reactions": "Reaktionen",
"new_email": "Neue Email",
"profile_fields": {
"value": "Inhalt",
"name": "Label",
"add_field": "Feld hinzufügen",
"label": "Profil Metadaten"
},
"bot": "Dies ist ein Bot Account",
"blocks_tab": "Blocks",
"save": "Änderungen speichern",
"show_moderator_badge": "Zeige Moderator-Abzeichen auf meinem Profil",
"show_admin_badge": "Zeige Admin-Abzeichen auf meinem Profil",
"no_mutes": "Keine Stummschaltungen",
"reset_profile_background": "Profilhintergrund zurücksetzen",
"reset_avatar": "Avatar zurücksetzten",
"search_user_to_mute": "Suche, wen du stummschalten willst",
"search_user_to_block": "Suche, wen du blocken willst",
"reply_visibility_self_short": "Zeige antworten nur einem selbst",
"reply_visibility_following_short": "Zeige Antworten an meine Follower",
"notification_visibility_moves": "Nutzer zieht um",
"file_export_import": {
"errors": {
"file_too_new": "Inkompatible Major Version: {fileMajor}, dieses PleromaFE Version (settings ver {feMajor}) ist zu alt",
"invalid_file": "Die ausgewählte Datei kann nicht zur Wiederherstellung verwendet werden. Keine Änderungen wurden umgesetzt.",
"file_too_old": "Inkompatible Major Version: {fileMajor}, die Dateiversion ist zu alt und wird nicht mehr unterstützt (min. set. ver. {feMajor})",
"file_slightly_new": "Geringfügige Abweichung in der Dateiversion, einige Einstellungen konnten möglicherweise nicht geladen werden"
},
"restore_settings": "Einstellungen von einer Datei wiederherstellen",
"backup_settings_theme": "Einstellungen und Theme in eine Datei speichern",
"backup_settings": "Einstellungen in Datei speichern",
"backup_restore": "Einstellungen backuppen"
},
"hide_wallpaper": "Verstecke Instanzhintergrundbild",
"hide_all_muted_posts": "Verstecke stummgeschaltete Posts",
"hide_media_previews": "Verstecke Vorschau von Medien",
"word_filter": "Wort Filter",
"mutes_and_blocks": "Stummgeschaltete und Geblockte",
"chatMessageRadius": "Chat Nachricht",
"import_mutes_from_a_csv_file": "Importiere stummgeschaltete User von einer cvs Datei",
"mutes_imported": "Stummgeschaltete User wurden importiert! Verarbeitung dauert eine Weile.",
"mute_import_error": "Fehler beim Importieren von stummgeschalteten Usern",
"mute_import": "Stumm geschaltete User importieren",
"mute_export_button": "Stumm geschaltete User in eine cvs Datei exportieren",
"mute_export": "Stumm geschaltete User exportieren",
"setting_changed": "Einstellungen weichen von den Standardeinstellungen ab",
"notification_blocks": "Einen User zu blocken stoppt alle Benachrichtigungen von ihm und deabonniert ihn.",
"version": {
"frontend_version": "Frontend Version",
"backend_version": "Backend Version",
"title": "Version"
},
"notification_mutes": "Um nicht mehr die Benachrichtigungen von einem bestimmten User zu bekommen, verwende eine Stummschaltung.",
"user_mutes": "User",
"notification_setting_privacy": "Privatsphäre",
"notification_setting_filters": "Filter",
"greentext": "Meme Pfeile",
"fun": "Spaß",
"upload_a_photo": "Lade ein Foto hoch",
"type_domains_to_mute": "Tippe die Domains ein, die du stummschalten willst",
"useStreamingApiWarning": "(Nicht empfohlen, experimentell, bekannt dafür, Posts zu überspringen)",
"useStreamingApi": "Empfange Posts und Benachrichtigungen in Echtzeit",
"more_settings": "Weitere Einstellungen",
"notification_setting_hide_notification_contents": "Absender und Inhalte von Push-Nachrichten verbergen",
"notification_setting_block_from_strangers": "Benachrichtigungen von Nutzern blockieren, denen Du nicht folgst",
"virtual_scrolling": "Rendering der Timeline optimieren",
"sensitive_by_default": "Alle Beiträge standardmäßig als heikel markieren",
"reset_background_confirm": "Hintergrund wirklich zurücksetzen?",
"reset_banner_confirm": "Banner wirklich zurücksetzen?",
"reset_avatar_confirm": "Avatar wirklich zurücksetzen?",
"reset_profile_banner": "Profilbanner zurücksetzen"
}, },
"timeline": { "timeline": {
"collapse": "Einklappen", "collapse": "Einklappen",
@ -410,7 +548,13 @@
"no_retweet_hint": "Der Beitrag ist als nur-für-Follower oder als Direktnachricht markiert und kann nicht wiederholt werden", "no_retweet_hint": "Der Beitrag ist als nur-für-Follower oder als Direktnachricht markiert und kann nicht wiederholt werden",
"repeated": "wiederholte", "repeated": "wiederholte",
"show_new": "Zeige Neuere", "show_new": "Zeige Neuere",
"up_to_date": "Aktuell" "up_to_date": "Aktuell",
"no_statuses": "Keine Beiträge",
"no_more_statuses": "Keine weiteren Beiträge",
"reload": "Neu laden",
"error": "Fehler beim Lesen der Timeline: {0}",
"socket_broke": "Netzverbindung verloren: CloseEvent code {0}",
"socket_reconnected": "Netzverbindung hergestellt"
}, },
"user_card": { "user_card": {
"approve": "Genehmigen", "approve": "Genehmigen",
@ -433,11 +577,52 @@
"remote_follow": "Folgen", "remote_follow": "Folgen",
"statuses": "Beiträge", "statuses": "Beiträge",
"admin_menu": { "admin_menu": {
"sandbox": "Erzwinge Beiträge nur für Follower sichtbar zu sein" "sandbox": "Erzwinge Beiträge nur für Follower sichtbar zu sein",
"delete_user_confirmation": "Achtung! Diese Entscheidung kann nicht rückgängig gemacht werden! Trotzdem durchführen?",
"grant_admin": "Administratorprivilegien gewähren",
"delete_user": "Nutzer löschen",
"strip_media": "Medien von Beiträgen entfernen",
"force_nsfw": "Alle Beiträge als pervers markieren",
"activate_account": "Aktiviere Account",
"revoke_moderator": "Administratorstatuß wiederrufen",
"grant_moderator": "Moderatorstatuß gewähren",
"revoke_admin": "Administratorstatuß wiederrufen",
"moderation": "Moderation",
"delete_account": "Konto löschen",
"deactivate_account": "Konto deaktivieren",
"quarantine": "Beiträge des Nutzers können nur auf der eigenen Instanz gesehen werden",
"disable_any_subscription": "Alle Folgeanfragen für diesen Nutzer grundsätzlich ablehnen",
"disable_remote_subscription": "Nutzer anderer Instanzen vom Folgen dieses Nutzers ausschließen",
"force_unlisted": "Beiträge von der öffentlichen Zeitleiste ausschliessen"
},
"block_progress": "Blocken…",
"unblock_progress": "Entblocken…",
"unblock": "Entblocken",
"report": "Melden",
"mention": "Erwähnungen",
"media": "Medien",
"hidden": "Versteckt",
"favorites": "Favoriten",
"bot": "Bot",
"show_repeats": "Geteilte Beiträge anzeigen",
"hide_repeats": "Geteilte Beiträge nicht anzeigen",
"mute_progress": "Stummschalten erfolgt…",
"unmute_progress": "Aufhebung erfolgt…",
"unmute": "Stummschalten aufheben",
"unsubscribe": "Entfolgen",
"subscribe": "Folgen",
"message": "Nachricht",
"highlight": {
"side": "Randmarkierung",
"striped": "gestreifter Hintergrund",
"solid": "kein Muster verwenden",
"disabled": "Nicht hervorheben"
} }
}, },
"user_profile": { "user_profile": {
"timeline_title": "Beiträge" "timeline_title": "Beiträge",
"profile_loading_error": "Beim Laden dieses Profils ist ein Fehler aufgetreten.",
"profile_does_not_exist": "Profil nicht vorhanden."
}, },
"who_to_follow": { "who_to_follow": {
"more": "Mehr", "more": "Mehr",
@ -448,13 +633,18 @@
"repeat": "Wiederholen", "repeat": "Wiederholen",
"reply": "Antworten", "reply": "Antworten",
"favorite": "Favorisieren", "favorite": "Favorisieren",
"user_settings": "Benutzereinstellungen" "user_settings": "Benutzereinstellungen",
"bookmark": "Lesezeichen",
"reject_follow_request": "Folgeanfrage ablehnen",
"accept_follow_request": "Folgeanfrage annehmen",
"add_reaction": "Emoji-Reaktion hinzufügen"
}, },
"upload": { "upload": {
"error": { "error": {
"base": "Hochladen fehlgeschlagen.", "base": "Hochladen fehlgeschlagen.",
"file_too_big": "Datei ist zu groß [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]", "file_too_big": "Datei ist zu groß [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]",
"default": "Bitte versuche es später erneut" "default": "Bitte versuche es später erneut",
"message": "Hochladen fehlgeschlagen"
}, },
"file_size_units": { "file_size_units": {
"B": "B", "B": "B",
@ -478,7 +668,7 @@
"placeholder": "Dein Benutzername oder die zugehörige E-Mail-Adresse", "placeholder": "Dein Benutzername oder die zugehörige E-Mail-Adresse",
"check_email": "Im E-Mail-Posteingang des angebenen Kontos müsste sich jetzt (oder zumindest in Kürze) die E-Mail mit dem Link zum Passwortzurücksetzen befinden.", "check_email": "Im E-Mail-Posteingang des angebenen Kontos müsste sich jetzt (oder zumindest in Kürze) die E-Mail mit dem Link zum Passwortzurücksetzen befinden.",
"return_home": "Zurück zur Heimseite", "return_home": "Zurück zur Heimseite",
"too_many_requests": "Kurze Pause. Zu viele Versuche. Bitte, später nochmal probieren.", "too_many_requests": "Kurze Pause. Zu viele Versuche. Bitte später nochmal probieren.",
"password_reset_disabled": "Passwortzurücksetzen deaktiviert. Bitte Administrator kontaktieren.", "password_reset_disabled": "Passwortzurücksetzen deaktiviert. Bitte Administrator kontaktieren.",
"password_reset_required": "Passwortzurücksetzen erforderlich.", "password_reset_required": "Passwortzurücksetzen erforderlich.",
"password_reset_required_but_mailer_is_disabled": "Passwortzurücksetzen wäre erforderlich, ist aber deaktiviert. Bitte Administrator kontaktieren." "password_reset_required_but_mailer_is_disabled": "Passwortzurücksetzen wäre erforderlich, ist aber deaktiviert. Bitte Administrator kontaktieren."
@ -486,21 +676,21 @@
"about": { "about": {
"mrf": { "mrf": {
"federation": "Föderation", "federation": "Föderation",
"mrf_policies": "Aktivierte MRF Richtlinien", "mrf_policies": "Aktive MRF-Richtlinien",
"simple": { "simple": {
"simple_policies": "Instanzspezifische Richtlinien", "simple_policies": "Instanzspezifische Richtlinien",
"accept": "Akzeptieren", "accept": "Akzeptieren",
"reject": "Ablehnen", "reject": "Ablehnen",
"reject_desc": "Diese Instanz akzeptiert keine Nachrichten der folgenden Instanzen:", "reject_desc": "Diese Instanz akzeptiert keine Nachrichten der folgenden Instanzen:",
"quarantine": "Quarantäne", "quarantine": "Quarantäne",
"ftl_removal": "Von der Zeitleiste \"Das gesamte bekannte Netzwerk\" entfernen", "ftl_removal": "Von der Zeitleiste \"Das bekannte Netzwerk\" entfernen",
"media_removal": "Medienentfernung", "media_removal": "Medienentfernung",
"media_removal_desc": "Diese Instanz entfernt Medien von den Beiträgen der folgenden Instanzen:", "media_removal_desc": "Diese Instanz entfernt Medien von den Beiträgen der folgenden Instanzen:",
"media_nsfw": "Erzwingen Medien als heikel zu makieren", "media_nsfw": "Erzwingen Medien als heikel zu makieren",
"media_nsfw_desc": "Diese Instanz makiert die Medien in Beiträgen der folgenden Instanzen als heikel:", "media_nsfw_desc": "Diese Instanz makiert die Medien in Beiträgen der folgenden Instanzen als heikel:",
"accept_desc": "Diese Instanz akzeptiert nur Nachrichten von den folgenden Instanzen:", "accept_desc": "Diese Instanz akzeptiert nur Nachrichten von den folgenden Instanzen:",
"quarantine_desc": "Diese Instanz sendet nur öffentliche Beiträge zu den folgenden Instanzen:", "quarantine_desc": "Diese Instanz sendet nur öffentliche Beiträge zu den folgenden Instanzen:",
"ftl_removal_desc": "Dieser Instanz entfernt folgende Instanzen von der \"Das gesamte bekannte Netzwerk\" Zeitleiste:" "ftl_removal_desc": "Dieser Instanz entfernt folgende Instanzen von der \"Das bekannte Netzwerk\" Zeitleiste:"
}, },
"keyword": { "keyword": {
"keyword_policies": "Keyword Richtlinien", "keyword_policies": "Keyword Richtlinien",
@ -509,7 +699,7 @@
"is_replaced_by": "→", "is_replaced_by": "→",
"ftl_removal": "Von der Zeitleiste \"Das gesamte bekannte Netzwerk\" entfernen" "ftl_removal": "Von der Zeitleiste \"Das gesamte bekannte Netzwerk\" entfernen"
}, },
"mrf_policies_desc": "MRF Richtlinien manipulieren das Föderationsverhalten dieser Instanz. Die folgenden Richtlinien sind aktiv:" "mrf_policies_desc": "MRF Richtlinien beeinflussen das Föderationsverhalten dieser Instanz. Die folgenden Richtlinien sind aktiv:"
}, },
"staff": "Mitarbeiter" "staff": "Mitarbeiter"
}, },
@ -550,7 +740,9 @@
"expiry": "Alter der Umfrage", "expiry": "Alter der Umfrage",
"expired": "Die Umfrage endete vor {0}", "expired": "Die Umfrage endete vor {0}",
"not_enough_options": "Zu wenig einzigartige Auswahlmöglichkeiten in der Umfrage", "not_enough_options": "Zu wenig einzigartige Auswahlmöglichkeiten in der Umfrage",
"expires_in": "Die Umfrage endet in {0}" "expires_in": "Die Umfrage endet in {0}",
"votes_count": "{count} Stimme | {count} Stimmen",
"people_voted_count": "{count} Person hat gewählt | {count} Personen haben gewählt"
}, },
"emoji": { "emoji": {
"stickers": "Sticker", "stickers": "Sticker",
@ -560,12 +752,12 @@
"keep_open": "Auswahlfenster offen halten", "keep_open": "Auswahlfenster offen halten",
"add_emoji": "Emoji einfügen", "add_emoji": "Emoji einfügen",
"load_all": "Lade alle {emojiAmount} Emoji", "load_all": "Lade alle {emojiAmount} Emoji",
"load_all_hint": "Erfolgreich erste {saneAmount} Emoji geladen, alle Emojis zu laden würde Leistungsprobleme hervorrufen.", "load_all_hint": "Erste {saneAmount} Emoji geladen, alle Emoji zu laden könnte Leistungsprobleme verursachen.",
"unicode": "Unicode Emoji" "unicode": "Unicode Emoji"
}, },
"interactions": { "interactions": {
"load_older": "Lade ältere Interaktionen", "load_older": "Lade ältere Interaktionen",
"follows": "Neue Follows", "follows": "Neue Follower",
"favs_repeats": "Wiederholungen und Favoriten", "favs_repeats": "Wiederholungen und Favoriten",
"moves": "Benutzer migriert zu" "moves": "Benutzer migriert zu"
}, },
@ -573,7 +765,106 @@
"select_all": "Wähle alle" "select_all": "Wähle alle"
}, },
"remote_user_resolver": { "remote_user_resolver": {
"searching_for": "Suche nach", "searching_for": "Suche für",
"error": "Nicht gefunden." "error": "Nicht gefunden.",
"remote_user_resolver": "Resolver für Nutzer auf anderen Instanzen"
},
"errors": {
"storage_unavailable": "Pleroma konnte nicht auf den Browser Speicher zugreifen. Deine Anmeldung und deine Einstellungen werden nicht gespeichert. Es kann unvorhersehbare Probleme geben. Versuche ansonsten Cookies zu erlauben."
},
"shoutbox": {
"title": "Shoutbox"
},
"chats": {
"error_sending_message": "Beim Senden der Nachricht ist ein Fehler aufgetreten.",
"error_loading_chat": "Beim Laden des Chats ist ein Fehler aufgetreten.",
"delete_confirm": "Soll diese Nachricht wirklich gelöscht werden?",
"empty_message_error": "Die Nachricht darf nicht leer sein.",
"delete": "Löschen",
"message_user": "Nachricht an {nickname} senden",
"empty_chat_list_placeholder": "Es sind noch keine Chats vorhanden. Jetzt einen Chat starten!",
"more": "Mehr",
"you": "Du:",
"new": "Neuer Chat",
"chats": "Chats"
},
"user_reporting": {
"generic_error": "Beim Verarbeiten der Anfrage ist ein Fehler aufgetreten.",
"submit": "Senden",
"forward_to": "Weiterleiten an {0}",
"forward_description": "Das fragliche Konto befindet sich auf einem anderen Server. Soll eine Kopie der Beschwerde an den dortigen Verantwortlichen gesendet werden?",
"additional_comments": "Weitere Anmerkungen",
"add_comment_description": "Die Beschwerde wird an die Moderatoren dieser Instanz gesendet. Die Gründe für die Beschwerde können hier angegeben werden:",
"title": "{0} melddn"
},
"status": {
"copy_link": "Beitragslink kopieren",
"status_unavailable": "Beitrag nicht verfügbar",
"unmute_conversation": "Konversation nicht mehr stummstellen",
"mute_conversation": "Konversation stummstellen",
"replies_list": "Antworten:",
"reply_to": "Antworten auf",
"delete_confirm": "Möchtest du diese Beitrag wirklich löschen?",
"pinned": "Angeheftet",
"unpin": "Nicht mehr an Profil anheften",
"pin": "An Profil anheften",
"delete": "Lösche Beitrag",
"favorites": "Favoriten",
"expand": "Ausklappen",
"nsfw": "NSFW",
"status_deleted": "Dieser Beitrag wurde gelöscht",
"hide_content": "Inhalt verbergen",
"show_content": "Inhalt anzeigen",
"hide_full_subject": "Vollständiges Thema verbergen",
"show_full_subject": "Vollständiges Thema anzeigen",
"thread_muted": "Thread stummgeschaltet",
"external_source": "Externe Quelle",
"unbookmark": "Lesezeichen entfernen",
"bookmark": "Lesezeichen setzen",
"repeats": "Geteilte Beiträge",
"thread_muted_and_words": ", enthält folgende Wörter:"
},
"time": {
"seconds_short": "{0}s",
"second_short": "{0}s",
"seconds": "{0} Sekunden",
"second": "{0} Sekunde",
"now_short": "jetzt",
"years_short": "{0}Jhr",
"year_short": "{0}Jhr",
"years": "{0} Jahren",
"year": "{0} Jahr",
"weeks_short": "{0}W",
"week_short": "{0}W",
"weeks": "{0} Wochen",
"week": "{0} Woche",
"now": "gerade eben",
"months_short": "{0}Mo",
"month_short": "{0}Mo",
"months": "{0} Monaten",
"month": "{0} Monat",
"minutes_short": "{0}Min",
"minute_short": "{0}Min",
"minutes": "{0} Minuten",
"minute": "{0} Minute",
"in_past": "vor {0}",
"in_future": "in {0}",
"hours_short": "{0}Std",
"hour_short": "{0}Std",
"hours": "{0} Stunden",
"hour": "{0} Stunde",
"days_short": "{0}T",
"day_short": "{0}T",
"days": "{0} Tage",
"day": "{0} Tag"
},
"display_date": {
"today": "Heute"
},
"file_type": {
"file": "Datei",
"image": "Bild",
"video": "Video",
"audio": "Audio"
} }
} }

View file

@ -3,27 +3,27 @@
"mrf": { "mrf": {
"federation": "Federation", "federation": "Federation",
"keyword": { "keyword": {
"keyword_policies": "Keyword Policies", "keyword_policies": "Keyword policies",
"ftl_removal": "Removal from \"The Whole Known Network\" Timeline", "ftl_removal": "Removal from \"The Whole Known Network\" Timeline",
"reject": "Reject", "reject": "Reject",
"replace": "Replace", "replace": "Replace",
"is_replaced_by": "→" "is_replaced_by": "→"
}, },
"mrf_policies": "Enabled MRF Policies", "mrf_policies": "Enabled MRF policies",
"mrf_policies_desc": "MRF policies manipulate the federation behaviour of the instance. The following policies are enabled:", "mrf_policies_desc": "MRF policies manipulate the federation behaviour of the instance. The following policies are enabled:",
"simple": { "simple": {
"simple_policies": "Instance-specific Policies", "simple_policies": "Instance-specific policies",
"accept": "Accept", "accept": "Accept",
"accept_desc": "This instance only accepts messages from the following instances:", "accept_desc": "This instance only accepts messages from the following instances:",
"reject": "Reject", "reject": "Reject",
"reject_desc": "This instance will not accept messages from the following instances:", "reject_desc": "This instance will not accept messages from the following instances:",
"quarantine": "Quarantine", "quarantine": "Quarantine",
"quarantine_desc": "This instance will send only public posts to the following instances:", "quarantine_desc": "This instance will send only public posts to the following instances:",
"ftl_removal": "Removal from \"The Whole Known Network\" Timeline", "ftl_removal": "Removal from \"Known Network\" Timeline",
"ftl_removal_desc": "This instance removes these instances from \"The Whole Known Network\" timeline:", "ftl_removal_desc": "This instance removes these instances from \"Known Network\" timeline:",
"media_removal": "Media Removal", "media_removal": "Media Removal",
"media_removal_desc": "This instance removes media from posts on the following instances:", "media_removal_desc": "This instance removes media from posts on the following instances:",
"media_nsfw": "Media Force-set As Sensitive", "media_nsfw": "Media force-set as sensitive",
"media_nsfw_desc": "This instance forces media to be set sensitive in posts on the following instances:" "media_nsfw_desc": "This instance forces media to be set sensitive in posts on the following instances:"
} }
}, },
@ -79,7 +79,10 @@
"role": { "role": {
"admin": "Admin", "admin": "Admin",
"moderator": "Moderator" "moderator": "Moderator"
} },
"flash_content": "Click to show Flash content using Ruffle (Experimental, may not work).",
"flash_security": "Note that this can be potentially dangerous since Flash content is still arbitrary code.",
"flash_fail": "Failed to load flash content, see console for details."
}, },
"image_cropper": { "image_cropper": {
"crop_picture": "Crop picture", "crop_picture": "Crop picture",
@ -118,12 +121,13 @@
"about": "About", "about": "About",
"administration": "Administration", "administration": "Administration",
"back": "Back", "back": "Back",
"friend_requests": "Follow Requests", "friend_requests": "Follow requests",
"mentions": "Mentions", "mentions": "Mentions",
"interactions": "Interactions", "interactions": "Interactions",
"dms": "Direct Messages", "dms": "Direct messages",
"public_tl": "Public Timeline", "public_tl": "Public timeline",
"timeline": "Timeline", "timeline": "Timeline",
"home_timeline": "Home timeline",
"twkn": "Known Network", "twkn": "Known Network",
"bookmarks": "Bookmarks", "bookmarks": "Bookmarks",
"user_search": "User Search", "user_search": "User Search",
@ -148,8 +152,8 @@
"reacted_with": "reacted with {0}" "reacted_with": "reacted with {0}"
}, },
"polls": { "polls": {
"add_poll": "Add Poll", "add_poll": "Add poll",
"add_option": "Add Option", "add_option": "Add option",
"option": "Option", "option": "Option",
"votes": "votes", "votes": "votes",
"people_voted_count": "{count} person voted | {count} people voted", "people_voted_count": "{count} person voted | {count} people voted",
@ -178,7 +182,7 @@
"storage_unavailable": "Pleroma could not access browser storage. Your login or your local settings won't be saved and you might encounter unexpected issues. Try enabling cookies." "storage_unavailable": "Pleroma could not access browser storage. Your login or your local settings won't be saved and you might encounter unexpected issues. Try enabling cookies."
}, },
"interactions": { "interactions": {
"favs_repeats": "Repeats and Favorites", "favs_repeats": "Repeats and favorites",
"follows": "New follows", "follows": "New follows",
"moves": "User migrates", "moves": "User migrates",
"load_older": "Load older interactions" "load_older": "Load older interactions"
@ -200,6 +204,7 @@
"direct_warning_to_all": "This post will be visible to all the mentioned users.", "direct_warning_to_all": "This post will be visible to all the mentioned users.",
"direct_warning_to_first_only": "This post will only be visible to the mentioned users at the beginning of the message.", "direct_warning_to_first_only": "This post will only be visible to the mentioned users at the beginning of the message.",
"posting": "Posting", "posting": "Posting",
"post": "Post",
"preview": "Preview", "preview": "Preview",
"preview_empty": "Empty", "preview_empty": "Empty",
"empty_status_error": "Can't post an empty status with no files", "empty_status_error": "Can't post an empty status with no files",
@ -210,10 +215,10 @@
"unlisted": "This post will not be visible in Public Timeline and The Whole Known Network" "unlisted": "This post will not be visible in Public Timeline and The Whole Known Network"
}, },
"scope": { "scope": {
"direct": "Direct - Post to mentioned users only", "direct": "Direct - post to mentioned users only",
"private": "Followers-only - Post to followers only", "private": "Followers-only - post to followers only",
"public": "Public - Post to public timelines", "public": "Public - post to public timelines",
"unlisted": "Unlisted - Do not post to public timelines" "unlisted": "Unlisted - do not post to public timelines"
} }
}, },
"registration": { "registration": {
@ -230,6 +235,7 @@
"bio_placeholder": "e.g.\nHi, I'm Lain.\nIm an anime girl living in suburban Japan. You may know me from the Wired.", "bio_placeholder": "e.g.\nHi, I'm Lain.\nIm an anime girl living in suburban Japan. You may know me from the Wired.",
"reason": "Reason to register", "reason": "Reason to register",
"reason_placeholder": "This instance approves registrations manually.\nLet the administration know why you want to register.", "reason_placeholder": "This instance approves registrations manually.\nLet the administration know why you want to register.",
"register": "Register",
"validations": { "validations": {
"username_required": "cannot be left blank", "username_required": "cannot be left blank",
"fullname_required": "cannot be left blank", "fullname_required": "cannot be left blank",
@ -249,6 +255,7 @@
}, },
"settings": { "settings": {
"app_name": "App name", "app_name": "App name",
"save": "Save changes",
"security": "Security", "security": "Security",
"setting_changed": "Setting is different from default", "setting_changed": "Setting is different from default",
"enter_current_password_to_confirm": "Enter your current password to confirm your identity", "enter_current_password_to_confirm": "Enter your current password to confirm your identity",
@ -277,7 +284,7 @@
"attachmentRadius": "Attachments", "attachmentRadius": "Attachments",
"attachments": "Attachments", "attachments": "Attachments",
"avatar": "Avatar", "avatar": "Avatar",
"avatarAltRadius": "Avatars (Notifications)", "avatarAltRadius": "Avatars (notifications)",
"avatarRadius": "Avatars", "avatarRadius": "Avatars",
"background": "Background", "background": "Background",
"bio": "Bio", "bio": "Bio",
@ -299,10 +306,10 @@
"cGreen": "Green (Retweet)", "cGreen": "Green (Retweet)",
"cOrange": "Orange (Favorite)", "cOrange": "Orange (Favorite)",
"cRed": "Red (Cancel)", "cRed": "Red (Cancel)",
"change_email": "Change Email", "change_email": "Change email",
"change_email_error": "There was an issue changing your email.", "change_email_error": "There was an issue changing your email.",
"changed_email": "Email changed successfully!", "changed_email": "Email changed successfully!",
"change_password": "Change Password", "change_password": "Change password",
"change_password_error": "There was an issue changing your password.", "change_password_error": "There was an issue changing your password.",
"changed_password": "Password changed successfully!", "changed_password": "Password changed successfully!",
"chatMessageRadius": "Chat message", "chatMessageRadius": "Chat message",
@ -311,9 +318,9 @@
"confirm_new_password": "Confirm new password", "confirm_new_password": "Confirm new password",
"current_password": "Current password", "current_password": "Current password",
"mutes_and_blocks": "Mutes and Blocks", "mutes_and_blocks": "Mutes and Blocks",
"data_import_export_tab": "Data Import / Export", "data_import_export_tab": "Data import / export",
"default_vis": "Default visibility scope", "default_vis": "Default visibility scope",
"delete_account": "Delete Account", "delete_account": "Delete account",
"delete_account_description": "Permanently delete your data and deactivate your account.", "delete_account_description": "Permanently delete your data and deactivate your account.",
"delete_account_error": "There was an issue deleting your account. If this persists please contact your instance administrator.", "delete_account_error": "There was an issue deleting your account. If this persists please contact your instance administrator.",
"delete_account_instructions": "Type your password in the input below to confirm account deletion.", "delete_account_instructions": "Type your password in the input below to confirm account deletion.",
@ -325,6 +332,7 @@
"export_theme": "Save preset", "export_theme": "Save preset",
"filtering": "Filtering", "filtering": "Filtering",
"filtering_explanation": "All statuses containing these words will be muted, one per line", "filtering_explanation": "All statuses containing these words will be muted, one per line",
"word_filter": "Word filter",
"follow_export": "Follow export", "follow_export": "Follow export",
"follow_export_button": "Export your follows to a csv file", "follow_export_button": "Export your follows to a csv file",
"follow_import": "Follow import", "follow_import": "Follow import",
@ -335,9 +343,13 @@
"general": "General", "general": "General",
"hide_attachments_in_convo": "Hide attachments in conversations", "hide_attachments_in_convo": "Hide attachments in conversations",
"hide_attachments_in_tl": "Hide attachments in timeline", "hide_attachments_in_tl": "Hide attachments in timeline",
"hide_media_previews": "Hide media previews",
"hide_muted_posts": "Hide posts of muted users", "hide_muted_posts": "Hide posts of muted users",
"hide_all_muted_posts": "Hide muted posts",
"max_thumbnails": "Maximum amount of thumbnails per post", "max_thumbnails": "Maximum amount of thumbnails per post",
"hide_isp": "Hide instance-specific panel", "hide_isp": "Hide instance-specific panel",
"hide_shoutbox": "Hide instance shoutbox",
"right_sidebar": "Show sidebar on the right side",
"hide_wallpaper": "Hide instance wallpaper", "hide_wallpaper": "Hide instance wallpaper",
"preload_images": "Preload images", "preload_images": "Preload images",
"use_one_click_nsfw": "Open NSFW attachments with just one click", "use_one_click_nsfw": "Open NSFW attachments with just one click",
@ -361,20 +373,32 @@
"loop_video_silent_only": "Loop only videos without sound (i.e. Mastodon's \"gifs\")", "loop_video_silent_only": "Loop only videos without sound (i.e. Mastodon's \"gifs\")",
"mutes_tab": "Mutes", "mutes_tab": "Mutes",
"play_videos_in_modal": "Play videos in a popup frame", "play_videos_in_modal": "Play videos in a popup frame",
"file_export_import": {
"backup_restore": "Settings backup",
"backup_settings": "Backup settings to file",
"backup_settings_theme": "Backup settings and theme to file",
"restore_settings": "Restore settings from file",
"errors": {
"invalid_file": "The selected file is not a supported Pleroma settings backup. No changes were made.",
"file_too_new": "Incompatile major version: {fileMajor}, this PleromaFE (settings ver {feMajor}) is too old to handle it",
"file_too_old": "Incompatile major version: {fileMajor}, file version is too old and not supported (min. set. ver. {feMajor})",
"file_slightly_new": "File minor version is different, some settings might not load"
}
},
"profile_fields": { "profile_fields": {
"label": "Profile metadata", "label": "Profile metadata",
"add_field": "Add Field", "add_field": "Add field",
"name": "Label", "name": "Label",
"value": "Content" "value": "Content"
}, },
"use_contain_fit": "Don't crop the attachment in thumbnails", "use_contain_fit": "Don't crop the attachment in thumbnails",
"name": "Name", "name": "Name",
"name_bio": "Name & Bio", "name_bio": "Name & bio",
"new_email": "New Email", "new_email": "New email",
"new_password": "New password", "new_password": "New password",
"notification_visibility": "Types of notifications to show", "notification_visibility": "Types of notifications to show",
"notification_visibility_follows": "Follows", "notification_visibility_follows": "Follows",
"notification_visibility_likes": "Likes", "notification_visibility_likes": "Favorites",
"notification_visibility_mentions": "Mentions", "notification_visibility_mentions": "Mentions",
"notification_visibility_repeats": "Repeats", "notification_visibility_repeats": "Repeats",
"notification_visibility_moves": "User Migrates", "notification_visibility_moves": "User Migrates",
@ -386,25 +410,27 @@
"hide_followers_description": "Don't show who's following me", "hide_followers_description": "Don't show who's following me",
"hide_follows_count_description": "Don't show follow count", "hide_follows_count_description": "Don't show follow count",
"hide_followers_count_description": "Don't show follower count", "hide_followers_count_description": "Don't show follower count",
"show_admin_badge": "Show Admin badge in my profile", "show_admin_badge": "Show \"Admin\" badge in my profile",
"show_moderator_badge": "Show Moderator badge in my profile", "show_moderator_badge": "Show \"Moderator\" badge in my profile",
"nsfw_clickthrough": "Enable clickthrough attachment and link preview image hiding for NSFW statuses", "nsfw_clickthrough": "Enable clickthrough attachment and link preview image hiding for NSFW statuses",
"oauth_tokens": "OAuth tokens", "oauth_tokens": "OAuth tokens",
"token": "Token", "token": "Token",
"refresh_token": "Refresh Token", "refresh_token": "Refresh token",
"valid_until": "Valid Until", "valid_until": "Valid until",
"revoke_token": "Revoke", "revoke_token": "Revoke",
"panelRadius": "Panels", "panelRadius": "Panels",
"pause_on_unfocused": "Pause streaming when tab is not focused", "pause_on_unfocused": "Pause streaming when tab is not focused",
"presets": "Presets", "presets": "Presets",
"profile_background": "Profile Background", "profile_background": "Profile background",
"profile_banner": "Profile Banner", "profile_banner": "Profile banner",
"profile_tab": "Profile", "profile_tab": "Profile",
"radii_help": "Set up interface edge rounding (in pixels)", "radii_help": "Set up interface edge rounding (in pixels)",
"replies_in_timeline": "Replies in timeline", "replies_in_timeline": "Replies in timeline",
"reply_visibility_all": "Show all replies", "reply_visibility_all": "Show all replies",
"reply_visibility_following": "Only show replies directed at me or users I'm following", "reply_visibility_following": "Only show replies directed at me or users I'm following",
"reply_visibility_self": "Only show replies directed at me", "reply_visibility_self": "Only show replies directed at me",
"reply_visibility_following_short": "Show replies to my follows",
"reply_visibility_self_short": "Show replies to self only",
"autohide_floating_post_button": "Automatically hide New Post button (mobile)", "autohide_floating_post_button": "Automatically hide New Post button (mobile)",
"saving_err": "Error saving settings", "saving_err": "Error saving settings",
"saving_ok": "Settings saved", "saving_ok": "Settings saved",
@ -429,6 +455,7 @@
"subject_line_mastodon": "Like mastodon: copy as is", "subject_line_mastodon": "Like mastodon: copy as is",
"subject_line_noop": "Do not copy", "subject_line_noop": "Do not copy",
"post_status_content_type": "Post status content type", "post_status_content_type": "Post status content type",
"sensitive_by_default": "Mark posts as sensitive by default",
"stop_gifs": "Play-on-hover GIFs", "stop_gifs": "Play-on-hover GIFs",
"streaming": "Enable automatic streaming of new posts when scrolled to the top", "streaming": "Enable automatic streaming of new posts when scrolled to the top",
"user_mutes": "Users", "user_mutes": "Users",
@ -458,6 +485,7 @@
"notification_mutes": "To stop receiving notifications from a specific user, use a mute.", "notification_mutes": "To stop receiving notifications from a specific user, use a mute.",
"notification_blocks": "Blocking a user stops all notifications as well as unsubscribes them.", "notification_blocks": "Blocking a user stops all notifications as well as unsubscribes them.",
"enable_web_push_notifications": "Enable web push notifications", "enable_web_push_notifications": "Enable web push notifications",
"more_settings": "More settings",
"style": { "style": {
"switcher": { "switcher": {
"keep_color": "Keep colors", "keep_color": "Keep colors",
@ -606,8 +634,8 @@
}, },
"version": { "version": {
"title": "Version", "title": "Version",
"backend_version": "Backend Version", "backend_version": "Backend version",
"frontend_version": "Frontend Version" "frontend_version": "Frontend version"
} }
}, },
"time": { "time": {
@ -655,7 +683,9 @@
"reload": "Reload", "reload": "Reload",
"up_to_date": "Up-to-date", "up_to_date": "Up-to-date",
"no_more_statuses": "No more statuses", "no_more_statuses": "No more statuses",
"no_statuses": "No statuses" "no_statuses": "No statuses",
"socket_reconnected": "Realtime connection established",
"socket_broke": "Realtime connection lost: CloseEvent code {0}"
}, },
"status": { "status": {
"favorites": "Favorites", "favorites": "Favorites",
@ -689,6 +719,7 @@
"block": "Block", "block": "Block",
"blocked": "Blocked!", "blocked": "Blocked!",
"deny": "Deny", "deny": "Deny",
"edit_profile": "Edit profile",
"favorites": "Favorites", "favorites": "Favorites",
"follow": "Follow", "follow": "Follow",
"follow_sent": "Request sent!", "follow_sent": "Request sent!",
@ -739,10 +770,16 @@
"quarantine": "Disallow user posts from federating", "quarantine": "Disallow user posts from federating",
"delete_user": "Delete user", "delete_user": "Delete user",
"delete_user_confirmation": "Are you absolutely sure? This action cannot be undone." "delete_user_confirmation": "Are you absolutely sure? This action cannot be undone."
},
"highlight": {
"disabled": "No highlight",
"solid": "Solid bg",
"striped": "Striped bg",
"side": "Side stripe"
} }
}, },
"user_profile": { "user_profile": {
"timeline_title": "User Timeline", "timeline_title": "User timeline",
"profile_does_not_exist": "Sorry, this profile does not exist.", "profile_does_not_exist": "Sorry, this profile does not exist.",
"profile_loading_error": "Sorry, there was an error loading this profile." "profile_loading_error": "Sorry, there was an error loading this profile."
}, },
@ -760,7 +797,7 @@
"who_to_follow": "Who to follow" "who_to_follow": "Who to follow"
}, },
"tool_tip": { "tool_tip": {
"media_upload": "Upload Media", "media_upload": "Upload media",
"repeat": "Repeat", "repeat": "Repeat",
"reply": "Reply", "reply": "Reply",
"favorite": "Favorite", "favorite": "Favorite",

View file

@ -156,7 +156,9 @@
"password_required": "ne povas resti malplena", "password_required": "ne povas resti malplena",
"password_confirmation_required": "ne povas resti malplena", "password_confirmation_required": "ne povas resti malplena",
"password_confirmation_match": "samu la pasvorton" "password_confirmation_match": "samu la pasvorton"
} },
"reason_placeholder": "Ĉi-node oni aprobas registriĝojn permane.\nSciigu la administrantojn kial vi volas registriĝi.",
"reason": "Kialo registriĝi"
}, },
"settings": { "settings": {
"app_name": "Nomo de aplikaĵo", "app_name": "Nomo de aplikaĵo",
@ -523,7 +525,14 @@
"mute_export_button": "Elportu viajn silentigojn al CSV-dosiero", "mute_export_button": "Elportu viajn silentigojn al CSV-dosiero",
"mute_export": "Elporto de silentigoj", "mute_export": "Elporto de silentigoj",
"hide_wallpaper": "Kaŝi fonbildon de nodo", "hide_wallpaper": "Kaŝi fonbildon de nodo",
"setting_changed": "Agordo malsamas de la implicita" "setting_changed": "Agordo malsamas de la implicita",
"more_settings": "Pliaj agordoj",
"sensitive_by_default": "Implicite marki afiŝojn konsternaj",
"reply_visibility_following_short": "Montri respondojn por miaj abonatoj",
"hide_all_muted_posts": "Kaŝi silentigitajn afiŝojn",
"hide_media_previews": "Kaŝi antaŭrigardojn al vidaŭdaĵoj",
"word_filter": "Vortofiltro",
"reply_visibility_self_short": "Montri nur respondojn por mi"
}, },
"timeline": { "timeline": {
"collapse": "Maletendi", "collapse": "Maletendi",
@ -594,7 +603,13 @@
"hide_repeats": "Kaŝi ripetojn", "hide_repeats": "Kaŝi ripetojn",
"unsubscribe": "Ne ricevi sciigojn", "unsubscribe": "Ne ricevi sciigojn",
"subscribe": "Ricevi sciigojn", "subscribe": "Ricevi sciigojn",
"bot": "Roboto" "bot": "Roboto",
"highlight": {
"side": "Flanka strio",
"striped": "Stria fono",
"solid": "Unueca fono",
"disabled": "Senemfaze"
}
}, },
"user_profile": { "user_profile": {
"timeline_title": "Historio de uzanto", "timeline_title": "Historio de uzanto",

View file

@ -34,12 +34,16 @@
"enable": "Habilitar", "enable": "Habilitar",
"confirm": "Confirmar", "confirm": "Confirmar",
"verify": "Verificar", "verify": "Verificar",
"peek": "Ojear", "peek": "Previsualizar",
"close": "Cerrar", "close": "Cerrar",
"dismiss": "Descartar", "dismiss": "Descartar",
"retry": "Inténtalo de nuevo", "retry": "Inténtalo de nuevo",
"error_retry": "Por favor, inténtalo de nuevo", "error_retry": "Por favor, inténtalo de nuevo",
"loading": "Cargando…" "loading": "Cargando…",
"role": {
"admin": "Administrador/a",
"moderator": "Moderador/a"
}
}, },
"image_cropper": { "image_cropper": {
"crop_picture": "Recortar la foto", "crop_picture": "Recortar la foto",
@ -82,8 +86,8 @@
"friend_requests": "Solicitudes de seguimiento", "friend_requests": "Solicitudes de seguimiento",
"mentions": "Menciones", "mentions": "Menciones",
"interactions": "Interacciones", "interactions": "Interacciones",
"dms": "Mensajes Directos", "dms": "Mensajes directos",
"public_tl": "Línea Temporal Pública", "public_tl": "Línea temporal pública",
"timeline": "Línea Temporal", "timeline": "Línea Temporal",
"twkn": "Red Conocida", "twkn": "Red Conocida",
"user_search": "Búsqueda de Usuarios", "user_search": "Búsqueda de Usuarios",
@ -92,7 +96,8 @@
"preferences": "Preferencias", "preferences": "Preferencias",
"chats": "Chats", "chats": "Chats",
"timelines": "Líneas de Tiempo", "timelines": "Líneas de Tiempo",
"bookmarks": "Marcadores" "bookmarks": "Marcadores",
"home_timeline": "Línea temporal personal"
}, },
"notifications": { "notifications": {
"broken_favorite": "Estado desconocido, buscándolo…", "broken_favorite": "Estado desconocido, buscándolo…",
@ -120,7 +125,9 @@
"expiry": "Tiempo de vida de la encuesta", "expiry": "Tiempo de vida de la encuesta",
"expires_in": "La encuesta termina en {0}", "expires_in": "La encuesta termina en {0}",
"expired": "La encuesta terminó hace {0}", "expired": "La encuesta terminó hace {0}",
"not_enough_options": "Muy pocas opciones únicas en la encuesta" "not_enough_options": "Muy pocas opciones únicas en la encuesta",
"people_voted_count": "{count} persona votó | {count} personas votaron",
"votes_count": "{count} voto | {count} votos"
}, },
"emoji": { "emoji": {
"stickers": "Pegatinas", "stickers": "Pegatinas",
@ -137,14 +144,14 @@
"add_sticker": "Añadir Pegatina" "add_sticker": "Añadir Pegatina"
}, },
"interactions": { "interactions": {
"favs_repeats": "Favoritos y Repetidos", "favs_repeats": "Favoritos y repetidos",
"follows": "Nuevos seguidores", "follows": "Nuevos seguidores",
"load_older": "Cargar interacciones más antiguas", "load_older": "Cargar interacciones más antiguas",
"moves": "Usuario Migrado" "moves": "Usuario Migrado"
}, },
"post_status": { "post_status": {
"new_status": "Publicar un nuevo estado", "new_status": "Publicar un nuevo estado",
"account_not_locked_warning": "Tu cuenta no está {0}. Cualquiera puede seguirte y leer las entradas para Solo-Seguidores.", "account_not_locked_warning": "Tu cuenta no está {0}. Cualquiera puede seguirte y leer las publicaciones para Solo-Seguidores.",
"account_not_locked_warning_link": "bloqueada", "account_not_locked_warning_link": "bloqueada",
"attachments_sensitive": "Contenido sensible", "attachments_sensitive": "Contenido sensible",
"content_type": { "content_type": {
@ -164,16 +171,17 @@
"unlisted": "Esta publicación no será visible en la Línea Temporal Pública ni en Toda La Red Conocida" "unlisted": "Esta publicación no será visible en la Línea Temporal Pública ni en Toda La Red Conocida"
}, },
"scope": { "scope": {
"direct": "Directo - Solo para los usuarios mencionados", "direct": "Directo - solo para los usuarios mencionados",
"private": "Solo-seguidores - Solo tus seguidores leerán la publicación", "private": "Solo-seguidores - solo tus seguidores leerán la publicación",
"public": "Público - Entradas visibles en las Líneas Temporales Públicas", "public": "Público - publicaciones visibles en las líneas temporales públicas",
"unlisted": "Sin listar - Entradas no visibles en las Líneas Temporales Públicas" "unlisted": "Sin listar -publicaciones no visibles en las líneas temporales públicas"
}, },
"media_description_error": "Error al actualizar el archivo, inténtalo de nuevo", "media_description_error": "Error al actualizar el archivo, inténtalo de nuevo",
"empty_status_error": "No se puede publicar un estado vacío y sin archivos adjuntos", "empty_status_error": "No se puede publicar un estado vacío y sin archivos adjuntos",
"preview_empty": "Vacío", "preview_empty": "Vacío",
"preview": "Vista previa", "preview": "Vista previa",
"media_description": "Descripción multimedia" "media_description": "Descripción multimedia",
"post": "Publicación"
}, },
"registration": { "registration": {
"bio": "Biografía", "bio": "Biografía",
@ -194,7 +202,10 @@
"password_required": "no puede estar vacío", "password_required": "no puede estar vacío",
"password_confirmation_required": "no puede estar vacío", "password_confirmation_required": "no puede estar vacío",
"password_confirmation_match": "la contraseña no coincide" "password_confirmation_match": "la contraseña no coincide"
} },
"reason_placeholder": "Los registros de esta instancia son aprobados manualmente.\nComéntanos por qué quieres registrarte aquí.",
"reason": "Razón para registrarse",
"register": "Registrarse"
}, },
"selectable_list": { "selectable_list": {
"select_all": "Seleccionar todo" "select_all": "Seleccionar todo"
@ -227,7 +238,7 @@
"attachmentRadius": "Adjuntos", "attachmentRadius": "Adjuntos",
"attachments": "Adjuntos", "attachments": "Adjuntos",
"avatar": "Avatar", "avatar": "Avatar",
"avatarAltRadius": "Avatares (Notificaciones)", "avatarAltRadius": "Avatares (notificaciones)",
"avatarRadius": "Avatares", "avatarRadius": "Avatares",
"background": "Fondo", "background": "Fondo",
"bio": "Biografía", "bio": "Biografía",
@ -245,19 +256,19 @@
"change_password": "Cambiar contraseña", "change_password": "Cambiar contraseña",
"change_password_error": "Hubo un problema cambiando la contraseña.", "change_password_error": "Hubo un problema cambiando la contraseña.",
"changed_password": "¡Contraseña cambiada correctamente!", "changed_password": "¡Contraseña cambiada correctamente!",
"collapse_subject": "Colapsar entradas con tema", "collapse_subject": "Colapsar publicaciones con tema",
"composing": "Redactando", "composing": "Redactando",
"confirm_new_password": "Confirmar la nueva contraseña", "confirm_new_password": "Confirmar la nueva contraseña",
"current_avatar": "Tu avatar actual", "current_avatar": "Tu avatar actual",
"current_password": "Contraseña actual", "current_password": "Contraseña actual",
"current_profile_banner": "Tu cabecera actual", "current_profile_banner": "Tu cabecera actual",
"data_import_export_tab": "Importar / Exportar Datos", "data_import_export_tab": "Importar / Exportar datos",
"default_vis": "Alcance de visibilidad por defecto", "default_vis": "Alcance de visibilidad por defecto",
"delete_account": "Eliminar la cuenta", "delete_account": "Eliminar la cuenta",
"discoverable": "Permitir la aparición de esta cuenta en los resultados de búsqueda y otros servicios", "discoverable": "Permitir la aparición de esta cuenta en los resultados de búsqueda y otros servicios",
"delete_account_description": "Eliminar para siempre los datos y desactivar la cuenta.", "delete_account_description": "Eliminar para siempre los datos y desactivar la cuenta.",
"pad_emoji": "Rellenar con espacios al agregar emojis desde el selector", "pad_emoji": "Rellenar con espacios al agregar emojis desde el selector",
"delete_account_error": "Hubo un error al eliminar tu cuenta. Si el fallo persiste, ponte en contacto con el administrador de tu instancia.", "delete_account_error": "Hubo un error al eliminar tu cuenta. Si el fallo persiste, ponte en contacto con el/la administrador/a de tu instancia.",
"delete_account_instructions": "Escribe tu contraseña para confirmar la eliminación de tu cuenta.", "delete_account_instructions": "Escribe tu contraseña para confirmar la eliminación de tu cuenta.",
"avatar_size_instruction": "El tamaño mínimo recomendado para el avatar es de 150X150 píxeles.", "avatar_size_instruction": "El tamaño mínimo recomendado para el avatar es de 150X150 píxeles.",
"export_theme": "Exportar tema", "export_theme": "Exportar tema",
@ -277,7 +288,7 @@
"hide_isp": "Ocultar el panel específico de la instancia", "hide_isp": "Ocultar el panel específico de la instancia",
"preload_images": "Precargar las imágenes", "preload_images": "Precargar las imágenes",
"use_one_click_nsfw": "Abrir los adjuntos NSFW con un solo click", "use_one_click_nsfw": "Abrir los adjuntos NSFW con un solo click",
"hide_post_stats": "Ocultar las estadísticas de las entradas (p.ej. el número de favoritos)", "hide_post_stats": "Ocultar las estadísticas de las publicaciones (p.ej. el número de favoritos)",
"hide_user_stats": "Ocultar las estadísticas del usuario (p.ej. el número de seguidores)", "hide_user_stats": "Ocultar las estadísticas del usuario (p.ej. el número de seguidores)",
"hide_filtered_statuses": "Ocultar estados filtrados", "hide_filtered_statuses": "Ocultar estados filtrados",
"import_blocks_from_a_csv_file": "Importar lista de usuarios bloqueados dese un archivo csv", "import_blocks_from_a_csv_file": "Importar lista de usuarios bloqueados dese un archivo csv",
@ -299,22 +310,22 @@
"play_videos_in_modal": "Reproducir los vídeos en un marco emergente", "play_videos_in_modal": "Reproducir los vídeos en un marco emergente",
"use_contain_fit": "No recortar los adjuntos en miniaturas", "use_contain_fit": "No recortar los adjuntos en miniaturas",
"name": "Nombre", "name": "Nombre",
"name_bio": "Nombre y Biografía", "name_bio": "Nombre y biografía",
"new_password": "Nueva contraseña", "new_password": "Nueva contraseña",
"notification_visibility": "Tipos de notificaciones a mostrar", "notification_visibility": "Tipos de notificaciones a mostrar",
"notification_visibility_follows": "Nuevos seguidores", "notification_visibility_follows": "Nuevos seguidores",
"notification_visibility_likes": "Me gustan (Likes)", "notification_visibility_likes": "Favoritos",
"notification_visibility_mentions": "Menciones", "notification_visibility_mentions": "Menciones",
"notification_visibility_repeats": "Repeticiones (Repeats)", "notification_visibility_repeats": "Repeticiones (Repeats)",
"no_rich_text_description": "Eliminar el formato de texto enriquecido de todas las entradas", "no_rich_text_description": "Eliminar el formato de texto enriquecido de todas las publicaciones",
"no_blocks": "No hay usuarios bloqueados", "no_blocks": "No hay usuarios bloqueados",
"no_mutes": "No hay usuarios silenciados", "no_mutes": "No hay usuarios silenciados",
"hide_follows_description": "No mostrar a quién sigo", "hide_follows_description": "No mostrar a quién sigo",
"hide_followers_description": "No mostrar quién me sigue", "hide_followers_description": "No mostrar quién me sigue",
"hide_follows_count_description": "No mostrar el número de cuentas que sigo", "hide_follows_count_description": "No mostrar el número de cuentas que sigo",
"hide_followers_count_description": "No mostrar el número de cuentas que me siguen", "hide_followers_count_description": "No mostrar el número de cuentas que me siguen",
"show_admin_badge": "Mostrar la insignia de Administrador en mi perfil", "show_admin_badge": "Mostrar la insignia de \"Administrador/a\" en mi perfil",
"show_moderator_badge": "Mostrar la insignia de Moderador en mi perfil", "show_moderator_badge": "Mostrar la insignia de \"Moderador/a\" en mi perfil",
"nsfw_clickthrough": "Habilitar la ocultación de la imagen de vista previa del enlace y el adjunto para los estados NSFW por defecto", "nsfw_clickthrough": "Habilitar la ocultación de la imagen de vista previa del enlace y el adjunto para los estados NSFW por defecto",
"oauth_tokens": "Tokens de OAuth", "oauth_tokens": "Tokens de OAuth",
"token": "Token", "token": "Token",
@ -324,8 +335,8 @@
"panelRadius": "Paneles", "panelRadius": "Paneles",
"pause_on_unfocused": "Parar la transmisión cuando no estés en foco", "pause_on_unfocused": "Parar la transmisión cuando no estés en foco",
"presets": "Por defecto", "presets": "Por defecto",
"profile_background": "Fondo del Perfil", "profile_background": "Imagen de fondo del perfil",
"profile_banner": "Cabecera del Perfil", "profile_banner": "Imagen de cabecera del perfil",
"profile_tab": "Perfil", "profile_tab": "Perfil",
"radii_help": "Establezca el redondeo de las esquinas de la interfaz (en píxeles)", "radii_help": "Establezca el redondeo de las esquinas de la interfaz (en píxeles)",
"replies_in_timeline": "Réplicas en la línea temporal", "replies_in_timeline": "Réplicas en la línea temporal",
@ -356,7 +367,7 @@
"theme": "Tema", "theme": "Tema",
"theme_help": "Use códigos de color hexadecimales (#rrggbb) para personalizar su tema de colores.", "theme_help": "Use códigos de color hexadecimales (#rrggbb) para personalizar su tema de colores.",
"theme_help_v2_1": "También puede invalidar los colores y la opacidad de ciertos componentes si activa la casilla de verificación. Use el botón \"Borrar todo\" para deshacer los cambios.", "theme_help_v2_1": "También puede invalidar los colores y la opacidad de ciertos componentes si activa la casilla de verificación. Use el botón \"Borrar todo\" para deshacer los cambios.",
"theme_help_v2_2": "Los iconos debajo de algunas entradas son indicadores de contraste de fondo/texto, desplace el ratón por encima para obtener información más detallada. Tenga en cuenta que cuando se utilizan indicadores de contraste de transparencia se muestra el peor caso posible.", "theme_help_v2_2": "Los iconos debajo de algunas publicaciones son indicadores de contraste de fondo/texto, desplace el ratón por encima para obtener información más detallada. Tenga en cuenta que cuando se utilizan indicadores de contraste de transparencia se muestra el peor caso posible.",
"tooltipRadius": "Información/alertas", "tooltipRadius": "Información/alertas",
"upload_a_photo": "Subir una foto", "upload_a_photo": "Subir una foto",
"user_settings": "Ajustes del Usuario", "user_settings": "Ajustes del Usuario",
@ -476,7 +487,7 @@
"panelHeader": "Cabecera del panel", "panelHeader": "Cabecera del panel",
"topBar": "Barra superior", "topBar": "Barra superior",
"avatar": "Avatar del usuario (en la vista del perfil)", "avatar": "Avatar del usuario (en la vista del perfil)",
"avatarStatus": "Avatar del usuario (en la vista de la entrada)", "avatarStatus": "Avatar del usuario (en la vista de la publicación)",
"popup": "Ventanas y textos emergentes (popups & tooltips)", "popup": "Ventanas y textos emergentes (popups & tooltips)",
"button": "Botones", "button": "Botones",
"buttonHover": "Botón (encima)", "buttonHover": "Botón (encima)",
@ -517,8 +528,8 @@
}, },
"version": { "version": {
"title": "Versión", "title": "Versión",
"backend_version": "Versión del Backend", "backend_version": "Versión del backend",
"frontend_version": "Versión del Frontend" "frontend_version": "Versión del frontend"
}, },
"notification_visibility_moves": "Usuario Migrado", "notification_visibility_moves": "Usuario Migrado",
"greentext": "Texto verde (meme arrows)", "greentext": "Texto verde (meme arrows)",
@ -529,7 +540,7 @@
"fun": "Divertido", "fun": "Divertido",
"type_domains_to_mute": "Buscar dominios para silenciar", "type_domains_to_mute": "Buscar dominios para silenciar",
"useStreamingApiWarning": "(no recomendado, experimental, puede omitir publicaciones)", "useStreamingApiWarning": "(no recomendado, experimental, puede omitir publicaciones)",
"useStreamingApi": "Recibir entradas y notificaciones en tiempo real", "useStreamingApi": "Recibir publicaciones y notificaciones en tiempo real",
"user_mutes": "Usuarios", "user_mutes": "Usuarios",
"reset_profile_background": "Restablecer el fondo de pantalla", "reset_profile_background": "Restablecer el fondo de pantalla",
"reset_background_confirm": "¿Estás seguro de restablecer el fondo de pantalla?", "reset_background_confirm": "¿Estás seguro de restablecer el fondo de pantalla?",
@ -563,7 +574,24 @@
"mute_export_button": "Exportar los silenciados a un archivo csv", "mute_export_button": "Exportar los silenciados a un archivo csv",
"mute_export": "Exportar silenciados", "mute_export": "Exportar silenciados",
"hide_wallpaper": "Ocultar el fondo de pantalla de la instancia", "hide_wallpaper": "Ocultar el fondo de pantalla de la instancia",
"setting_changed": "La configuración es diferente a la predeterminada" "setting_changed": "La configuración es diferente a la predeterminada",
"hide_all_muted_posts": "Ocultar las publicaciones silenciadas",
"more_settings": "Más opciones",
"sensitive_by_default": "Identificar las publicaciones como sensibles de forma predeterminada",
"reply_visibility_self_short": "Mostrar respuestas solo a uno mismo",
"reply_visibility_following_short": "Mostrar las réplicas a mis seguidores",
"hide_media_previews": "Ocultar la vista previa multimedia",
"word_filter": "Filtro de palabras",
"save": "Guardar los cambios",
"file_export_import": {
"errors": {
"invalid_file": "El archivo seleccionado no es válido como copia de seguridad de Pleroma. No se han realizado cambios."
},
"restore_settings": "Restaurar ajustes desde archivo",
"backup_settings_theme": "Copia de seguridad de la configuración y tema a archivo",
"backup_settings": "Copia de seguridad de la configuración a archivo",
"backup_restore": "Copia de seguridad de la configuración"
}
}, },
"time": { "time": {
"day": "{0} día", "day": "{0} día",
@ -611,7 +639,9 @@
"no_more_statuses": "No hay más estados", "no_more_statuses": "No hay más estados",
"no_statuses": "Sin estados", "no_statuses": "Sin estados",
"reload": "Recargar", "reload": "Recargar",
"error": "Error obteniendo la linea de tiempo:{0}" "error": "Error obteniendo la linea de tiempo:{0}",
"socket_broke": "Conexión en timpo real perdida: código del motivo {0}",
"socket_reconnected": "Establecida la conexión en tiempo real"
}, },
"status": { "status": {
"favorites": "Favoritos", "favorites": "Favoritos",
@ -635,7 +665,7 @@
"status_unavailable": "Estado no disponible", "status_unavailable": "Estado no disponible",
"bookmark": "Marcar", "bookmark": "Marcar",
"unbookmark": "Desmarcar", "unbookmark": "Desmarcar",
"status_deleted": "Esta entrada ha sido eliminada", "status_deleted": "Esta publicación ha sido eliminada",
"nsfw": "NSFW (No apropiado para el trabajo)", "nsfw": "NSFW (No apropiado para el trabajo)",
"expand": "Expandir", "expand": "Expandir",
"external_source": "Fuente externa" "external_source": "Fuente externa"
@ -674,10 +704,10 @@
"mute_progress": "Silenciando…", "mute_progress": "Silenciando…",
"admin_menu": { "admin_menu": {
"moderation": "Moderación", "moderation": "Moderación",
"grant_admin": "Conceder permisos de Administrador", "grant_admin": "Conceder permisos de Administrador/a",
"revoke_admin": "Revocar permisos de Administrador", "revoke_admin": "Revocar permisos de Administrador/a",
"grant_moderator": "Conceder permisos de Moderador", "grant_moderator": "Conceder permisos de Moderador/a",
"revoke_moderator": "Revocar permisos de Moderador", "revoke_moderator": "Revocar permisos de Moderador/a",
"activate_account": "Activar cuenta", "activate_account": "Activar cuenta",
"deactivate_account": "Desactivar cuenta", "deactivate_account": "Desactivar cuenta",
"delete_account": "Eliminar cuenta", "delete_account": "Eliminar cuenta",
@ -698,16 +728,23 @@
"roles": { "roles": {
"moderator": "Moderador", "moderator": "Moderador",
"admin": "Administrador" "admin": "Administrador"
} },
"highlight": {
"striped": "Fondo rayado",
"side": "Raya lateral",
"solid": "Fondo sólido",
"disabled": "Sin resaltado"
},
"bot": "Bot"
}, },
"user_profile": { "user_profile": {
"timeline_title": "Linea Temporal del Usuario", "timeline_title": "Línea temporal del usuario",
"profile_does_not_exist": "Lo sentimos, este perfil no existe.", "profile_does_not_exist": "Lo sentimos, este perfil no existe.",
"profile_loading_error": "Lo sentimos, hubo un error al cargar este perfil." "profile_loading_error": "Lo sentimos, hubo un error al cargar este perfil."
}, },
"user_reporting": { "user_reporting": {
"title": "Reportando a {0}", "title": "Reportando a {0}",
"add_comment_description": "El informe será enviado a los moderadores de su instancia. Puedes proporcionar una explicación de por qué estás reportando esta cuenta a continuación:", "add_comment_description": "El informe será enviado a los/las moderadores/as de su instancia. Puedes proporcionar una explicación de por qué estás reportando esta cuenta a continuación:",
"additional_comments": "Comentarios adicionales", "additional_comments": "Comentarios adicionales",
"forward_description": "La cuenta es de otro servidor. ¿Enviar una copia del informe allí también?", "forward_description": "La cuenta es de otro servidor. ¿Enviar una copia del informe allí también?",
"forward_to": "Reenviar a {0}", "forward_to": "Reenviar a {0}",
@ -719,7 +756,7 @@
"who_to_follow": "A quién seguir" "who_to_follow": "A quién seguir"
}, },
"tool_tip": { "tool_tip": {
"media_upload": "Subir Medios", "media_upload": "Subir multimedia",
"repeat": "Repetir", "repeat": "Repetir",
"reply": "Contestar", "reply": "Contestar",
"favorite": "Favorito", "favorite": "Favorito",
@ -777,12 +814,12 @@
"simple": { "simple": {
"accept_desc": "Esta instancia solo acepta mensajes de las siguientes instancias:", "accept_desc": "Esta instancia solo acepta mensajes de las siguientes instancias:",
"media_nsfw_desc": "Esta instancia obliga a que los archivos multimedia se establezcan como sensibles en las publicaciones de las siguientes instancias:", "media_nsfw_desc": "Esta instancia obliga a que los archivos multimedia se establezcan como sensibles en las publicaciones de las siguientes instancias:",
"media_nsfw": "Forzar Multimedia Como Sensible", "media_nsfw": "Forzar contenido multimedia como sensible",
"media_removal_desc": "Esta instancia elimina los archivos multimedia de las publicaciones de las siguientes instancias:", "media_removal_desc": "Esta instancia elimina los archivos multimedia de las publicaciones de las siguientes instancias:",
"media_removal": "Eliminar Multimedia", "media_removal": "Eliminar Multimedia",
"quarantine": "Cuarentena", "quarantine": "Cuarentena",
"ftl_removal_desc": "Esta instancia elimina las siguientes instancias de la línea de tiempo \"Toda la red conocida\":", "ftl_removal_desc": "Esta instancia elimina las siguientes instancias de la línea de tiempo \"Red Conocida\":",
"ftl_removal": "Eliminar de la línea de tiempo \"Toda La Red Conocida\"", "ftl_removal": "Eliminar de la línea de tiempo \"Red Conocida\"",
"quarantine_desc": "Esta instancia enviará solo publicaciones públicas a las siguientes instancias:", "quarantine_desc": "Esta instancia enviará solo publicaciones públicas a las siguientes instancias:",
"simple_policies": "Políticas específicas de la instancia", "simple_policies": "Políticas específicas de la instancia",
"reject_desc": "Esta instancia no aceptará mensajes de las siguientes instancias:", "reject_desc": "Esta instancia no aceptará mensajes de las siguientes instancias:",

View file

@ -14,7 +14,8 @@
"text_limit": "Testu limitea", "text_limit": "Testu limitea",
"title": "Ezaugarriak", "title": "Ezaugarriak",
"who_to_follow": "Nori jarraitu", "who_to_follow": "Nori jarraitu",
"pleroma_chat_messages": "Pleroma Txata" "pleroma_chat_messages": "Pleroma Txata",
"upload_limit": "Kargatzeko muga"
}, },
"finder": { "finder": {
"error_fetching_user": "Errorea erabiltzailea eskuratzen", "error_fetching_user": "Errorea erabiltzailea eskuratzen",
@ -38,7 +39,11 @@
"dismiss": "Baztertu", "dismiss": "Baztertu",
"retry": "Saiatu berriro", "retry": "Saiatu berriro",
"error_retry": "Saiatu berriro mesedez", "error_retry": "Saiatu berriro mesedez",
"loading": "Kargatzen…" "loading": "Kargatzen…",
"role": {
"moderator": "Moderatzailea",
"admin": "Administratzailea"
}
}, },
"image_cropper": { "image_cropper": {
"crop_picture": "Moztu argazkia", "crop_picture": "Moztu argazkia",
@ -81,8 +86,8 @@
"friend_requests": "Jarraitzeko eskaerak", "friend_requests": "Jarraitzeko eskaerak",
"mentions": "Aipamenak", "mentions": "Aipamenak",
"interactions": "Interakzioak", "interactions": "Interakzioak",
"dms": "Zuzeneko Mezuak", "dms": "Zuzeneko mezuak",
"public_tl": "Denbora-lerro Publikoa", "public_tl": "Denbora-lerro publikoa",
"timeline": "Denbora-lerroa", "timeline": "Denbora-lerroa",
"twkn": "Ezagutzen den Sarea", "twkn": "Ezagutzen den Sarea",
"user_search": "Erabiltzailea Bilatu", "user_search": "Erabiltzailea Bilatu",
@ -104,7 +109,8 @@
"no_more_notifications": "Ez dago jakinarazpen gehiago", "no_more_notifications": "Ez dago jakinarazpen gehiago",
"reacted_with": "{0}kin erreakzionatu zuen", "reacted_with": "{0}kin erreakzionatu zuen",
"migrated_to": "hona migratua:", "migrated_to": "hona migratua:",
"follow_request": "jarraitu nahi zaitu" "follow_request": "jarraitu nahi zaitu",
"error": "Errorea jakinarazpenak eskuratzean: {0}"
}, },
"polls": { "polls": {
"add_poll": "Inkesta gehitu", "add_poll": "Inkesta gehitu",
@ -118,7 +124,9 @@
"expiry": "Inkestaren iraupena", "expiry": "Inkestaren iraupena",
"expires_in": "Inkesta {0} bukatzen da", "expires_in": "Inkesta {0} bukatzen da",
"expired": "Inkesta {0} bukatu zen", "expired": "Inkesta {0} bukatu zen",
"not_enough_options": "Aukera gutxiegi inkestan" "not_enough_options": "Aukera gutxiegi inkestan",
"votes_count": "{count} boto| {count} boto",
"people_voted_count": "Pertsona batek bozkatu du | {count} pertsonak bozkatu dute"
}, },
"emoji": { "emoji": {
"stickers": "Pegatinak", "stickers": "Pegatinak",
@ -160,9 +168,9 @@
"unlisted": "Mezu hau ez da argitaratuko Denbora-lerro Publikoan ezta Ezagutzen den Sarean" "unlisted": "Mezu hau ez da argitaratuko Denbora-lerro Publikoan ezta Ezagutzen den Sarean"
}, },
"scope": { "scope": {
"direct": "Zuzena: Bidali aipatutako erabiltzaileei besterik ez", "direct": "Zuzena: bidali aipatutako erabiltzaileei besterik ez",
"private": "Jarraitzaileentzako bakarrik: Bidali jarraitzaileentzat bakarrik", "private": "Jarraitzaileentzako bakarrik: bidali jarraitzaileentzat bakarrik",
"public": "Publikoa: Bistaratu denbora-lerro publikoetan", "public": "Publikoa: bistaratu denbora-lerro publikoetan",
"unlisted": "Zerrendatu gabea: ez bidali denbora-lerro publikoetara" "unlisted": "Zerrendatu gabea: ez bidali denbora-lerro publikoetara"
} }
}, },
@ -218,7 +226,7 @@
"attachmentRadius": "Eranskinak", "attachmentRadius": "Eranskinak",
"attachments": "Eranskinak", "attachments": "Eranskinak",
"avatar": "Avatarra", "avatar": "Avatarra",
"avatarAltRadius": "Avatarra (Aipamenak)", "avatarAltRadius": "Abatarra (aipamenak)",
"avatarRadius": "Avatarrak", "avatarRadius": "Avatarrak",
"background": "Atzeko planoa", "background": "Atzeko planoa",
"bio": "Biografia", "bio": "Biografia",
@ -242,7 +250,7 @@
"current_avatar": "Zure uneko avatarra", "current_avatar": "Zure uneko avatarra",
"current_password": "Indarrean dagoen pasahitza", "current_password": "Indarrean dagoen pasahitza",
"current_profile_banner": "Zure profilaren banner-a", "current_profile_banner": "Zure profilaren banner-a",
"data_import_export_tab": "Datuak Inportatu / Esportatu", "data_import_export_tab": "Datuak inportatu / esportatu",
"default_vis": "Lehenetsitako ikusgaitasunak", "default_vis": "Lehenetsitako ikusgaitasunak",
"delete_account": "Ezabatu kontua", "delete_account": "Ezabatu kontua",
"discoverable": "Baimendu zure kontua kanpo bilaketa-emaitzetan eta bestelako zerbitzuetan agertzea", "discoverable": "Baimendu zure kontua kanpo bilaketa-emaitzetan eta bestelako zerbitzuetan agertzea",
@ -304,19 +312,19 @@
"hide_followers_description": "Ez erakutsi nor ari den ni jarraitzen", "hide_followers_description": "Ez erakutsi nor ari den ni jarraitzen",
"hide_follows_count_description": "Ez erakutsi jarraitzen ari naizen kontuen kopurua", "hide_follows_count_description": "Ez erakutsi jarraitzen ari naizen kontuen kopurua",
"hide_followers_count_description": "Ez erakutsi nire jarraitzaileen kontuen kopurua", "hide_followers_count_description": "Ez erakutsi nire jarraitzaileen kontuen kopurua",
"show_admin_badge": "Erakutsi Administratzaile etiketa nire profilan", "show_admin_badge": "Erakutsi \"Administratzaile\" etiketa nire profilan",
"show_moderator_badge": "Erakutsi Moderatzaile etiketa nire profilan", "show_moderator_badge": "Erakutsi \"Moderatzaile\" etiketa nire profilan",
"nsfw_clickthrough": "Gaitu klika hunkigarri eranskinak ezkutatzeko", "nsfw_clickthrough": "Gaitu klika hunkigarri eranskinak ezkutatzeko",
"oauth_tokens": "OAuth tokenak", "oauth_tokens": "OAuth tokenak",
"token": "Tokena", "token": "Tokena",
"refresh_token": "Berrgin Tokena", "refresh_token": "Berrgin tokena",
"valid_until": "Baliozkoa Arte", "valid_until": "Baliozkoa arte",
"revoke_token": "Ezeztatu", "revoke_token": "Ezeztatu",
"panelRadius": "Panelak", "panelRadius": "Panelak",
"pause_on_unfocused": "Eguneraketa automatikoa gelditu fitxatik kanpo", "pause_on_unfocused": "Eguneraketa automatikoa gelditu fitxatik kanpo",
"presets": "Aurrezarpenak", "presets": "Aurrezarpenak",
"profile_background": "Profilaren atzeko planoa", "profile_background": "Profilaren atzeko planoa",
"profile_banner": "Profilaren Banner-a", "profile_banner": "Profilaren banner-a",
"profile_tab": "Profila", "profile_tab": "Profila",
"radii_help": "Konfiguratu interfazearen ertzen biribiltzea (pixeletan)", "radii_help": "Konfiguratu interfazearen ertzen biribiltzea (pixeletan)",
"replies_in_timeline": "Denbora-lerroko erantzunak", "replies_in_timeline": "Denbora-lerroko erantzunak",
@ -470,8 +478,8 @@
}, },
"version": { "version": {
"title": "Bertsioa", "title": "Bertsioa",
"backend_version": "Backend Bertsioa", "backend_version": "Backend bertsioa",
"frontend_version": "Frontend Bertsioa" "frontend_version": "Frontend bertsioa"
} }
}, },
"time": { "time": {
@ -657,7 +665,7 @@
"federation": "Federazioa", "federation": "Federazioa",
"simple": { "simple": {
"media_nsfw_desc": "Instantzia honek hurrengo instantzien multimediak sentikorrak izatera behartzen ditu:", "media_nsfw_desc": "Instantzia honek hurrengo instantzien multimediak sentikorrak izatera behartzen ditu:",
"media_nsfw": "Behartu Multimedia Sentikor", "media_nsfw": "Behartu multimedia sentikor moduan",
"media_removal_desc": "Instantzia honek atxikitutako multimedia hurrengo instantzietatik ezabatzen ditu:", "media_removal_desc": "Instantzia honek atxikitutako multimedia hurrengo instantzietatik ezabatzen ditu:",
"media_removal": "Multimedia Ezabatu", "media_removal": "Multimedia Ezabatu",
"ftl_removal_desc": "Instantzia honek hurrengo instantziak ezabatzen ditu \"Ezagutzen den Sarea\" denbora-lerrotik:", "ftl_removal_desc": "Instantzia honek hurrengo instantziak ezabatzen ditu \"Ezagutzen den Sarea\" denbora-lerrotik:",

View file

@ -9,16 +9,17 @@
"features_panel": { "features_panel": {
"chat": "Chat", "chat": "Chat",
"gopher": "Gopher", "gopher": "Gopher",
"media_proxy": "Proxy média", "media_proxy": "Proxy pièce-jointes",
"scope_options": "Options de visibilité", "scope_options": "Options de visibilité",
"text_limit": "Limite de texte", "text_limit": "Limite du texte",
"title": "Caractéristiques", "title": "Fonctionnalités",
"who_to_follow": "Personnes à suivre", "who_to_follow": "Suggestions de suivis",
"pleroma_chat_messages": "Chat Pleroma" "pleroma_chat_messages": "Chat Pleroma",
"upload_limit": "Limite de téléversement"
}, },
"finder": { "finder": {
"error_fetching_user": "Erreur lors de la recherche de l'utilisateur·ice", "error_fetching_user": "Erreur lors de la recherche du compte",
"find_user": "Chercher un-e utilisateur·ice" "find_user": "Rechercher un compte"
}, },
"general": { "general": {
"apply": "Appliquer", "apply": "Appliquer",
@ -26,19 +27,23 @@
"more": "Plus", "more": "Plus",
"generic_error": "Une erreur s'est produite", "generic_error": "Une erreur s'est produite",
"optional": "optionnel", "optional": "optionnel",
"show_more": "Montrer plus", "show_more": "Afficher plus",
"show_less": "Montrer moins", "show_less": "Afficher moins",
"cancel": "Annuler", "cancel": "Annuler",
"disable": "Désactiver", "disable": "Désactiver",
"enable": "Activer", "enable": "Activer",
"confirm": "Confirmer", "confirm": "Confirmer",
"verify": "Vérifier", "verify": "Vérifier",
"dismiss": "Rejeter", "dismiss": "Ignorer",
"peek": "Jeter un coup d'œil", "peek": "Jeter un coup d'œil",
"close": "Fermer", "close": "Fermer",
"retry": "Réessayez", "retry": "Réessayez",
"error_retry": "Veuillez réessayer", "error_retry": "Veuillez réessayer",
"loading": "Chargement…" "loading": "Chargement…",
"role": {
"moderator": "Modo'",
"admin": "Admin"
}
}, },
"image_cropper": { "image_cropper": {
"crop_picture": "Rogner l'image", "crop_picture": "Rogner l'image",
@ -47,7 +52,7 @@
"cancel": "Annuler" "cancel": "Annuler"
}, },
"importer": { "importer": {
"submit": "Soumettre", "submit": "Envoyer",
"success": "Importé avec succès.", "success": "Importé avec succès.",
"error": "Une erreur est survenue pendant l'import de ce fichier." "error": "Une erreur est survenue pendant l'import de ce fichier."
}, },
@ -56,17 +61,17 @@
"description": "Connexion avec OAuth", "description": "Connexion avec OAuth",
"logout": "Déconnexion", "logout": "Déconnexion",
"password": "Mot de passe", "password": "Mot de passe",
"placeholder": "p.e. lain", "placeholder": "ex. lain",
"register": "S'inscrire", "register": "S'inscrire",
"username": "Identifiant", "username": "Identifiant",
"hint": "Connectez-vous pour rejoindre la discussion", "hint": "Connectez-vous pour rejoindre la discussion",
"authentication_code": "Code d'authentification", "authentication_code": "Code d'authentification",
"enter_recovery_code": "Entrez un code de récupération", "enter_recovery_code": "Entrez un code de récupération",
"enter_two_factor_code": "Entrez un code à double authentification", "enter_two_factor_code": "Entrez un code double-facteur",
"recovery_code": "Code de récupération", "recovery_code": "Code de récupération",
"heading": { "heading": {
"totp": "Authentification à double authentification", "totp": "Authentification à double-facteur",
"recovery": "Récuperation de la double authentification" "recovery": "Récupération de l'authentification à double-facteur"
} }
}, },
"media_modal": { "media_modal": {
@ -78,24 +83,26 @@
"back": "Retour", "back": "Retour",
"chat": "Chat local", "chat": "Chat local",
"friend_requests": "Demandes de suivi", "friend_requests": "Demandes de suivi",
"mentions": "Notifications", "mentions": "Mentions",
"interactions": "Interactions", "interactions": "Interactions",
"dms": "Messages directs", "dms": "Messages directs",
"public_tl": "Fil d'actualité public", "public_tl": "Flux publique",
"timeline": "Fil d'actualité", "timeline": "Flux personnel",
"twkn": "Réseau connu", "twkn": "Réseau connu",
"user_search": "Recherche d'utilisateur·ice", "user_search": "Recherche de comptes",
"who_to_follow": "Qui suivre", "who_to_follow": "Suggestion de suivit",
"preferences": "Préférences", "preferences": "Préférences",
"search": "Recherche", "search": "Recherche",
"administration": "Administration", "administration": "Administration",
"chats": "Chats", "chats": "Chats",
"bookmarks": "Marques-Pages" "bookmarks": "Marques-Pages",
"timelines": "Flux",
"home_timeline": "Flux personnel"
}, },
"notifications": { "notifications": {
"broken_favorite": "Message inconnu, chargement…", "broken_favorite": "Message inconnu, recherche en cours…",
"favorited_you": "a aimé votre statut", "favorited_you": "a aimé votre statut",
"followed_you": "a commencé à vous suivre", "followed_you": "vous suit",
"load_older": "Charger les notifications précédentes", "load_older": "Charger les notifications précédentes",
"notifications": "Notifications", "notifications": "Notifications",
"read": "Lu !", "read": "Lu !",
@ -103,7 +110,8 @@
"no_more_notifications": "Aucune notification supplémentaire", "no_more_notifications": "Aucune notification supplémentaire",
"migrated_to": "a migré à", "migrated_to": "a migré à",
"reacted_with": "a réagi avec {0}", "reacted_with": "a réagi avec {0}",
"follow_request": "veut vous suivre" "follow_request": "veut vous suivre",
"error": "Erreur de chargement des notifications: {0}"
}, },
"interactions": { "interactions": {
"favs_repeats": "Partages et favoris", "favs_repeats": "Partages et favoris",
@ -115,7 +123,7 @@
"new_status": "Poster un nouveau statut", "new_status": "Poster un nouveau statut",
"account_not_locked_warning": "Votre compte n'est pas {0}. N'importe qui peut vous suivre pour voir vos billets en Abonné·e·s uniquement.", "account_not_locked_warning": "Votre compte n'est pas {0}. N'importe qui peut vous suivre pour voir vos billets en Abonné·e·s uniquement.",
"account_not_locked_warning_link": "verrouillé", "account_not_locked_warning_link": "verrouillé",
"attachments_sensitive": "Marquer le média comme sensible", "attachments_sensitive": "Marquer les pièce-jointes comme sensible",
"content_type": { "content_type": {
"text/plain": "Texte brut", "text/plain": "Texte brut",
"text/html": "HTML", "text/html": "HTML",
@ -130,32 +138,33 @@
"scope_notice": { "scope_notice": {
"public": "Ce statut sera visible par tout le monde", "public": "Ce statut sera visible par tout le monde",
"private": "Ce statut sera visible par seulement vos abonné⋅e⋅s", "private": "Ce statut sera visible par seulement vos abonné⋅e⋅s",
"unlisted": "Ce statut ne sera pas visible dans le Fil d'actualité public et l'Ensemble du réseau connu" "unlisted": "Ce statut ne sera pas visible dans le Flux Public et le Flux Fédéré"
}, },
"scope": { "scope": {
"direct": "Direct - N'envoyer qu'aux personnes mentionnées", "direct": "Direct - N'envoyer qu'aux personnes mentionnées",
"private": "Abonné·e·s uniquement - Seul·e·s vos abonné·e·s verront vos billets", "private": "Abonné·e·s uniquement - Seul·e·s vos abonné·e·s verront vos status",
"public": "Publique - Afficher dans les fils publics", "public": "Publique - Afficher dans les flux publics",
"unlisted": "Non-Listé - Ne pas afficher dans les fils publics" "unlisted": "Non-Listé - Ne pas afficher dans les flux publics"
}, },
"media_description_error": "Échec de téléversement du media, essayez encore", "media_description_error": "Échec de téléversement du media, essayez encore",
"empty_status_error": "Impossible de poster un statut vide sans attachements", "empty_status_error": "Impossible de poster un statut vide sans pièces-jointes",
"preview_empty": "Vide", "preview_empty": "Vide",
"preview": "Prévisualisation", "preview": "Prévisualisation",
"media_description": "Description de l'attachement" "media_description": "Description de la pièce-jointe",
"post": "Post"
}, },
"registration": { "registration": {
"bio": "Biographie", "bio": "Biographie",
"email": "Adresse mail", "email": "Courriel",
"fullname": "Pseudonyme", "fullname": "Pseudonyme",
"password_confirm": "Confirmation du mot de passe", "password_confirm": "Confirmation du mot de passe",
"registration": "Inscription", "registration": "Inscription",
"token": "Jeton d'invitation", "token": "Jeton d'invitation",
"captcha": "CAPTCHA", "captcha": "CAPTCHA",
"new_captcha": "Cliquez sur l'image pour avoir un nouveau captcha", "new_captcha": "Cliquez sur l'image pour avoir un nouveau captcha",
"username_placeholder": "p.e. lain", "username_placeholder": "ex. lain",
"fullname_placeholder": "p.e. Lain Iwakura", "fullname_placeholder": "ex. Lain Iwakura",
"bio_placeholder": "p.e.\nSalut, je suis Lain\nJe suis une héroïne d'animé qui vit dans une banlieue japonaise. Vous me connaissez peut-être du Wired.", "bio_placeholder": "ex.\nSalut, je suis Lain\nJe suis une héroïne d'animation qui vit dans une banlieue japonaise. Vous me connaissez peut-être du Wired.",
"validations": { "validations": {
"username_required": "ne peut pas être laissé vide", "username_required": "ne peut pas être laissé vide",
"fullname_required": "ne peut pas être laissé vide", "fullname_required": "ne peut pas être laissé vide",
@ -163,7 +172,10 @@
"password_required": "ne peut pas être laissé vide", "password_required": "ne peut pas être laissé vide",
"password_confirmation_required": "ne peut pas être laissé vide", "password_confirmation_required": "ne peut pas être laissé vide",
"password_confirmation_match": "doit être identique au mot de passe" "password_confirmation_match": "doit être identique au mot de passe"
} },
"reason_placeholder": "Cette instance modère les inscriptions manuellement.\nExpliquer ce qui motive votre inscription à l'administration.",
"reason": "Motivation d'inscription",
"register": "Enregistrer"
}, },
"selectable_list": { "selectable_list": {
"select_all": "Tout selectionner" "select_all": "Tout selectionner"
@ -177,20 +189,20 @@
"setup_otp": "Configurer OTP", "setup_otp": "Configurer OTP",
"wait_pre_setup_otp": "préconfiguration OTP", "wait_pre_setup_otp": "préconfiguration OTP",
"confirm_and_enable": "Confirmer & activer OTP", "confirm_and_enable": "Confirmer & activer OTP",
"title": "Double authentification", "title": "Authentification double-facteur",
"generate_new_recovery_codes": "Générer de nouveaux codes de récupération", "generate_new_recovery_codes": "Générer de nouveaux codes de récupération",
"warning_of_generate_new_codes": "Quand vous générez de nouveauc codes de récupération, vos anciens codes ne fonctionnerons plus.", "warning_of_generate_new_codes": "Quand vous générez de nouveaux codes de récupération, vos anciens codes ne fonctionnerons plus.",
"recovery_codes": "Codes de récupération.", "recovery_codes": "Codes de récupération.",
"waiting_a_recovery_codes": "Réception des codes de récupération…", "waiting_a_recovery_codes": "Réception des codes de récupération…",
"recovery_codes_warning": "Écrivez les codes ou sauvez les quelquepart sécurisé - sinon vous ne les verrez plus jamais. Si vous perdez l'accès à votre application de double authentification et codes de récupération vous serez vérouillé en dehors de votre compte.", "recovery_codes_warning": "Écrivez ces codes ou sauvegardez les dans un endroit sécurisé - sinon vous ne les verrez plus jamais. Si vous perdez l'accès à votre application de double authentification et codes de récupération vous serez verrouillé en dehors de votre compte.",
"authentication_methods": "Methodes d'authentification", "authentication_methods": "Méthodes d'authentification",
"scan": { "scan": {
"title": "Scanner", "title": "Scanner",
"desc": "En utilisant votre application de double authentification, scannez ce QR code ou entrez la clé textuelle :", "desc": "En utilisant votre application d'authentification à double-facteur, scannez ce QR code ou entrez la clé textuelle :",
"secret_code": "Clé" "secret_code": "Clé"
}, },
"verify": { "verify": {
"desc": "Pour activer la double authentification, entrez le code depuis votre application:" "desc": "Pour activer l'authentification à double-facteur, entrez le code donné par votre application :"
} }
}, },
"attachmentRadius": "Pièces jointes", "attachmentRadius": "Pièces jointes",
@ -201,10 +213,10 @@
"background": "Arrière-plan", "background": "Arrière-plan",
"bio": "Biographie", "bio": "Biographie",
"block_export": "Export des comptes bloqués", "block_export": "Export des comptes bloqués",
"block_export_button": "Export des comptes bloqués vers un fichier csv", "block_export_button": "Export des comptes bloqués vers un fichier CSV",
"block_import": "Import des comptes bloqués", "block_import": "Import des comptes bloqués",
"block_import_error": "Erreur lors de l'import des comptes bloqués", "block_import_error": "Erreur lors de l'import des comptes bloqués",
"blocks_imported": "Blocks importés! Le traitement va prendre un moment.", "blocks_imported": "Blocages importés! Le traitement va prendre un moment.",
"blocks_tab": "Bloqué·e·s", "blocks_tab": "Bloqué·e·s",
"btnRadius": "Boutons", "btnRadius": "Boutons",
"cBlue": "Bleu (répondre, suivre)", "cBlue": "Bleu (répondre, suivre)",
@ -224,31 +236,31 @@
"default_vis": "Visibilité par défaut", "default_vis": "Visibilité par défaut",
"delete_account": "Supprimer le compte", "delete_account": "Supprimer le compte",
"delete_account_description": "Supprimer définitivement vos données et désactiver votre compte.", "delete_account_description": "Supprimer définitivement vos données et désactiver votre compte.",
"delete_account_error": "Il y a eu un problème lors de la tentative de suppression de votre compte. Si le problème persiste, contactez l'administrateur⋅ice de cette instance.", "delete_account_error": "Il y a eu un problème lors de la tentative de suppression de votre compte. Si le problème persiste, contactez l'administration de cette instance.",
"delete_account_instructions": "Indiquez votre mot de passe ci-dessous pour confirmer la suppression de votre compte.", "delete_account_instructions": "Indiquez votre mot de passe ci-dessous pour confirmer la suppression de votre compte.",
"avatar_size_instruction": "La taille minimale recommandée pour l'image de l'avatar est de 150x150 pixels.", "avatar_size_instruction": "La taille minimale recommandée pour l'image de l'avatar est de 150x150 pixels.",
"export_theme": "Enregistrer le thème", "export_theme": "Enregistrer le thème",
"filtering": "Filtre", "filtering": "Filtrage",
"filtering_explanation": "Tous les statuts contenant ces mots seront masqués. Un mot par ligne", "filtering_explanation": "Tous les statuts contenant ces mots seront masqués. Un mot par ligne",
"follow_export": "Exporter les abonnements", "follow_export": "Exporter les suivis",
"follow_export_button": "Exporter les abonnements en csv", "follow_export_button": "Exporter les suivis dans un fichier CSV",
"follow_import": "Importer des abonnements", "follow_import": "Import des suivis",
"follow_import_error": "Erreur lors de l'importation des abonnements", "follow_import_error": "Erreur lors de l'importation des suivis",
"follows_imported": "Abonnements importés ! Le traitement peut prendre un moment.", "follows_imported": "Suivis importés ! Le traitement peut prendre un moment.",
"foreground": "Premier plan", "foreground": "Premier plan",
"general": "Général", "general": "Général",
"hide_attachments_in_convo": "Masquer les pièces jointes dans les conversations", "hide_attachments_in_convo": "Masquer les pièces jointes dans les conversations",
"hide_attachments_in_tl": "Masquer les pièces jointes dans le journal", "hide_attachments_in_tl": "Masquer les pièces jointes dans le flux",
"hide_muted_posts": "Masquer les statuts des utilisateurs masqués", "hide_muted_posts": "Masquer les statuts des comptes masqués",
"max_thumbnails": "Nombre maximum de miniatures par statuts", "max_thumbnails": "Nombre maximum de miniatures par statuts",
"hide_isp": "Masquer le panneau spécifique a l'instance", "hide_isp": "Masquer le panneau de l'instance",
"preload_images": "Précharger les images", "preload_images": "Précharger les images",
"use_one_click_nsfw": "Ouvrir les pièces-jointes NSFW avec un seul clic", "use_one_click_nsfw": "Ouvrir les pièces-jointes sensibles avec un seul clic",
"hide_post_stats": "Masquer les statistiques de publication (le nombre de favoris)", "hide_post_stats": "Masquer les statistiques des messages (ex. le nombre de favoris)",
"hide_user_stats": "Masquer les statistiques de profil (le nombre d'amis)", "hide_user_stats": "Masquer les statistiques de compte (ex. le nombre de suivis)",
"hide_filtered_statuses": "Masquer les statuts filtrés", "hide_filtered_statuses": "Masquer les statuts filtrés",
"import_blocks_from_a_csv_file": "Importer les blocages depuis un fichier csv", "import_blocks_from_a_csv_file": "Import de blocages depuis un fichier CSV",
"import_followers_from_a_csv_file": "Importer des abonnements depuis un fichier csv", "import_followers_from_a_csv_file": "Import de suivis depuis un fichier CSV",
"import_theme": "Charger le thème", "import_theme": "Charger le thème",
"inputRadius": "Champs de texte", "inputRadius": "Champs de texte",
"checkboxRadius": "Cases à cocher", "checkboxRadius": "Cases à cocher",
@ -269,7 +281,7 @@
"name_bio": "Nom & Bio", "name_bio": "Nom & Bio",
"new_password": "Nouveau mot de passe", "new_password": "Nouveau mot de passe",
"notification_visibility": "Types de notifications à afficher", "notification_visibility": "Types de notifications à afficher",
"notification_visibility_follows": "Abonnements", "notification_visibility_follows": "Suivis",
"notification_visibility_likes": "J'aime", "notification_visibility_likes": "J'aime",
"notification_visibility_mentions": "Mentionnés", "notification_visibility_mentions": "Mentionnés",
"notification_visibility_repeats": "Partages", "notification_visibility_repeats": "Partages",
@ -278,8 +290,8 @@
"no_mutes": "Aucun masqués", "no_mutes": "Aucun masqués",
"hide_follows_description": "Ne pas afficher à qui je suis abonné", "hide_follows_description": "Ne pas afficher à qui je suis abonné",
"hide_followers_description": "Ne pas afficher qui est abonné à moi", "hide_followers_description": "Ne pas afficher qui est abonné à moi",
"show_admin_badge": "Afficher le badge d'Administrateur⋅ice sur mon profil", "show_admin_badge": "Afficher le badge d'Admin sur mon profil",
"show_moderator_badge": "Afficher le badge de Modérateur⋅ice sur mon profil", "show_moderator_badge": "Afficher le badge de Modo' sur mon profil",
"nsfw_clickthrough": "Activer le clic pour dévoiler les pièces jointes et cacher l'aperçu des liens pour les statuts marqués comme sensibles", "nsfw_clickthrough": "Activer le clic pour dévoiler les pièces jointes et cacher l'aperçu des liens pour les statuts marqués comme sensibles",
"oauth_tokens": "Jetons OAuth", "oauth_tokens": "Jetons OAuth",
"token": "Jeton", "token": "Jeton",
@ -289,11 +301,11 @@
"panelRadius": "Fenêtres", "panelRadius": "Fenêtres",
"pause_on_unfocused": "Suspendre le streaming lorsque l'onglet n'est pas actif", "pause_on_unfocused": "Suspendre le streaming lorsque l'onglet n'est pas actif",
"presets": "Thèmes prédéfinis", "presets": "Thèmes prédéfinis",
"profile_background": "Image de fond", "profile_background": "Image de fond de profil",
"profile_banner": "Bannière de profil", "profile_banner": "Bannière de profil",
"profile_tab": "Profil", "profile_tab": "Profil",
"radii_help": "Vous pouvez ici choisir le niveau d'arrondi des angles de l'interface (en pixels)", "radii_help": "Vous pouvez ici choisir le niveau d'arrondi des angles de l'interface (en pixels)",
"replies_in_timeline": "Réponses au journal", "replies_in_timeline": "Réponses dans le flux",
"reply_visibility_all": "Montrer toutes les réponses", "reply_visibility_all": "Montrer toutes les réponses",
"reply_visibility_following": "Afficher uniquement les réponses adressées à moi ou aux personnes que je suis", "reply_visibility_following": "Afficher uniquement les réponses adressées à moi ou aux personnes que je suis",
"reply_visibility_self": "Afficher uniquement les réponses adressées à moi", "reply_visibility_self": "Afficher uniquement les réponses adressées à moi",
@ -309,7 +321,7 @@
"set_new_profile_background": "Changer d'image de fond", "set_new_profile_background": "Changer d'image de fond",
"set_new_profile_banner": "Changer de bannière", "set_new_profile_banner": "Changer de bannière",
"settings": "Paramètres", "settings": "Paramètres",
"subject_input_always_show": "Toujours copier le champ de sujet", "subject_input_always_show": "Toujours afficher le champ Sujet",
"subject_line_behavior": "Copier le sujet en répondant", "subject_line_behavior": "Copier le sujet en répondant",
"subject_line_email": "Similaire au courriel: « re: sujet »", "subject_line_email": "Similaire au courriel: « re: sujet »",
"subject_line_mastodon": "Comme mastodon: copier tel quel", "subject_line_mastodon": "Comme mastodon: copier tel quel",
@ -348,7 +360,7 @@
"use_snapshot": "Ancienne version", "use_snapshot": "Ancienne version",
"help": { "help": {
"upgraded_from_v2": "PleromaFE à été mis à jour, le thème peut être un peu différent que dans vos souvenirs.", "upgraded_from_v2": "PleromaFE à été mis à jour, le thème peut être un peu différent que dans vos souvenirs.",
"v2_imported": "Le fichier que vous avez importé vient d'un version antérieure. Nous essayons de maximizer la compatibilité mais il peu y avoir quelques incohérences.", "v2_imported": "Le fichier que vous avez importé vient d'une version antérieure. Nous essayons de maximizer la compatibilité mais il peut y avoir quelques incohérences.",
"future_version_imported": "Le fichier importé viens d'une version postérieure de PleromaFE.", "future_version_imported": "Le fichier importé viens d'une version postérieure de PleromaFE.",
"older_version_imported": "Le fichier importé viens d'une version antérieure de PleromaFE.", "older_version_imported": "Le fichier importé viens d'une version antérieure de PleromaFE.",
"snapshot_source_mismatch": "Conflict de version : Probablement due à un retour arrière puis remise à jour de la version de PleromaFE, si vous avez charger le thème en utilisant une version antérieure vous voulez probablement utiliser la version antérieure, autrement utiliser la version postérieure.", "snapshot_source_mismatch": "Conflict de version : Probablement due à un retour arrière puis remise à jour de la version de PleromaFE, si vous avez charger le thème en utilisant une version antérieure vous voulez probablement utiliser la version antérieure, autrement utiliser la version postérieure.",
@ -432,7 +444,7 @@
"filter_hint": { "filter_hint": {
"always_drop_shadow": "Attention, cette ombre utilise toujours {0} quand le navigateur le supporte.", "always_drop_shadow": "Attention, cette ombre utilise toujours {0} quand le navigateur le supporte.",
"drop_shadow_syntax": "{0} ne supporte pas le paramètre {1} et mot-clé {2}.", "drop_shadow_syntax": "{0} ne supporte pas le paramètre {1} et mot-clé {2}.",
"avatar_inset": "Veuillez noter que combiner a la fois les ombres internes et non-internes sur les avatars peut fournir des résultats innatendus avec la transparence des avatars.", "avatar_inset": "Veuillez noter que combiner à la fois les ombres internes et non-internes sur les avatars peut fournir des résultats inattendus avec la transparence des avatars.",
"spread_zero": "Les ombres avec une dispersion > 0 apparaitrons comme si ils étaient à zéro", "spread_zero": "Les ombres avec une dispersion > 0 apparaitrons comme si ils étaient à zéro",
"inset_classic": "L'ombre interne utilisera toujours {0}" "inset_classic": "L'ombre interne utilisera toujours {0}"
}, },
@ -487,15 +499,15 @@
}, },
"change_email": "Changer de courriel", "change_email": "Changer de courriel",
"domain_mutes": "Domaines", "domain_mutes": "Domaines",
"pad_emoji": "Rajouter un espace autour de l'émoji après lavoir choisit", "pad_emoji": "Entourer les émoji d'espaces après leur sélections",
"notification_visibility_emoji_reactions": "Réactions", "notification_visibility_emoji_reactions": "Réactions",
"hide_follows_count_description": "Masquer le nombre de suivis", "hide_follows_count_description": "Masquer le nombre de suivis",
"useStreamingApiWarning": "(Non recommandé, expérimental, connu pour rater des messages)", "useStreamingApiWarning": "(Non recommandé, expérimental, connu pour rater des messages)",
"type_domains_to_mute": "Chercher les domaines à masquer", "type_domains_to_mute": "Chercher les domaines à masquer",
"fun": "Rigolo", "fun": "Rigolo",
"greentext": "greentexting", "greentext": "greentexting",
"allow_following_move": "Suivre automatiquement quand ce compte migre", "allow_following_move": "Activer le suivit automatique à la migration des comptes",
"change_email_error": "Il y a eu un problème pour charger votre courriel.", "change_email_error": "Il y a eu un problème pour changer votre courriel.",
"changed_email": "Courriel changé avec succès !", "changed_email": "Courriel changé avec succès !",
"discoverable": "Permettre de découvrir ce compte dans les résultats de recherche web et autres services", "discoverable": "Permettre de découvrir ce compte dans les résultats de recherche web et autres services",
"emoji_reactions_on_timeline": "Montrer les émojis-réactions dans le flux", "emoji_reactions_on_timeline": "Montrer les émojis-réactions dans le flux",
@ -510,7 +522,7 @@
"accent": "Accent", "accent": "Accent",
"chatMessageRadius": "Message de chat", "chatMessageRadius": "Message de chat",
"bot": "Ce compte est un robot", "bot": "Ce compte est un robot",
"import_mutes_from_a_csv_file": "Importer les masquages depuis un fichier CSV", "import_mutes_from_a_csv_file": "Import de masquages depuis un fichier CSV",
"mutes_imported": "Masquages importés! Leur application peut prendre du temps.", "mutes_imported": "Masquages importés! Leur application peut prendre du temps.",
"mute_import_error": "Erreur à l'import des masquages", "mute_import_error": "Erreur à l'import des masquages",
"mute_import": "Import des masquages", "mute_import": "Import des masquages",
@ -518,24 +530,36 @@
"mute_export": "Export des masquages", "mute_export": "Export des masquages",
"notification_setting_hide_notification_contents": "Cacher l'expéditeur et le contenu des notifications push", "notification_setting_hide_notification_contents": "Cacher l'expéditeur et le contenu des notifications push",
"notification_setting_block_from_strangers": "Bloquer les notifications des utilisateur⋅ice⋅s que vous ne suivez pas", "notification_setting_block_from_strangers": "Bloquer les notifications des utilisateur⋅ice⋅s que vous ne suivez pas",
"virtual_scrolling": "Optimiser le rendu du fil d'actualité", "virtual_scrolling": "Optimiser le rendu des flux",
"reset_background_confirm": "Voulez-vraiment réinitialiser l'arrière-plan ?", "reset_background_confirm": "Voulez-vraiment réinitialiser l'arrière-plan ?",
"reset_banner_confirm": "Voulez-vraiment réinitialiser la bannière ?", "reset_banner_confirm": "Voulez-vraiment réinitialiser la bannière ?",
"reset_avatar_confirm": "Voulez-vraiment réinitialiser l'avatar ?", "reset_avatar_confirm": "Voulez-vraiment réinitialiser l'avatar ?",
"reset_profile_banner": "Réinitialiser la bannière du profil", "reset_profile_banner": "Réinitialiser la bannière du profil",
"reset_profile_background": "Réinitialiser l'arrière-plan du profil", "reset_profile_background": "Réinitialiser le fond du profil",
"reset_avatar": "Réinitialiser l'avatar", "reset_avatar": "Réinitialiser l'avatar",
"profile_fields": { "profile_fields": {
"value": "Contenu", "value": "Contenu",
"name": "Étiquette", "name": "Nom du champ",
"add_field": "Ajouter un champ" "add_field": "Ajouter un champ",
} "label": "Champs du profil"
},
"hide_media_previews": "Cacher la prévisualisation des pièces jointes",
"mutes_and_blocks": "Masquage et Blocages",
"setting_changed": "Préférence modifiée",
"more_settings": "Plus de préférences",
"sensitive_by_default": "Marquer les messages comme sensible par défaut",
"reply_visibility_self_short": "Uniquement les réponses à moi",
"reply_visibility_following_short": "Montrer les réponses à mes suivis",
"hide_wallpaper": "Cacher le fond d'écran",
"hide_all_muted_posts": "Cacher les messages masqués",
"word_filter": "Filtrage par mots",
"save": "Enregistrer les changements"
}, },
"timeline": { "timeline": {
"collapse": "Fermer", "collapse": "Fermer",
"conversation": "Conversation", "conversation": "Conversation",
"error_fetching": "Erreur en cherchant les mises à jour", "error_fetching": "Erreur en cherchant les mises à jour",
"load_older": "Afficher plus", "load_older": "Afficher des status plus ancien",
"no_retweet_hint": "Le message est marqué en abonnés-seulement ou direct et ne peut pas être partagé", "no_retweet_hint": "Le message est marqué en abonnés-seulement ou direct et ne peut pas être partagé",
"repeated": "a partagé", "repeated": "a partagé",
"show_new": "Afficher plus", "show_new": "Afficher plus",
@ -543,14 +567,16 @@
"no_more_statuses": "Pas plus de statuts", "no_more_statuses": "Pas plus de statuts",
"no_statuses": "Aucun statuts", "no_statuses": "Aucun statuts",
"reload": "Recharger", "reload": "Recharger",
"error": "Erreur lors de l'affichage du fil d'actualité : {0}" "error": "Erreur lors de l'affichage du flux : {0}",
"socket_broke": "Connexion temps-réel perdue : CloseEvent code {0}",
"socket_reconnected": "Connexion temps-réel établie"
}, },
"status": { "status": {
"favorites": "Favoris", "favorites": "Favoris",
"repeats": "Partages", "repeats": "Partages",
"delete": "Supprimer statuts", "delete": "Supprimer statuts",
"pin": "Agraffer sur le profil", "pin": "Agrafer sur le profil",
"unpin": "Dégraffer du profil", "unpin": "Dégrafer du profil",
"pinned": "Agraffé", "pinned": "Agraffé",
"delete_confirm": "Voulez-vous vraiment supprimer ce statuts ?", "delete_confirm": "Voulez-vous vraiment supprimer ce statuts ?",
"reply_to": "Réponse à", "reply_to": "Réponse à",
@ -630,10 +656,17 @@
"moderator": "Modérateur⋅ice", "moderator": "Modérateur⋅ice",
"admin": "Administrateur⋅ice" "admin": "Administrateur⋅ice"
}, },
"message": "Message" "message": "Message",
"highlight": {
"disabled": "Sans mise-en-valeur",
"solid": "Fond uni",
"side": "Coté rayé",
"striped": "Fond rayé"
},
"bot": "Robot"
}, },
"user_profile": { "user_profile": {
"timeline_title": "Journal de l'utilisateur⋅ice", "timeline_title": "Flux du compte",
"profile_does_not_exist": "Désolé, ce profil n'existe pas.", "profile_does_not_exist": "Désolé, ce profil n'existe pas.",
"profile_loading_error": "Désolé, il y a eu une erreur au chargement du profil." "profile_loading_error": "Désolé, il y a eu une erreur au chargement du profil."
}, },
@ -669,45 +702,45 @@
"message": "Envoi échoué : {0}" "message": "Envoi échoué : {0}"
}, },
"file_size_units": { "file_size_units": {
"B": "O", "B": "o",
"KiB": "KiO", "KiB": "Ko",
"MiB": "MiO", "MiB": "Mo",
"GiB": "GiO", "GiB": "Go",
"TiB": "TiO" "TiB": "To"
} }
}, },
"about": { "about": {
"mrf": { "mrf": {
"keyword": { "keyword": {
"reject": "Rejeté", "reject": "Rejette",
"replace": "Remplacer", "replace": "Remplace",
"keyword_policies": "Politiques par mot-clés", "keyword_policies": "Filtrage par mots-clés",
"ftl_removal": "Suppression du flux fédéré", "ftl_removal": "Suppression du flux fédéré",
"is_replaced_by": "→" "is_replaced_by": "→"
}, },
"simple": { "simple": {
"simple_policies": "Politiques par instances", "simple_policies": "Politiques par instances",
"accept": "Accepter", "accept": "Acceptées",
"accept_desc": "Cette instance accepte des messages seulement depuis ces instances :", "accept_desc": "Cette instance accepte les messages seulement depuis ces instances :",
"reject": "Rejeter", "reject": "Rejetées",
"reject_desc": "Cette instance n'acceptera pas de message de ces instances :", "reject_desc": "Cette instance n'acceptera pas de message de ces instances :",
"quarantine": "Quarantaine", "quarantine": "Quarantaine",
"quarantine_desc": "Cette instance enverras seulement des messages publics à ces instances :", "quarantine_desc": "Cette instance enverra seulement des messages publics à ces instances :",
"ftl_removal_desc": "Cette instance supprime ces instance du flux fédéré :", "ftl_removal_desc": "Cette instance supprime les instance suivantes du flux fédéré :",
"media_removal": "Suppression multimédia", "media_removal": "Suppression des pièce-jointes",
"media_removal_desc": "Cette instance supprime le contenu multimédia des instances suivantes :", "media_removal_desc": "Cette instance supprime le contenu multimédia des instances suivantes :",
"media_nsfw": "Force le contenu multimédia comme sensible", "media_nsfw": "Force le contenu multimédia comme sensible",
"ftl_removal": "Suppression du flux fédéré", "ftl_removal": "Supprimées du flux fédéré",
"media_nsfw_desc": "Cette instance force le contenu multimédia comme sensible pour les messages des instances suivantes :" "media_nsfw_desc": "Cette instance force les pièce-jointes comme sensible pour les messages des instances suivantes :"
}, },
"federation": "Fédération", "federation": "Fédération",
"mrf_policies": "Politiques MRF activées", "mrf_policies": "Politiques MRF actives",
"mrf_policies_desc": "Les politiques MRF modifient la fédération entre les instances. Les politiques suivantes sont activées :" "mrf_policies_desc": "Les politiques MRF modifient la fédération entre les instances. Les politiques suivantes sont activées :"
}, },
"staff": "Staff" "staff": "Staff"
}, },
"domain_mute_card": { "domain_mute_card": {
"mute": "Muet", "mute": "Masqué",
"mute_progress": "Masquage…", "mute_progress": "Masquage…",
"unmute": "Démasquer", "unmute": "Démasquer",
"unmute_progress": "Démasquage…" "unmute_progress": "Démasquage…"
@ -724,7 +757,9 @@
"expires_in": "Fin du sondage dans {0}", "expires_in": "Fin du sondage dans {0}",
"not_enough_options": "Trop peu d'options unique au sondage", "not_enough_options": "Trop peu d'options unique au sondage",
"vote": "Voter", "vote": "Voter",
"expired": "Sondage terminé il y a {0}" "expired": "Sondage terminé il y a {0}",
"people_voted_count": "{count} voteur | {count} voteurs",
"votes_count": "{count} vote | {count} votes"
}, },
"emoji": { "emoji": {
"emoji": "Émoji", "emoji": "Émoji",
@ -735,11 +770,11 @@
"load_all": "Charger tout les {emojiAmount} émojis", "load_all": "Charger tout les {emojiAmount} émojis",
"load_all_hint": "{saneAmount} émojis chargé, charger tout les émojis peuvent causer des problèmes de performances.", "load_all_hint": "{saneAmount} émojis chargé, charger tout les émojis peuvent causer des problèmes de performances.",
"stickers": "Stickers", "stickers": "Stickers",
"keep_open": "Garder le sélecteur ouvert" "keep_open": "Garder ouvert"
}, },
"remote_user_resolver": { "remote_user_resolver": {
"error": "Non trouvé.", "error": "Non trouvé.",
"searching_for": "Rechercher", "searching_for": "Recherche pour",
"remote_user_resolver": "Résolution de compte distant" "remote_user_resolver": "Résolution de compte distant"
}, },
"time": { "time": {

View file

@ -27,7 +27,7 @@
"mentions": "Menzioni", "mentions": "Menzioni",
"public_tl": "Sequenza pubblica", "public_tl": "Sequenza pubblica",
"timeline": "Sequenza personale", "timeline": "Sequenza personale",
"twkn": "Sequenza globale", "twkn": "Sequenza federale",
"chat": "Chat della stanza", "chat": "Chat della stanza",
"friend_requests": "Vogliono seguirti", "friend_requests": "Vogliono seguirti",
"about": "Informazioni", "about": "Informazioni",
@ -41,14 +41,15 @@
"preferences": "Preferenze", "preferences": "Preferenze",
"bookmarks": "Segnalibri", "bookmarks": "Segnalibri",
"chats": "Conversazioni", "chats": "Conversazioni",
"timelines": "Sequenze" "timelines": "Sequenze",
"home_timeline": "Sequenza personale"
}, },
"notifications": { "notifications": {
"followed_you": "ti segue", "followed_you": "ti segue",
"notifications": "Notifiche", "notifications": "Notifiche",
"read": "Letto!", "read": "Letto!",
"broken_favorite": "Stato sconosciuto, lo sto cercando…", "broken_favorite": "Stato sconosciuto, lo sto cercando…",
"favorited_you": "gradisce il tuo messaggio", "favorited_you": "ha gradito",
"load_older": "Carica notifiche precedenti", "load_older": "Carica notifiche precedenti",
"repeated_you": "ha condiviso il tuo messaggio", "repeated_you": "ha condiviso il tuo messaggio",
"follow_request": "vuole seguirti", "follow_request": "vuole seguirti",
@ -71,10 +72,10 @@
"name_bio": "Nome ed introduzione", "name_bio": "Nome ed introduzione",
"nsfw_clickthrough": "Fai click per visualizzare gli allegati offuscati", "nsfw_clickthrough": "Fai click per visualizzare gli allegati offuscati",
"profile_background": "Sfondo della tua pagina", "profile_background": "Sfondo della tua pagina",
"profile_banner": "Stendardo del tuo profilo", "profile_banner": "Gonfalone del tuo profilo",
"set_new_avatar": "Scegli una nuova icona", "set_new_avatar": "Scegli una nuova icona",
"set_new_profile_background": "Scegli un nuovo sfondo per la tua pagina", "set_new_profile_background": "Scegli un nuovo sfondo",
"set_new_profile_banner": "Scegli un nuovo stendardo per il tuo profilo", "set_new_profile_banner": "Scegli un nuovo gonfalone",
"settings": "Impostazioni", "settings": "Impostazioni",
"theme": "Tema", "theme": "Tema",
"user_settings": "Impostazioni Utente", "user_settings": "Impostazioni Utente",
@ -83,9 +84,9 @@
"avatarRadius": "Icone utente", "avatarRadius": "Icone utente",
"background": "Sfondo", "background": "Sfondo",
"btnRadius": "Pulsanti", "btnRadius": "Pulsanti",
"cBlue": "Blu (risposte, seguire)", "cBlue": "Blu (rispondi, segui)",
"cGreen": "Verde (ripeti)", "cGreen": "Verde (ripeti)",
"cOrange": "Arancione (gradire)", "cOrange": "Arancione (gradisci)",
"cRed": "Rosso (annulla)", "cRed": "Rosso (annulla)",
"change_password": "Cambia password", "change_password": "Cambia password",
"change_password_error": "C'è stato un problema durante il cambiamento della password.", "change_password_error": "C'è stato un problema durante il cambiamento della password.",
@ -98,7 +99,7 @@
"delete_account": "Elimina profilo", "delete_account": "Elimina profilo",
"delete_account_description": "Elimina definitivamente i tuoi dati e disattiva il tuo profilo.", "delete_account_description": "Elimina definitivamente i tuoi dati e disattiva il tuo profilo.",
"delete_account_error": "C'è stato un problema durante l'eliminazione del tuo profilo. Se il problema persiste contatta l'amministratore della tua stanza.", "delete_account_error": "C'è stato un problema durante l'eliminazione del tuo profilo. Se il problema persiste contatta l'amministratore della tua stanza.",
"delete_account_instructions": "Digita la tua password nel campo sottostante per confermare l'eliminazione del tuo profilo.", "delete_account_instructions": "Digita la tua password nel campo sottostante per eliminare il tuo profilo.",
"export_theme": "Salva impostazioni", "export_theme": "Salva impostazioni",
"follow_export": "Esporta la lista di chi segui", "follow_export": "Esporta la lista di chi segui",
"follow_export_button": "Esporta la lista di chi segui in un file CSV", "follow_export_button": "Esporta la lista di chi segui in un file CSV",
@ -109,7 +110,7 @@
"foreground": "Primo piano", "foreground": "Primo piano",
"general": "Generale", "general": "Generale",
"hide_post_stats": "Nascondi statistiche dei messaggi (es. il numero di preferenze)", "hide_post_stats": "Nascondi statistiche dei messaggi (es. il numero di preferenze)",
"hide_user_stats": "Nascondi statistiche dell'utente (es. il numero dei tuoi seguaci)", "hide_user_stats": "Nascondi statistiche dell'utente (es. il numero di seguaci)",
"import_followers_from_a_csv_file": "Importa una lista di chi segui da un file CSV", "import_followers_from_a_csv_file": "Importa una lista di chi segui da un file CSV",
"import_theme": "Carica impostazioni", "import_theme": "Carica impostazioni",
"inputRadius": "Campi di testo", "inputRadius": "Campi di testo",
@ -118,12 +119,12 @@
"invalid_theme_imported": "Il file selezionato non è un tema supportato da Pleroma. Il tuo tema non è stato modificato.", "invalid_theme_imported": "Il file selezionato non è un tema supportato da Pleroma. Il tuo tema non è stato modificato.",
"limited_availability": "Non disponibile nel tuo browser", "limited_availability": "Non disponibile nel tuo browser",
"links": "Collegamenti", "links": "Collegamenti",
"lock_account_description": "Limita il tuo account solo a seguaci approvati", "lock_account_description": "Vaglia manualmente i nuovi seguaci",
"loop_video": "Riproduci video in ciclo continuo", "loop_video": "Riproduci video in ciclo continuo",
"loop_video_silent_only": "Riproduci solo video senza audio in ciclo continuo (es. le \"gif\" di Mastodon)", "loop_video_silent_only": "Riproduci solo video muti in ciclo continuo (es. le \"gif\" di Mastodon)",
"new_password": "Nuova password", "new_password": "Nuova password",
"notification_visibility": "Tipi di notifiche da mostrare", "notification_visibility": "Tipi di notifiche da mostrare",
"notification_visibility_follows": "Nuove persone ti seguono", "notification_visibility_follows": "Nuovi seguaci",
"notification_visibility_likes": "Preferiti", "notification_visibility_likes": "Preferiti",
"notification_visibility_mentions": "Menzioni", "notification_visibility_mentions": "Menzioni",
"notification_visibility_repeats": "Condivisioni", "notification_visibility_repeats": "Condivisioni",
@ -138,7 +139,7 @@
"presets": "Valori predefiniti", "presets": "Valori predefiniti",
"profile_tab": "Profilo", "profile_tab": "Profilo",
"radii_help": "Imposta il raggio degli angoli (in pixel)", "radii_help": "Imposta il raggio degli angoli (in pixel)",
"replies_in_timeline": "Risposte nella sequenza personale", "replies_in_timeline": "Risposte nelle sequenze",
"reply_visibility_all": "Mostra tutte le risposte", "reply_visibility_all": "Mostra tutte le risposte",
"reply_visibility_following": "Mostra solo le risposte rivolte a me o agli utenti che seguo", "reply_visibility_following": "Mostra solo le risposte rivolte a me o agli utenti che seguo",
"reply_visibility_self": "Mostra solo risposte rivolte a me", "reply_visibility_self": "Mostra solo risposte rivolte a me",
@ -148,7 +149,7 @@
"stop_gifs": "Riproduci GIF al passaggio del cursore", "stop_gifs": "Riproduci GIF al passaggio del cursore",
"streaming": "Mostra automaticamente i nuovi messaggi quando sei in cima alla pagina", "streaming": "Mostra automaticamente i nuovi messaggi quando sei in cima alla pagina",
"text": "Testo", "text": "Testo",
"theme_help": "Usa codici colore esadecimali (#rrggbb) per personalizzare il tuo schema di colori.", "theme_help": "Usa colori esadecimali (#rrggbb) per personalizzare il tuo schema di colori.",
"tooltipRadius": "Suggerimenti/avvisi", "tooltipRadius": "Suggerimenti/avvisi",
"values": { "values": {
"false": "no", "false": "no",
@ -156,7 +157,7 @@
}, },
"avatar_size_instruction": "La taglia minima per l'icona personale è 150x150 pixel.", "avatar_size_instruction": "La taglia minima per l'icona personale è 150x150 pixel.",
"domain_mutes": "Domini", "domain_mutes": "Domini",
"discoverable": "Permetti la scoperta di questo profilo da servizi di ricerca ed altro", "discoverable": "Permetti la scoperta di questo profilo a servizi di ricerca ed altro",
"composing": "Composizione", "composing": "Composizione",
"changed_email": "Email cambiata con successo!", "changed_email": "Email cambiata con successo!",
"change_email_error": "C'è stato un problema nel cambiare la tua email.", "change_email_error": "C'è stato un problema nel cambiare la tua email.",
@ -167,18 +168,18 @@
"block_import": "Importa blocchi", "block_import": "Importa blocchi",
"block_export_button": "Esporta i tuoi blocchi in un file CSV", "block_export_button": "Esporta i tuoi blocchi in un file CSV",
"block_export": "Esporta blocchi", "block_export": "Esporta blocchi",
"allow_following_move": "Consenti", "allow_following_move": "Consenti l'iscrizione automatica ai profili traslocati",
"mfa": { "mfa": {
"verify": { "verify": {
"desc": "Per abilitare l'autenticazione bifattoriale, inserisci il codice fornito dalla tua applicazione:" "desc": "Per abilitare l'autenticazione bifattoriale, inserisci il codice fornito dalla tua applicazione:"
}, },
"scan": { "scan": {
"secret_code": "Codice", "secret_code": "Codice",
"desc": "Con la tua applicazione bifattoriale, acquisisci questo QR o inserisci il codice manualmente:", "desc": "Con la tua applicazione bifattoriale, acquisisci il QR o inserisci il codice:",
"title": "Acquisisci" "title": "Acquisisci"
}, },
"authentication_methods": "Metodi di accesso", "authentication_methods": "Metodi di accesso",
"recovery_codes_warning": "Appuntati i codici o salvali in un posto sicuro, altrimenti rischi di non rivederli mai più. Se perderai l'accesso sia alla tua applicazione bifattoriale che ai codici di recupero non potrai più accedere al tuo profilo.", "recovery_codes_warning": "Metti i codici al sicuro, perché non potrai più visualizzarli. Se perderai l'accesso sia alla tua applicazione bifattoriale che ai codici di recupero non potrai più accedere al tuo profilo.",
"waiting_a_recovery_codes": "Ricevo codici di recupero…", "waiting_a_recovery_codes": "Ricevo codici di recupero…",
"recovery_codes": "Codici di recupero.", "recovery_codes": "Codici di recupero.",
"warning_of_generate_new_codes": "Alla generazione di nuovi codici di recupero, quelli vecchi saranno disattivati.", "warning_of_generate_new_codes": "Alla generazione di nuovi codici di recupero, quelli vecchi saranno disattivati.",
@ -197,14 +198,14 @@
"help": { "help": {
"older_version_imported": "Il tema importato è stato creato per una versione precedente dell'interfaccia.", "older_version_imported": "Il tema importato è stato creato per una versione precedente dell'interfaccia.",
"future_version_imported": "Il tema importato è stato creato per una versione più recente dell'interfaccia.", "future_version_imported": "Il tema importato è stato creato per una versione più recente dell'interfaccia.",
"v2_imported": "Il tema importato è stato creato per una vecchia interfaccia. Non tutto potrebbe essere come prima.", "v2_imported": "Il tema importato è stato creato per una vecchia interfaccia. Non tutto potrebbe essere come inteso.",
"upgraded_from_v2": "L'interfaccia è stata aggiornata, il tema potrebbe essere diverso da come lo intendevi.", "upgraded_from_v2": "L'interfaccia è stata aggiornata, il tema potrebbe essere diverso da come lo ricordi.",
"migration_snapshot_ok": "Ho caricato l'anteprima del tema. Puoi provare a caricarne i contenuti.", "migration_snapshot_ok": "Ho caricato l'anteprima del tema. Puoi provare a caricarne i contenuti.",
"fe_downgraded": "L'interfaccia è stata portata ad una versione precedente.", "fe_downgraded": "L'interfaccia è stata portata ad una versione precedente.",
"fe_upgraded": "Lo schema dei temi è stato aggiornato insieme all'interfaccia.", "fe_upgraded": "Lo schema dei temi è stato aggiornato insieme all'interfaccia.",
"snapshot_missing": "Il tema non è provvisto di anteprima, quindi potrebbe essere diverso da come appare.", "snapshot_missing": "Il tema non è provvisto di anteprima, quindi potrebbe essere diverso da come appare.",
"snapshot_present": "Tutti i valori sono sostituiti dall'anteprima del tema. Puoi invece caricare i suoi contenuti.", "snapshot_present": "Tutti i valori sono sostituiti dall'anteprima del tema. Puoi invece caricare i suoi contenuti.",
"snapshot_source_mismatch": "Conflitto di versione: probabilmente l'interfaccia è stata portata ad una versione precedente e poi aggiornata di nuovo. Se hai modificato il tema con una versione precedente dell'interfaccia, usa la vecchia versione del tema, altrimenti puoi usare la nuova.", "snapshot_source_mismatch": "Conflitto di versione: probabilmente l'interfaccia è stata portata indietro e poi aggiornata di nuovo. Se hai modificato il tema con una vecchia versione usa il tema precedente, altrimenti puoi usare il nuovo.",
"migration_napshot_gone": "Anteprima del tema non trovata, non tutto potrebbe essere come ricordi." "migration_napshot_gone": "Anteprima del tema non trovata, non tutto potrebbe essere come ricordi."
}, },
"use_source": "Nuova versione", "use_source": "Nuova versione",
@ -227,7 +228,7 @@
"contrast": { "contrast": {
"context": { "context": {
"text": "per il testo", "text": "per il testo",
"18pt": "per il testo grande (oltre 17pt)" "18pt": "per il testo oltre 17pt"
}, },
"level": { "level": {
"bad": "non soddisfa le linee guida di alcun livello", "bad": "non soddisfa le linee guida di alcun livello",
@ -250,7 +251,7 @@
"selectedMenu": "Voce menù selezionata", "selectedMenu": "Voce menù selezionata",
"selectedPost": "Messaggio selezionato", "selectedPost": "Messaggio selezionato",
"pressed": "Premuto", "pressed": "Premuto",
"highlight": "Elementi evidenziati", "highlight": "Elementi in risalto",
"icons": "Icone", "icons": "Icone",
"poll": "Grafico sondaggi", "poll": "Grafico sondaggi",
"underlay": "Sottostante", "underlay": "Sottostante",
@ -312,8 +313,8 @@
"fonts": { "fonts": {
"_tab_label": "Font", "_tab_label": "Font",
"custom": "Personalizzato", "custom": "Personalizzato",
"weight": "Peso (grassettatura)", "weight": "Grassettatura",
"size": "Dimensione (in pixel)", "size": "Dimensione in pixel",
"family": "Nome font", "family": "Nome font",
"components": { "components": {
"postCode": "Font a spaziatura fissa incluso in un messaggio", "postCode": "Font a spaziatura fissa incluso in un messaggio",
@ -340,15 +341,15 @@
}, },
"enable_web_push_notifications": "Abilita notifiche web push", "enable_web_push_notifications": "Abilita notifiche web push",
"fun": "Divertimento", "fun": "Divertimento",
"notification_mutes": "Per non ricevere notifiche da uno specifico utente, zittiscilo.", "notification_mutes": "Per non ricevere notifiche da uno specifico utente, silenzialo.",
"notification_setting_privacy_option": "Nascondi mittente e contenuti delle notifiche push", "notification_setting_privacy_option": "Nascondi mittente e contenuti delle notifiche push",
"notification_setting_privacy": "Privacy", "notification_setting_privacy": "Privacy",
"notification_setting_filters": "Filtri", "notification_setting_filters": "Filtri",
"notifications": "Notifiche", "notifications": "Notifiche",
"greentext": "Frecce da meme", "greentext": "Frecce da meme",
"upload_a_photo": "Carica un'immagine", "upload_a_photo": "Carica un'immagine",
"type_domains_to_mute": "Cerca domini da zittire", "type_domains_to_mute": "Cerca domini da silenziare",
"theme_help_v2_2": "Le icone dietro alcuni elementi sono indicatori del contrasto fra testo e sfondo, passaci sopra col puntatore per ulteriori informazioni. Se si usano delle trasparenze, questi indicatori mostrano il peggior caso possibile.", "theme_help_v2_2": "Le icone vicino alcuni elementi sono indicatori del contrasto fra testo e sfondo, passaci sopra col puntatore per ulteriori informazioni. Se usani trasparenze, questi indicatori mostrano il peggior caso possibile.",
"theme_help_v2_1": "Puoi anche forzare colore ed opacità di alcuni elementi selezionando la casella. Usa il pulsante \"Azzera\" per azzerare tutte le forzature.", "theme_help_v2_1": "Puoi anche forzare colore ed opacità di alcuni elementi selezionando la casella. Usa il pulsante \"Azzera\" per azzerare tutte le forzature.",
"useStreamingApiWarning": "(Sconsigliato, sperimentale, può saltare messaggi)", "useStreamingApiWarning": "(Sconsigliato, sperimentale, può saltare messaggi)",
"useStreamingApi": "Ricevi messaggi e notifiche in tempo reale", "useStreamingApi": "Ricevi messaggi e notifiche in tempo reale",
@ -361,7 +362,7 @@
"subject_input_always_show": "Mostra sempre il campo Oggetto", "subject_input_always_show": "Mostra sempre il campo Oggetto",
"minimal_scopes_mode": "Riduci opzioni di visibilità", "minimal_scopes_mode": "Riduci opzioni di visibilità",
"scope_copy": "Risposte ereditano la visibilità (messaggi privati lo fanno sempre)", "scope_copy": "Risposte ereditano la visibilità (messaggi privati lo fanno sempre)",
"search_user_to_mute": "Cerca utente da zittire", "search_user_to_mute": "Cerca utente da silenziare",
"search_user_to_block": "Cerca utente da bloccare", "search_user_to_block": "Cerca utente da bloccare",
"autohide_floating_post_button": "Nascondi automaticamente il pulsante di composizione (mobile)", "autohide_floating_post_button": "Nascondi automaticamente il pulsante di composizione (mobile)",
"show_moderator_badge": "Mostra l'insegna di moderatore sulla mia pagina", "show_moderator_badge": "Mostra l'insegna di moderatore sulla mia pagina",
@ -370,14 +371,14 @@
"hide_follows_count_description": "Non mostrare quanti utenti seguo", "hide_follows_count_description": "Non mostrare quanti utenti seguo",
"hide_followers_description": "Non mostrare i miei seguaci", "hide_followers_description": "Non mostrare i miei seguaci",
"hide_follows_description": "Non mostrare chi seguo", "hide_follows_description": "Non mostrare chi seguo",
"no_mutes": "Nessun utente zittito", "no_mutes": "Nessun utente silenziato",
"no_blocks": "Nessun utente bloccato", "no_blocks": "Nessun utente bloccato",
"notification_visibility_emoji_reactions": "Reazioni", "notification_visibility_emoji_reactions": "Reazioni",
"notification_visibility_moves": "Migrazioni utenti", "notification_visibility_moves": "Migrazioni utenti",
"new_email": "Nuova email", "new_email": "Nuova email",
"use_contain_fit": "Non ritagliare le anteprime degli allegati", "use_contain_fit": "Non ritagliare le anteprime degli allegati",
"play_videos_in_modal": "Riproduci video in un riquadro a sbalzo", "play_videos_in_modal": "Riproduci video in un riquadro a sbalzo",
"mutes_tab": "Zittiti", "mutes_tab": "Silenziati",
"interface": "Interfaccia", "interface": "Interfaccia",
"instance_default_simple": "(predefinito)", "instance_default_simple": "(predefinito)",
"checkboxRadius": "Caselle di selezione", "checkboxRadius": "Caselle di selezione",
@ -387,60 +388,82 @@
"preload_images": "Precarica immagini", "preload_images": "Precarica immagini",
"hide_isp": "Nascondi pannello della stanza", "hide_isp": "Nascondi pannello della stanza",
"max_thumbnails": "Numero massimo di anteprime per messaggio", "max_thumbnails": "Numero massimo di anteprime per messaggio",
"hide_muted_posts": "Nascondi messaggi degli utenti zilenziati", "hide_muted_posts": "Nascondi messaggi degli utenti silenziati",
"accent": "Accento", "accent": "Accento",
"emoji_reactions_on_timeline": "Mostra emoji di reazione sulle sequenze", "emoji_reactions_on_timeline": "Mostra reazioni nelle sequenze",
"pad_emoji": "Affianca spazi agli emoji inseriti tramite selettore", "pad_emoji": "Affianca spazi agli emoji inseriti tramite selettore",
"notification_blocks": "Bloccando un utente non riceverai più le sue notifiche né lo seguirai più.", "notification_blocks": "Bloccando un utente non riceverai più le sue notifiche né lo seguirai più.",
"mutes_and_blocks": "Zittiti e bloccati", "mutes_and_blocks": "Silenziati e bloccati",
"profile_fields": { "profile_fields": {
"value": "Contenuto", "value": "Contenuto",
"name": "Etichetta", "name": "Descrizione",
"add_field": "Aggiungi campo", "add_field": "Aggiungi campo",
"label": "Metadati profilo" "label": "Metadati profilo"
}, },
"bot": "Questo profilo è di un robot", "bot": "Questo è un robot",
"version": { "version": {
"frontend_version": "Versione interfaccia", "frontend_version": "Versione interfaccia",
"backend_version": "Versione backend", "backend_version": "Versione backend",
"title": "Versione" "title": "Versione"
}, },
"reset_avatar": "Azzera icona", "reset_avatar": "Azzera icona",
"reset_profile_background": "Azzera sfondo profilo", "reset_profile_background": "Azzera sfondo",
"reset_profile_banner": "Azzera stendardo profilo", "reset_profile_banner": "Azzera gonfalone",
"reset_avatar_confirm": "Vuoi veramente azzerare l'icona?", "reset_avatar_confirm": "Vuoi veramente azzerare l'icona?",
"reset_banner_confirm": "Vuoi veramente azzerare lo stendardo?", "reset_banner_confirm": "Vuoi veramente azzerare il gonfalone?",
"reset_background_confirm": "Vuoi veramente azzerare lo sfondo?", "reset_background_confirm": "Vuoi veramente azzerare lo sfondo?",
"chatMessageRadius": "Messaggi istantanei", "chatMessageRadius": "Messaggi istantanei",
"notification_setting_hide_notification_contents": "Nascondi mittente e contenuti delle notifiche push", "notification_setting_hide_notification_contents": "Nascondi mittente e contenuti delle notifiche push",
"notification_setting_block_from_strangers": "Blocca notifiche da utenti che non segui", "notification_setting_block_from_strangers": "Blocca notifiche da utenti che non segui",
"virtual_scrolling": "Velocizza l'elaborazione delle sequenze", "virtual_scrolling": "Velocizza l'elaborazione delle sequenze",
"import_mutes_from_a_csv_file": "Importa silenziati da un file CSV", "import_mutes_from_a_csv_file": "Importa silenziati da un file CSV",
"mutes_imported": "Silenziati importati! Saranno elaborati a breve.", "mutes_imported": "Silenziati importati! Elaborazione in corso.",
"mute_import_error": "Errore nell'importazione", "mute_import_error": "Errore nell'importazione",
"mute_import": "Importa silenziati", "mute_import": "Carica silenziati",
"mute_export_button": "Esporta la tua lista di silenziati in un file CSV", "mute_export_button": "Esporta i silenziati in un file CSV",
"mute_export": "Esporta silenziati", "mute_export": "Esporta silenziati",
"hide_wallpaper": "Nascondi sfondo della stanza", "hide_wallpaper": "Nascondi sfondo della stanza",
"setting_changed": "Valore personalizzato" "setting_changed": "Valore personalizzato",
"more_settings": "Altre impostazioni",
"sensitive_by_default": "Tutti i miei messaggi sono scabrosi",
"reply_visibility_self_short": "Vedi solo risposte a te",
"reply_visibility_following_short": "Vedi risposte a messaggi di altri",
"hide_all_muted_posts": "Nascondi messaggi silenziati",
"hide_media_previews": "Nascondi anteprime",
"word_filter": "Parole filtrate",
"save": "Salva modifiche",
"file_export_import": {
"errors": {
"file_slightly_new": "Versione minore diversa, qualcosa potrebbe non combaciare.",
"file_too_old": "Versione troppo vecchia: {fileMajor}. Questa versione dell'interfaccia ({feMajor}) non supporta il file.",
"file_too_new": "Versione troppo recente: {fileMajor}. Questa versione dell'interfaccia ({feMajor}) non supporta il file.",
"invalid_file": "Il file selezionato non è un archivio supportato. Nessuna modifica è stata apportata."
},
"restore_settings": "Carica impostazioni sul server",
"backup_settings_theme": "Archivia impostazioni e tema localmente",
"backup_settings": "Archivia impostazioni localmente",
"backup_restore": "Archiviazione impostazioni"
}
}, },
"timeline": { "timeline": {
"error_fetching": "Errore nell'aggiornamento", "error_fetching": "Errore nell'aggiornamento",
"load_older": "Carica messaggi più vecchi", "load_older": "Carica messaggi precedenti",
"show_new": "Mostra nuovi", "show_new": "Mostra nuovi",
"up_to_date": "Aggiornato", "up_to_date": "Aggiornato",
"collapse": "Riduci", "collapse": "Ripiega",
"conversation": "Conversazione", "conversation": "Conversazione",
"no_retweet_hint": "Il messaggio è diretto o solo per seguaci e non può essere condiviso", "no_retweet_hint": "Il messaggio è diretto o solo per seguaci e non può essere condiviso",
"repeated": "condiviso", "repeated": "ha condiviso",
"no_statuses": "Nessun messaggio", "no_statuses": "Nessun messaggio",
"no_more_statuses": "Fine dei messaggi", "no_more_statuses": "Fine dei messaggi",
"reload": "Ricarica", "reload": "Ricarica",
"error": "Errore nel caricare la sequenza: {0}" "error": "Errore nel caricare la sequenza: {0}",
"socket_broke": "Connessione tempo reale interrotta: codice {0}",
"socket_reconnected": "Connesso in tempo reale"
}, },
"user_card": { "user_card": {
"follow": "Segui", "follow": "Segui",
"followees": "Chi stai seguendo", "followees": "Segue",
"followers": "Seguaci", "followers": "Seguaci",
"following": "Seguìto!", "following": "Seguìto!",
"follows_you": "Ti segue!", "follows_you": "Ti segue!",
@ -454,13 +477,13 @@
"deny": "Nega", "deny": "Nega",
"remote_follow": "Segui da remoto", "remote_follow": "Segui da remoto",
"admin_menu": { "admin_menu": {
"delete_user_confirmation": "Ne sei completamente sicuro? Quest'azione non può essere annullata.", "delete_user_confirmation": "Ne sei completamente sicuro? Non potrai tornare indietro.",
"delete_user": "Elimina utente", "delete_user": "Elimina utente",
"quarantine": "I messaggi non arriveranno alle altre stanze", "quarantine": "I messaggi non arriveranno alle altre stanze",
"disable_any_subscription": "Rendi utente non seguibile", "disable_any_subscription": "Rendi utente non seguibile",
"disable_remote_subscription": "Blocca i tentativi di seguirlo da altre stanze", "disable_remote_subscription": "Blocca i tentativi di seguirlo da altre stanze",
"sandbox": "Rendi tutti i messaggi solo per seguaci", "sandbox": "Rendi tutti i messaggi solo per seguaci",
"force_unlisted": "Rendi tutti i messaggi invisibili", "force_unlisted": "Nascondi tutti i messaggi",
"strip_media": "Rimuovi ogni allegato ai messaggi", "strip_media": "Rimuovi ogni allegato ai messaggi",
"force_nsfw": "Oscura tutti i messaggi", "force_nsfw": "Oscura tutti i messaggi",
"delete_account": "Elimina profilo", "delete_account": "Elimina profilo",
@ -474,7 +497,7 @@
}, },
"show_repeats": "Mostra condivisioni", "show_repeats": "Mostra condivisioni",
"hide_repeats": "Nascondi condivisioni", "hide_repeats": "Nascondi condivisioni",
"mute_progress": "Zittisco…", "mute_progress": "Silenzio…",
"unmute_progress": "Riabilito…", "unmute_progress": "Riabilito…",
"unmute": "Riabilita", "unmute": "Riabilita",
"block_progress": "Blocco…", "block_progress": "Blocco…",
@ -483,7 +506,7 @@
"unsubscribe": "Disdici", "unsubscribe": "Disdici",
"subscribe": "Abbònati", "subscribe": "Abbònati",
"report": "Segnala", "report": "Segnala",
"mention": "Menzioni", "mention": "Menziona",
"media": "Media", "media": "Media",
"its_you": "Sei tu!", "its_you": "Sei tu!",
"hidden": "Nascosto", "hidden": "Nascosto",
@ -493,7 +516,13 @@
"follow_sent": "Richiesta inviata!", "follow_sent": "Richiesta inviata!",
"favorites": "Preferiti", "favorites": "Preferiti",
"message": "Contatta", "message": "Contatta",
"bot": "Bot" "bot": "Bot",
"highlight": {
"side": "Nastro a lato",
"striped": "A righe",
"solid": "Un colore",
"disabled": "Nessun risalto"
}
}, },
"chat": { "chat": {
"title": "Chat" "title": "Chat"
@ -549,21 +578,22 @@
"direct": "Diretto - Visibile solo agli utenti menzionati", "direct": "Diretto - Visibile solo agli utenti menzionati",
"private": "Solo per seguaci - Visibile solo dai tuoi seguaci", "private": "Solo per seguaci - Visibile solo dai tuoi seguaci",
"public": "Pubblico - Visibile sulla sequenza pubblica", "public": "Pubblico - Visibile sulla sequenza pubblica",
"unlisted": "Non elencato - Non visibile sulla sequenza pubblica" "unlisted": "Nascosto - Non visibile sulla sequenza pubblica"
}, },
"scope_notice": { "scope_notice": {
"unlisted": "Questo messaggio non sarà visibile sulla sequenza locale né su quella pubblica", "unlisted": "Questo messaggio non sarà visibile sulla sequenza locale né su quella pubblica",
"private": "Questo messaggio sarà visibile solo ai tuoi seguaci", "private": "Questo messaggio sarà visibile solo ai tuoi seguaci",
"public": "Questo messaggio sarà visibile a tutti" "public": "Questo messaggio sarà visibile a tutti"
}, },
"direct_warning_to_first_only": "Questo messaggio sarà visibile solo agli utenti menzionati all'inizio.", "direct_warning_to_first_only": "Questo messaggio sarà visibile solo agli utenti menzionati in testa.",
"direct_warning_to_all": "Questo messaggio sarà visibile a tutti i menzionati.", "direct_warning_to_all": "Questo messaggio sarà visibile a tutti i menzionati.",
"new_status": "Nuovo messaggio", "new_status": "Nuovo messaggio",
"empty_status_error": "Non puoi pubblicare messaggi vuoti senza allegati", "empty_status_error": "Aggiungi del testo o degli allegati",
"preview_empty": "Vuoto", "preview_empty": "Vuoto",
"preview": "Anteprima", "preview": "Anteprima",
"media_description_error": "Allegati non caricati, riprova", "media_description_error": "Allegati non caricati, riprova",
"media_description": "Descrizione allegati" "media_description": "Descrizione allegati",
"post": "Pubblica"
}, },
"registration": { "registration": {
"bio": "Introduzione", "bio": "Introduzione",
@ -583,13 +613,14 @@
"bio_placeholder": "es.\nCiao, sono Lupo Lucio.\nSono un lupo fantastico che vive nel Fantabosco. Forse mi hai visto alla Melevisione.", "bio_placeholder": "es.\nCiao, sono Lupo Lucio.\nSono un lupo fantastico che vive nel Fantabosco. Forse mi hai visto alla Melevisione.",
"fullname_placeholder": "es. Lupo Lucio", "fullname_placeholder": "es. Lupo Lucio",
"username_placeholder": "es. mister_wolf", "username_placeholder": "es. mister_wolf",
"new_captcha": "Clicca l'immagine per avere un altro captcha", "new_captcha": "Clicca il captcha per averne uno nuovo",
"captcha": "CAPTCHA", "captcha": "CAPTCHA",
"reason_placeholder": "L'amministratore esamina ciascuna richiesta.\nFornisci il motivo della tua iscrizione.", "reason_placeholder": "L'amministratore esamina ciascuna richiesta.\nFornisci il motivo della tua iscrizione.",
"reason": "Motivo dell'iscrizione" "reason": "Motivo dell'iscrizione",
"register": "Registrati"
}, },
"user_profile": { "user_profile": {
"timeline_title": "Sequenza dell'Utente", "timeline_title": "Sequenza dell'utente",
"profile_loading_error": "Spiacente, c'è stato un errore nel caricamento del profilo.", "profile_loading_error": "Spiacente, c'è stato un errore nel caricamento del profilo.",
"profile_does_not_exist": "Spiacente, questo profilo non esiste." "profile_does_not_exist": "Spiacente, questo profilo non esiste."
}, },
@ -605,7 +636,7 @@
"replace": "Sostituisci", "replace": "Sostituisci",
"is_replaced_by": "→", "is_replaced_by": "→",
"keyword_policies": "Regole per parole chiave", "keyword_policies": "Regole per parole chiave",
"ftl_removal": "Rimozione dalla sequenza globale" "ftl_removal": "Rimozione dalla sequenza federale"
}, },
"simple": { "simple": {
"reject": "Rifiuta", "reject": "Rifiuta",
@ -615,8 +646,8 @@
"reject_desc": "Questa stanza rifiuterà i messaggi provenienti dalle seguenti:", "reject_desc": "Questa stanza rifiuterà i messaggi provenienti dalle seguenti:",
"quarantine": "Quarantena", "quarantine": "Quarantena",
"quarantine_desc": "Questa stanza inoltrerà solo messaggi pubblici alle seguenti:", "quarantine_desc": "Questa stanza inoltrerà solo messaggi pubblici alle seguenti:",
"ftl_removal": "Rimozione dalla sequenza globale", "ftl_removal": "Rimozione dalla sequenza federale",
"ftl_removal_desc": "Questa stanza rimuove le seguenti dalla sequenza globale:", "ftl_removal_desc": "Questa stanza rimuove le seguenti dalla sequenza federale:",
"media_removal": "Rimozione multimedia", "media_removal": "Rimozione multimedia",
"media_removal_desc": "Questa istanza rimuove gli allegati dalle seguenti stanze:", "media_removal_desc": "Questa istanza rimuove gli allegati dalle seguenti stanze:",
"media_nsfw": "Allegati oscurati d'ufficio", "media_nsfw": "Allegati oscurati d'ufficio",
@ -628,8 +659,8 @@
"staff": "Responsabili" "staff": "Responsabili"
}, },
"domain_mute_card": { "domain_mute_card": {
"mute": "Zittisci", "mute": "Silenzia",
"mute_progress": "Zittisco…", "mute_progress": "Silenzio…",
"unmute": "Ascolta", "unmute": "Ascolta",
"unmute_progress": "Procedo…" "unmute_progress": "Procedo…"
}, },
@ -705,8 +736,8 @@
"favorites": "Preferiti", "favorites": "Preferiti",
"hide_content": "Nascondi contenuti", "hide_content": "Nascondi contenuti",
"show_content": "Mostra contenuti", "show_content": "Mostra contenuti",
"hide_full_subject": "Nascondi intero oggetto", "hide_full_subject": "Nascondi oggetto intero",
"show_full_subject": "Mostra intero oggetto", "show_full_subject": "Mostra oggetto intero",
"thread_muted_and_words": ", contiene:", "thread_muted_and_words": ", contiene:",
"thread_muted": "Discussione silenziata", "thread_muted": "Discussione silenziata",
"copy_link": "Copia collegamento", "copy_link": "Copia collegamento",
@ -714,46 +745,46 @@
"unmute_conversation": "Riabilita conversazione", "unmute_conversation": "Riabilita conversazione",
"mute_conversation": "Silenzia conversazione", "mute_conversation": "Silenzia conversazione",
"replies_list": "Risposte:", "replies_list": "Risposte:",
"reply_to": "Rispondi a", "reply_to": "In risposta a",
"delete_confirm": "Vuoi veramente eliminare questo messaggio?", "delete_confirm": "Vuoi veramente eliminare questo messaggio?",
"unbookmark": "Rimuovi segnalibro", "unbookmark": "Rimuovi segnalibro",
"bookmark": "Aggiungi segnalibro", "bookmark": "Aggiungi segnalibro",
"status_deleted": "Questo messagio è stato cancellato", "status_deleted": "Questo messagio è stato cancellato",
"nsfw": "Pruriginoso", "nsfw": "DISDICEVOLE",
"external_source": "Vai al sito", "external_source": "Vai all'origine",
"expand": "Espandi" "expand": "Espandi"
}, },
"time": { "time": {
"years_short": "{0}a", "years_short": "{0} a",
"year_short": "{0}a", "year_short": "{0} a",
"years": "{0} anni", "years": "{0} anni",
"year": "{0} anno", "year": "{0} anno",
"weeks_short": "{0}set", "weeks_short": "{0} stm",
"week_short": "{0}set", "week_short": "{0} stm",
"seconds_short": "{0}sec", "seconds_short": "{0} sec",
"second_short": "{0}sec", "second_short": "{0} sec",
"weeks": "{0} settimane", "weeks": "{0} settimane",
"week": "{0} settimana", "week": "{0} settimana",
"seconds": "{0} secondi", "seconds": "{0} secondi",
"second": "{0} secondo", "second": "{0} secondo",
"now_short": "ora", "now_short": "adesso",
"now": "adesso", "now": "adesso",
"months_short": "{0}me", "months_short": "{0} ms",
"month_short": "{0}me", "month_short": "{0} ms",
"months": "{0} mesi", "months": "{0} mesi",
"month": "{0} mese", "month": "{0} mese",
"minutes_short": "{0}min", "minutes_short": "{0} min",
"minute_short": "{0}min", "minute_short": "{0} min",
"minutes": "{0} minuti", "minutes": "{0} minuti",
"minute": "{0} minuto", "minute": "{0} minuto",
"in_past": "{0} fa", "in_past": "{0} fa",
"in_future": "fra {0}", "in_future": "fra {0}",
"hours_short": "{0}h", "hours_short": "{0} h",
"days_short": "{0}g", "days_short": "{0} g",
"hour_short": "{0}h", "hour_short": "{0} h",
"hours": "{0} ore", "hours": "{0} ore",
"hour": "{0} ora", "hour": "{0} ora",
"day_short": "{0}g", "day_short": "{0} g",
"days": "{0} giorni", "days": "{0} giorni",
"day": "{0} giorno" "day": "{0} giorno"
}, },
@ -767,7 +798,7 @@
"add_comment_description": "La segnalazione sarà inviata ai moderatori della tua stanza. Puoi motivarla qui sotto:" "add_comment_description": "La segnalazione sarà inviata ai moderatori della tua stanza. Puoi motivarla qui sotto:"
}, },
"password_reset": { "password_reset": {
"password_reset_required_but_mailer_is_disabled": "Devi reimpostare la tua password, ma non puoi farlo. Contatta il tuo amministratore.", "password_reset_required_but_mailer_is_disabled": "Devi reimpostare la tua password, ma non puoi farlo. Contatta l'amministratore.",
"password_reset_required": "Devi reimpostare la tua password per poter continuare.", "password_reset_required": "Devi reimpostare la tua password per poter continuare.",
"password_reset_disabled": "Non puoi azzerare la tua password. Contatta il tuo amministratore.", "password_reset_disabled": "Non puoi azzerare la tua password. Contatta il tuo amministratore.",
"too_many_requests": "Hai raggiunto il numero massimo di tentativi, riprova più tardi.", "too_many_requests": "Hai raggiunto il numero massimo di tentativi, riprova più tardi.",
@ -808,7 +839,7 @@
"add_reaction": "Reagisci", "add_reaction": "Reagisci",
"favorite": "Gradisci", "favorite": "Gradisci",
"reply": "Rispondi", "reply": "Rispondi",
"repeat": "Ripeti", "repeat": "Condividi",
"media_upload": "Carica allegati" "media_upload": "Carica allegati"
}, },
"display_date": { "display_date": {

View file

@ -86,7 +86,7 @@
"mentions": "通知", "mentions": "通知",
"interactions": "インタラクション", "interactions": "インタラクション",
"dms": "ダイレクトメッセージ", "dms": "ダイレクトメッセージ",
"public_tl": "パブリックタイムライン", "public_tl": "公開タイムライン",
"timeline": "タイムライン", "timeline": "タイムライン",
"twkn": "すべてのネットワーク", "twkn": "すべてのネットワーク",
"user_search": "ユーザーを探す", "user_search": "ユーザーを探す",
@ -96,7 +96,8 @@
"administration": "管理", "administration": "管理",
"bookmarks": "ブックマーク", "bookmarks": "ブックマーク",
"timelines": "タイムライン", "timelines": "タイムライン",
"chats": "チャット" "chats": "チャット",
"home_timeline": "ホームタイムライン"
}, },
"notifications": { "notifications": {
"broken_favorite": "ステータスが見つかりません。探しています…", "broken_favorite": "ステータスが見つかりません。探しています…",
@ -173,14 +174,15 @@
"scope": { "scope": {
"direct": "ダイレクト: メンションされたユーザーのみに届きます", "direct": "ダイレクト: メンションされたユーザーのみに届きます",
"private": "フォロワー限定: フォロワーのみに届きます", "private": "フォロワー限定: フォロワーのみに届きます",
"public": "パブリック: パブリックタイムラインに届きます", "public": "パブリック: 公開タイムラインに届きます",
"unlisted": "アンリステッド: パブリックタイムラインに届きません" "unlisted": "アンリステッド: 公開タイムラインに届きません"
}, },
"media_description_error": "メディアのアップロードに失敗しました。もう一度お試しください", "media_description_error": "メディアのアップロードに失敗しました。もう一度お試しください",
"empty_status_error": "投稿内容を入力してください", "empty_status_error": "投稿内容を入力してください",
"preview_empty": "何もありません", "preview_empty": "何もありません",
"preview": "プレビュー", "preview": "プレビュー",
"media_description": "メディアの説明" "media_description": "メディアの説明",
"post": "投稿"
}, },
"registration": { "registration": {
"bio": "プロフィール", "bio": "プロフィール",
@ -203,7 +205,8 @@
"password_confirmation_match": "パスワードが違います" "password_confirmation_match": "パスワードが違います"
}, },
"reason_placeholder": "このインスタンスは、新規登録を手動で受け付けています。\n登録したい理由を、インスタンスの管理者に教えてください。", "reason_placeholder": "このインスタンスは、新規登録を手動で受け付けています。\n登録したい理由を、インスタンスの管理者に教えてください。",
"reason": "登録するための目的" "reason": "登録するための目的",
"register": "登録"
}, },
"selectable_list": { "selectable_list": {
"select_all": "すべて選択" "select_all": "すべて選択"
@ -323,8 +326,8 @@
"hide_followers_description": "フォロワーを見せない", "hide_followers_description": "フォロワーを見せない",
"hide_follows_count_description": "フォローしている人の数を見せない", "hide_follows_count_description": "フォローしている人の数を見せない",
"hide_followers_count_description": "フォロワーの数を見せない", "hide_followers_count_description": "フォロワーの数を見せない",
"show_admin_badge": "管理者のバッジを見せる", "show_admin_badge": "\"管理者\"のバッジを見せる",
"show_moderator_badge": "モデレーターのバッジを見せる", "show_moderator_badge": "\"モデレーター\"のバッジを見せる",
"nsfw_clickthrough": "NSFWなファイルを隠す", "nsfw_clickthrough": "NSFWなファイルを隠す",
"oauth_tokens": "OAuthトークン", "oauth_tokens": "OAuthトークン",
"token": "トークン", "token": "トークン",
@ -334,8 +337,8 @@
"panelRadius": "パネル", "panelRadius": "パネル",
"pause_on_unfocused": "タブにフォーカスがないときストリーミングを止める", "pause_on_unfocused": "タブにフォーカスがないときストリーミングを止める",
"presets": "プリセット", "presets": "プリセット",
"profile_background": "プロフィールのバックグラウンド", "profile_background": "プロフィールの背景",
"profile_banner": "プロフィールバナー", "profile_banner": "プロフィールバナー",
"profile_tab": "プロフィール", "profile_tab": "プロフィール",
"radii_help": "インターフェースの丸さを設定する", "radii_help": "インターフェースの丸さを設定する",
"replies_in_timeline": "タイムラインのリプライ", "replies_in_timeline": "タイムラインのリプライ",
@ -413,8 +416,8 @@
"contrast": { "contrast": {
"hint": "コントラストは {ratio} です。{level}。({context})", "hint": "コントラストは {ratio} です。{level}。({context})",
"level": { "level": {
"aa": "AAレベルガイドライン (ミニマル) を満たします", "aa": "AAレベルガイドライン (最低限) を満たします",
"aaa": "AAAレベルガイドライン (レコメンデッド) を満たします", "aaa": "AAAレベルガイドライン (推奨) を満たします",
"bad": "ガイドラインを満たしません" "bad": "ガイドラインを満たしません"
}, },
"context": { "context": {
@ -573,7 +576,24 @@
"mute_export": "ミュートのエクスポート", "mute_export": "ミュートのエクスポート",
"allow_following_move": "フォロー中のアカウントが引っ越したとき、自動フォローを許可する", "allow_following_move": "フォロー中のアカウントが引っ越したとき、自動フォローを許可する",
"setting_changed": "規定の設定と異なっています", "setting_changed": "規定の設定と異なっています",
"greentext": "引用を緑色で表示" "greentext": "引用を緑色で表示",
"sensitive_by_default": "はじめから投稿をセンシティブとして設定",
"more_settings": "その他の設定",
"reply_visibility_self_short": "自分宛のリプライを見る",
"reply_visibility_following_short": "フォローしている人に宛てられたリプライを見る",
"hide_all_muted_posts": "ミュートした投稿を隠す",
"hide_media_previews": "メディアのプレビューを隠す",
"word_filter": "単語フィルタ",
"file_export_import": {
"errors": {
"invalid_file": "これはPleromaの設定をバックアップしたファイルではありません。"
},
"restore_settings": "設定をファイルから復元する",
"backup_settings_theme": "テーマを含む設定をファイルにバックアップする",
"backup_settings": "設定をファイルにバックアップする",
"backup_restore": "設定をバックアップ"
},
"save": "変更を保存"
}, },
"time": { "time": {
"day": "{0}日", "day": "{0}日",
@ -709,7 +729,13 @@
"hide_repeats": "リピートを隠す", "hide_repeats": "リピートを隠す",
"message": "メッセージ", "message": "メッセージ",
"hidden": "隠す", "hidden": "隠す",
"bot": "bot" "bot": "bot",
"highlight": {
"solid": "背景を単色にする",
"striped": "背景を縞模様にする",
"side": "端に線を付ける",
"disabled": "強調しない"
}
}, },
"user_profile": { "user_profile": {
"timeline_title": "ユーザータイムライン", "timeline_title": "ユーザータイムライン",
@ -783,8 +809,8 @@
"media_nsfw": "メディアを閲覧注意に設定", "media_nsfw": "メディアを閲覧注意に設定",
"media_removal_desc": "このインスタンスでは、以下のインスタンスからの投稿に対して、メディアを除去します:", "media_removal_desc": "このインスタンスでは、以下のインスタンスからの投稿に対して、メディアを除去します:",
"media_removal": "メディア除去", "media_removal": "メディア除去",
"ftl_removal": "「接続しているすべてのネットワーク」タイムラインから除外", "ftl_removal": "「既知のネットワーク」タイムラインから除外",
"ftl_removal_desc": "このインスタンスでは、以下のインスタンスを「接続しているすべてのネットワーク」タイムラインから除外します:", "ftl_removal_desc": "このインスタンスでは、以下のインスタンスを「既知のネットワーク」タイムラインから除外します:",
"quarantine_desc": "このインスタンスでは、以下のインスタンスに対して公開投稿のみを送信します:", "quarantine_desc": "このインスタンスでは、以下のインスタンスに対して公開投稿のみを送信します:",
"quarantine": "検疫", "quarantine": "検疫",
"reject_desc": "このインスタンスでは、以下のインスタンスからのメッセージを受け付けません:", "reject_desc": "このインスタンスでは、以下のインスタンスからのメッセージを受け付けません:",

View file

@ -77,7 +77,8 @@
"search": "검색", "search": "검색",
"bookmarks": "북마크", "bookmarks": "북마크",
"interactions": "대화", "interactions": "대화",
"administration": "관리" "administration": "관리",
"home_timeline": "홈 타임라인"
}, },
"notifications": { "notifications": {
"broken_favorite": "알 수 없는 게시물입니다, 검색합니다…", "broken_favorite": "알 수 없는 게시물입니다, 검색합니다…",
@ -90,7 +91,8 @@
"no_more_notifications": "알림이 없습니다", "no_more_notifications": "알림이 없습니다",
"migrated_to": "이사했습니다", "migrated_to": "이사했습니다",
"reacted_with": "{0} 로 반응했습니다", "reacted_with": "{0} 로 반응했습니다",
"error": "알림 불러오기 실패: {0}" "error": "알림 불러오기 실패: {0}",
"follow_request": "당신에게 팔로우 신청"
}, },
"post_status": { "post_status": {
"new_status": "새 게시물 게시", "new_status": "새 게시물 게시",
@ -402,10 +404,11 @@
}, },
"mutes_and_blocks": "침묵과 차단", "mutes_and_blocks": "침묵과 차단",
"chatMessageRadius": "챗 메시지", "chatMessageRadius": "챗 메시지",
"change_email": "전자메일 주소 바꾸기", "change_email": "메일주소 바꾸기",
"changed_email": "메일주소가 갱신되었습니다!", "changed_email": "메일주소가 갱신되었습니다!",
"bot": "이 계정은 bot입니다", "bot": "이 계정은 bot입니다",
"mutes_tab": "침묵" "mutes_tab": "침묵",
"app_name": "앱 이름"
}, },
"timeline": { "timeline": {
"collapse": "접기", "collapse": "접기",
@ -468,7 +471,8 @@
}, },
"interactions": { "interactions": {
"follows": "새 팔로워", "follows": "새 팔로워",
"favs_repeats": "반복과 즐겨찾기" "favs_repeats": "반복과 즐겨찾기",
"moves": "계정 통합"
}, },
"emoji": { "emoji": {
"load_all": "전체 {emojiAmount} 이모지 불러오기", "load_all": "전체 {emojiAmount} 이모지 불러오기",
@ -523,8 +527,8 @@
"media_nsfw": "매체를 민감함으로 설정", "media_nsfw": "매체를 민감함으로 설정",
"media_removal_desc": "이 인스턴스에서는 아래의 인스턴스로부터 보내온 투고에 붙혀 있는 매체는 제거됩니다:", "media_removal_desc": "이 인스턴스에서는 아래의 인스턴스로부터 보내온 투고에 붙혀 있는 매체는 제거됩니다:",
"media_removal": "매체 제거", "media_removal": "매체 제거",
"ftl_removal_desc": "이 인스턴스에서 아래의 인스턴스들은 \"알려진 모든 네트워크\" 타임라인에서 제외됩니다:", "ftl_removal_desc": "이 인스턴스에서 아래의 인스턴스들은 \"알려진 네트워크\" 타임라인에서 제외됩니다:",
"ftl_removal": "\"알려진 모든 네트워크\" 타임라인에서 제외", "ftl_removal": "\"알려진 네트워크\" 타임라인에서 제외",
"quarantine_desc": "이 인스턴스는 아래의 인스턴스에게 공개투고만을 보냅니다:", "quarantine_desc": "이 인스턴스는 아래의 인스턴스에게 공개투고만을 보냅니다:",
"quarantine": "검역", "quarantine": "검역",
"reject_desc": "이 인스턴스에서는 아래의 인스턴스로부터 보내온 투고를 받아들이지 않습니다:", "reject_desc": "이 인스턴스에서는 아래의 인스턴스로부터 보내온 투고를 받아들이지 않습니다:",
@ -581,6 +585,10 @@
"day": "{0} 일" "day": "{0} 일"
}, },
"remote_user_resolver": { "remote_user_resolver": {
"error": "찾을 수 없습니다." "error": "찾을 수 없습니다.",
"searching_for": "검색중"
},
"selectable_list": {
"select_all": "모두 선택"
} }
} }

View file

@ -41,8 +41,8 @@
}, },
"importer": { "importer": {
"submit": "Send", "submit": "Send",
"success": "Importering fullført", "success": "Importering fullført.",
"error": "Det oppsto en feil under importering av denne filen" "error": "Det oppsto en feil under importering av denne filen."
}, },
"login": { "login": {
"login": "Logg inn", "login": "Logg inn",
@ -85,7 +85,7 @@
"bookmarks": "Bokmerker" "bookmarks": "Bokmerker"
}, },
"notifications": { "notifications": {
"broken_favorite": "Ukjent status, leter etter den...", "broken_favorite": "Ukjent status, leter etter den",
"favorited_you": "likte din status", "favorited_you": "likte din status",
"followed_you": "fulgte deg", "followed_you": "fulgte deg",
"load_older": "Last eldre varsler", "load_older": "Last eldre varsler",
@ -447,7 +447,8 @@
"title": "Versjon", "title": "Versjon",
"backend_version": "Backend Versjon", "backend_version": "Backend Versjon",
"frontend_version": "Frontend Versjon" "frontend_version": "Frontend Versjon"
} },
"hide_wallpaper": "Skjul instansens bakgrunnsbilde"
}, },
"time": { "time": {
"day": "{0} dag", "day": "{0} dag",
@ -602,5 +603,22 @@
"person_talking": "{count} person snakker om dette", "person_talking": "{count} person snakker om dette",
"people_talking": "{count} personer snakker om dette", "people_talking": "{count} personer snakker om dette",
"no_results": "Ingen resultater" "no_results": "Ingen resultater"
},
"about": {
"mrf": {
"simple": {
"quarantine": "Karantene",
"reject_desc": "Denne instansen vil ikke godta meldinger fra følgende instanser:",
"reject": "Avvis",
"accept_desc": "Denne instansen godtar kun meldinger fra følgende instanser:",
"accept": "Aksepter"
},
"keyword": {
"is_replaced_by": "→",
"replace": "Erstatt",
"reject": "Avvis",
"ftl_removal": "Fjerning fra \"Det hele kjente nettverket\" Tidslinjen"
}
}
} }
} }

View file

@ -5,11 +5,13 @@
"features_panel": { "features_panel": {
"chat": "Chat", "chat": "Chat",
"gopher": "Gopher", "gopher": "Gopher",
"media_proxy": "Media proxy", "media_proxy": "Mediaproxy",
"scope_options": "Zichtbaarheidsopties", "scope_options": "Zichtbaarheidsopties",
"text_limit": "Tekst limiet", "text_limit": "Tekstlimiet",
"title": "Kenmerken", "title": "Kenmerken",
"who_to_follow": "Wie te volgen" "who_to_follow": "Wie te volgen",
"upload_limit": "Upload limiet",
"pleroma_chat_messages": "Pleroma Chat"
}, },
"finder": { "finder": {
"error_fetching_user": "Fout tijdens ophalen gebruiker", "error_fetching_user": "Fout tijdens ophalen gebruiker",
@ -17,11 +19,11 @@
}, },
"general": { "general": {
"apply": "Toepassen", "apply": "Toepassen",
"submit": "Verzend", "submit": "Verzenden",
"more": "Meer", "more": "Meer",
"optional": "optioneel", "optional": "optioneel",
"show_more": "Bekijk meer", "show_more": "Meer tonen",
"show_less": "Bekijk minder", "show_less": "Minder tonen",
"dismiss": "Opheffen", "dismiss": "Opheffen",
"cancel": "Annuleren", "cancel": "Annuleren",
"disable": "Uitschakelen", "disable": "Uitschakelen",
@ -29,28 +31,32 @@
"confirm": "Bevestigen", "confirm": "Bevestigen",
"verify": "Verifiëren", "verify": "Verifiëren",
"generic_error": "Er is een fout opgetreden", "generic_error": "Er is een fout opgetreden",
"peek": "Spiek", "peek": "Spieken",
"close": "Sluiten", "close": "Sluiten",
"retry": "Opnieuw proberen", "retry": "Opnieuw proberen",
"error_retry": "Probeer het opnieuw", "error_retry": "Probeer het opnieuw",
"loading": "Laden…" "loading": "Laden…",
"role": {
"moderator": "Moderator",
"admin": "Beheerder"
}
}, },
"login": { "login": {
"login": "Log in", "login": "Inloggen",
"description": "Log in met OAuth", "description": "Inloggen met OAuth",
"logout": "Uitloggen", "logout": "Uitloggen",
"password": "Wachtwoord", "password": "Wachtwoord",
"placeholder": "bijv. lain", "placeholder": "bijv. barbapapa",
"register": "Registreren", "register": "Registreren",
"username": "Gebruikersnaam", "username": "Gebruikersnaam",
"hint": "Log in om deel te nemen aan de discussie", "hint": "Log in om deel te nemen aan de discussie",
"authentication_code": "Authenticatie code", "authentication_code": "Authenticatiecode",
"enter_recovery_code": "Voer een herstelcode in", "enter_recovery_code": "Voer een herstelcode in",
"enter_two_factor_code": "Voer een twee-factor code in", "enter_two_factor_code": "Voer een twee-factorcode in",
"recovery_code": "Herstelcode", "recovery_code": "Herstelcode",
"heading": { "heading": {
"totp": "Twee-factor authenticatie", "totp": "Twee-factorauthenticatie",
"recovery": "Twee-factor herstelling" "recovery": "Twee-factorherstelling"
} }
}, },
"nav": { "nav": {
@ -59,35 +65,40 @@
"chat": "Lokale Chat", "chat": "Lokale Chat",
"friend_requests": "Volgverzoeken", "friend_requests": "Volgverzoeken",
"mentions": "Vermeldingen", "mentions": "Vermeldingen",
"dms": "Directe Berichten", "dms": "Privéberichten",
"public_tl": "Publieke Tijdlijn", "public_tl": "Openbare tijdlijn",
"timeline": "Tijdlijn", "timeline": "Tijdlijn",
"twkn": "Het Geheel Bekende Netwerk", "twkn": "Bekende Netwerk",
"user_search": "Gebruiker Zoeken", "user_search": "Gebruiker Zoeken",
"who_to_follow": "Wie te volgen", "who_to_follow": "Wie te volgen",
"preferences": "Voorkeuren", "preferences": "Voorkeuren",
"administration": "Administratie", "administration": "Beheer",
"search": "Zoeken", "search": "Zoeken",
"interactions": "Interacties" "interactions": "Interacties",
"chats": "Chats",
"home_timeline": "Thuis tijdlijn",
"timelines": "Tijdlijnen",
"bookmarks": "Bladwijzers"
}, },
"notifications": { "notifications": {
"broken_favorite": "Onbekende status, aan het zoeken…", "broken_favorite": "Onbekende status, aan het zoeken…",
"favorited_you": "vond je status leuk", "favorited_you": "vond je status leuk",
"followed_you": "volgt jou", "followed_you": "volgt jou",
"load_older": "Laad oudere meldingen", "load_older": "Oudere meldingen laden",
"notifications": "Meldingen", "notifications": "Meldingen",
"read": "Gelezen!", "read": "Gelezen!",
"repeated_you": "Herhaalde je status", "repeated_you": "herhaalde je status",
"no_more_notifications": "Geen meldingen meer", "no_more_notifications": "Geen meldingen meer",
"migrated_to": "is gemigreerd naar", "migrated_to": "is gemigreerd naar",
"follow_request": "wil je volgen", "follow_request": "wil je volgen",
"reacted_with": "reageerde met {0}" "reacted_with": "reageerde met {0}",
"error": "Fout bij ophalen van meldingen: {0}"
}, },
"post_status": { "post_status": {
"new_status": "Nieuwe status plaatsen", "new_status": "Nieuwe status plaatsen",
"account_not_locked_warning": "Je account is niet {0}. Iedereen kan je volgen om je alleen-volgers berichten te lezen.", "account_not_locked_warning": "Je account is niet {0}. Iedereen kan je volgen om je alleen-volgers-berichten te lezen.",
"account_not_locked_warning_link": "gesloten", "account_not_locked_warning_link": "gesloten",
"attachments_sensitive": "Markeer bijlagen als gevoelig", "attachments_sensitive": "Bijlagen als gevoelig markeren",
"content_type": { "content_type": {
"text/plain": "Platte tekst", "text/plain": "Platte tekst",
"text/html": "HTML", "text/html": "HTML",
@ -99,26 +110,32 @@
"direct_warning": "Deze post zal enkel zichtbaar zijn voor de personen die genoemd zijn.", "direct_warning": "Deze post zal enkel zichtbaar zijn voor de personen die genoemd zijn.",
"posting": "Plaatsen", "posting": "Plaatsen",
"scope": { "scope": {
"direct": "Direct - Post enkel naar vermelde gebruikers", "direct": "Privé - bericht enkel naar vermelde gebruikers sturen",
"private": "Enkel volgers - Post enkel naar volgers", "private": "Enkel volgers - bericht enkel naar volgers sturen",
"public": "Publiek - Post op publieke tijdlijnen", "public": "Openbaar - bericht op openbare tijdlijnen plaatsen",
"unlisted": "Niet Vermelden - Niet tonen op publieke tijdlijnen" "unlisted": "Niet vermelden - niet tonen op openbare tijdlijnen"
}, },
"direct_warning_to_all": "Dit bericht zal zichtbaar zijn voor alle vermelde gebruikers.", "direct_warning_to_all": "Dit bericht zal zichtbaar zijn voor alle vermelde gebruikers.",
"direct_warning_to_first_only": "Dit bericht zal alleen zichtbaar zijn voor de vermelde gebruikers aan het begin van het bericht.", "direct_warning_to_first_only": "Dit bericht zal alleen zichtbaar zijn voor de vermelde gebruikers aan het begin van het bericht.",
"scope_notice": { "scope_notice": {
"public": "Dit bericht zal voor iedereen zichtbaar zijn", "public": "Dit bericht zal voor iedereen zichtbaar zijn",
"unlisted": "Dit bericht zal niet zichtbaar zijn in de Publieke Tijdlijn en Het Geheel Bekende Netwerk", "unlisted": "Dit bericht zal niet zichtbaar zijn in de Openbare Tijdlijn en Het Geheel Bekende Netwerk",
"private": "Dit bericht zal voor alleen je volgers zichtbaar zijn" "private": "Dit bericht zal voor alleen je volgers zichtbaar zijn"
} },
"post": "Bericht",
"empty_status_error": "Kan geen lege status zonder bijlagen plaatsen",
"preview_empty": "Leeg",
"preview": "Voorbeeld",
"media_description": "Mediaomschrijving",
"media_description_error": "Kon media niet ophalen, probeer het opnieuw"
}, },
"registration": { "registration": {
"bio": "Bio", "bio": "Bio",
"email": "Email", "email": "E-mail",
"fullname": "Weergave naam", "fullname": "Weergavenaam",
"password_confirm": "Wachtwoord bevestiging", "password_confirm": "Wachtwoord bevestiging",
"registration": "Registratie", "registration": "Registratie",
"token": "Uitnodigings-token", "token": "Uitnodigingstoken",
"captcha": "CAPTCHA", "captcha": "CAPTCHA",
"new_captcha": "Klik op de afbeelding voor een nieuwe captcha", "new_captcha": "Klik op de afbeelding voor een nieuwe captcha",
"validations": { "validations": {
@ -131,13 +148,16 @@
}, },
"username_placeholder": "bijv. lain", "username_placeholder": "bijv. lain",
"fullname_placeholder": "bijv. Lain Iwakura", "fullname_placeholder": "bijv. Lain Iwakura",
"bio_placeholder": "bijv.\nHallo, ik ben Lain.\nIk ben een anime meisje woonachtig in een buitenwijk in Japan. Je kent me misschien van the Wired." "bio_placeholder": "bijv.\nHallo, ik ben Lain.\nIk ben een animemeisje woonachtig in een buitenwijk in Japan. Je kent me misschien van the Wired.",
"reason_placeholder": "Deze instantie keurt registraties handmatig goed.\nLaat de beheerder weten waarom je wilt registreren.",
"reason": "Reden voor registratie",
"register": "Registreren"
}, },
"settings": { "settings": {
"attachmentRadius": "Bijlages", "attachmentRadius": "Bijlages",
"attachments": "Bijlages", "attachments": "Bijlages",
"avatar": "Avatar", "avatar": "Avatar",
"avatarAltRadius": "Avatars (Meldingen)", "avatarAltRadius": "Avatars (meldingen)",
"avatarRadius": "Avatars", "avatarRadius": "Avatars",
"background": "Achtergrond", "background": "Achtergrond",
"bio": "Bio", "bio": "Bio",
@ -146,7 +166,7 @@
"cGreen": "Groen (Herhalen)", "cGreen": "Groen (Herhalen)",
"cOrange": "Oranje (Favoriet)", "cOrange": "Oranje (Favoriet)",
"cRed": "Rood (Annuleren)", "cRed": "Rood (Annuleren)",
"change_password": "Wachtwoord Wijzigen", "change_password": "Wachtwoord wijzigen",
"change_password_error": "Er is een fout opgetreden bij het wijzigen van je wachtwoord.", "change_password_error": "Er is een fout opgetreden bij het wijzigen van je wachtwoord.",
"changed_password": "Wachtwoord succesvol gewijzigd!", "changed_password": "Wachtwoord succesvol gewijzigd!",
"collapse_subject": "Klap berichten met een onderwerp in", "collapse_subject": "Klap berichten met een onderwerp in",
@ -155,30 +175,30 @@
"current_avatar": "Je huidige avatar", "current_avatar": "Je huidige avatar",
"current_password": "Huidig wachtwoord", "current_password": "Huidig wachtwoord",
"current_profile_banner": "Je huidige profiel banner", "current_profile_banner": "Je huidige profiel banner",
"data_import_export_tab": "Data Import / Export", "data_import_export_tab": "Data-import / export",
"default_vis": "Standaard zichtbaarheidsbereik", "default_vis": "Standaard zichtbaarheidsbereik",
"delete_account": "Account Verwijderen", "delete_account": "Account verwijderen",
"delete_account_description": "Permanent je gegevens verwijderen en account deactiveren.", "delete_account_description": "Permanent je gegevens verwijderen en account deactiveren.",
"delete_account_error": "Er is een fout opgetreden bij het verwijderen van je account. Indien dit probleem zich voor blijft doen, neem dan contact op met de beheerder van deze instantie.", "delete_account_error": "Er is een fout opgetreden bij het verwijderen van je account. Indien dit probleem zich voor blijft doen, neem dan contact op met de beheerder van deze instantie.",
"delete_account_instructions": "Voer je wachtwoord in het onderstaande invoerveld in om het verwijderen van je account te bevestigen.", "delete_account_instructions": "Voer je wachtwoord in het onderstaande invoerveld in om het verwijderen van je account te bevestigen.",
"export_theme": "Preset opslaan", "export_theme": "Voorinstelling opslaan",
"filtering": "Filtering", "filtering": "Filtering",
"filtering_explanation": "Alle statussen die deze woorden bevatten worden genegeerd, één filter per lijn", "filtering_explanation": "Alle statussen die deze woorden bevatten worden genegeerd, één filter per regel",
"follow_export": "Volgers exporteren", "follow_export": "Volgers exporteren",
"follow_export_button": "Exporteer je volgers naar een csv bestand", "follow_export_button": "Exporteer je volgers naar een csv-bestand",
"follow_export_processing": "Aan het verwerken, binnen enkele ogenblikken wordt je gevraagd je bestand te downloaden", "follow_export_processing": "Aan het verwerken, binnen enkele ogenblikken wordt je gevraagd je bestand te downloaden",
"follow_import": "Volgers importeren", "follow_import": "Volgers importeren",
"follow_import_error": "Fout bij importeren volgers", "follow_import_error": "Fout bij importeren volgers",
"follows_imported": "Volgers geïmporteerd! Het kan even duren voordat deze verwerkt zijn.", "follows_imported": "Volgers geïmporteerd! Het kan even duren voordat deze verwerkt zijn.",
"foreground": "Voorgrond", "foreground": "Voorgrond",
"general": "Algemeen", "general": "Algemeen",
"hide_attachments_in_convo": "Verberg bijlages in conversaties", "hide_attachments_in_convo": "Bijlagen in conversaties verbergen",
"hide_attachments_in_tl": "Verberg bijlages in de tijdlijn", "hide_attachments_in_tl": "Bijlagen in tijdlijn verbergen",
"hide_isp": "Verberg instantie-specifiek paneel", "hide_isp": "Instantie-specifiek paneel verbergen",
"preload_images": "Afbeeldingen vooraf laden", "preload_images": "Afbeeldingen vooraf laden",
"hide_post_stats": "Verberg bericht statistieken (bijv. het aantal favorieten)", "hide_post_stats": "Bericht statistieken verbergen (bijv. het aantal favorieten)",
"hide_user_stats": "Verberg bericht statistieken (bijv. het aantal volgers)", "hide_user_stats": "Gebruikers-statistieken verbergen (bijv. het aantal volgers)",
"import_followers_from_a_csv_file": "Importeer volgers uit een csv bestand", "import_followers_from_a_csv_file": "Gevolgden uit een csv bestand importeren",
"import_theme": "Preset laden", "import_theme": "Preset laden",
"inputRadius": "Invoervelden", "inputRadius": "Invoervelden",
"checkboxRadius": "Checkboxen", "checkboxRadius": "Checkboxen",
@ -186,35 +206,35 @@
"instance_default_simple": "(standaard)", "instance_default_simple": "(standaard)",
"interface": "Interface", "interface": "Interface",
"interfaceLanguage": "Interface taal", "interfaceLanguage": "Interface taal",
"invalid_theme_imported": "Het geselecteerde bestand is geen door Pleroma ondersteund thema. Er zijn geen aanpassingen gedaan.", "invalid_theme_imported": "Het geselecteerde bestand is niet een door Pleroma ondersteund thema. Er zijn geen aanpassingen gedaan.",
"limited_availability": "Niet beschikbaar in je browser", "limited_availability": "Niet beschikbaar in je browser",
"links": "Links", "links": "Links",
"lock_account_description": "Laat volgers enkel toe na expliciete toestemming", "lock_account_description": "Volgers enkel na expliciete toestemming toelaten",
"loop_video": "Herhaal video's", "loop_video": "Video's herhalen",
"loop_video_silent_only": "Herhaal enkel video's zonder geluid (bijv. Mastodon's \"gifs\")", "loop_video_silent_only": "Enkel video's zonder geluid herhalen (bijv. Mastodon's \"gifs\")",
"name": "Naam", "name": "Naam",
"name_bio": "Naam & Bio", "name_bio": "Naam & bio",
"new_password": "Nieuw wachtwoord", "new_password": "Nieuw wachtwoord",
"notification_visibility": "Type meldingen die getoond worden", "notification_visibility": "Type meldingen die getoond worden",
"notification_visibility_follows": "Volgingen", "notification_visibility_follows": "Gevolgden",
"notification_visibility_likes": "Vind-ik-leuks", "notification_visibility_likes": "Favorieten",
"notification_visibility_mentions": "Vermeldingen", "notification_visibility_mentions": "Vermeldingen",
"notification_visibility_repeats": "Herhalingen", "notification_visibility_repeats": "Herhalingen",
"no_rich_text_description": "Verwijder rich text formattering van alle berichten", "no_rich_text_description": "Verwijder rich text formattering van alle berichten",
"hide_network_description": "Toon niet wie mij volgt en wie ik volg.", "hide_network_description": "Toon niet wie mij volgt en wie ik volg.",
"nsfw_clickthrough": "Doorklikbaar verbergen van gevoelige bijlages inschakelen", "nsfw_clickthrough": "Doorklikbaar verbergen van gevoelige bijlages en link voorbeelden inschakelen",
"oauth_tokens": "OAuth-tokens", "oauth_tokens": "OAuth-tokens",
"token": "Token", "token": "Token",
"refresh_token": "Token Vernieuwen", "refresh_token": "Token vernieuwen",
"valid_until": "Geldig tot", "valid_until": "Geldig tot",
"revoke_token": "Intrekken", "revoke_token": "Intrekken",
"panelRadius": "Panelen", "panelRadius": "Panelen",
"pause_on_unfocused": "Streamen pauzeren wanneer de tab niet in focus is", "pause_on_unfocused": "Streamen pauzeren wanneer de tab niet in focus is",
"presets": "Presets", "presets": "Presets",
"profile_background": "Profiel Achtergrond", "profile_background": "Profiel achtergrond",
"profile_banner": "Profiel Banner", "profile_banner": "Profiel banner",
"profile_tab": "Profiel", "profile_tab": "Profiel",
"radii_help": "Stel afronding van hoeken in de interface in (in pixels)", "radii_help": "Afronding van hoeken in de interface instellen (in pixels)",
"replies_in_timeline": "Antwoorden in tijdlijn", "replies_in_timeline": "Antwoorden in tijdlijn",
"reply_visibility_all": "Alle antwoorden tonen", "reply_visibility_all": "Alle antwoorden tonen",
"reply_visibility_following": "Enkel antwoorden tonen die aan mij of gevolgde gebruikers gericht zijn", "reply_visibility_following": "Enkel antwoorden tonen die aan mij of gevolgde gebruikers gericht zijn",
@ -222,13 +242,13 @@
"saving_err": "Fout tijdens opslaan van instellingen", "saving_err": "Fout tijdens opslaan van instellingen",
"saving_ok": "Instellingen opgeslagen", "saving_ok": "Instellingen opgeslagen",
"security_tab": "Beveiliging", "security_tab": "Beveiliging",
"scope_copy": "Neem bereik over bij beantwoorden (Directe Berichten blijven altijd Direct)", "scope_copy": "Bereik overnemen bij beantwoorden (Privéberichten blijven altijd privé)",
"set_new_avatar": "Nieuwe avatar instellen", "set_new_avatar": "Nieuwe avatar instellen",
"set_new_profile_background": "Nieuwe profiel achtergrond instellen", "set_new_profile_background": "Nieuwe profiel achtergrond instellen",
"set_new_profile_banner": "Nieuwe profiel banner instellen", "set_new_profile_banner": "Nieuwe profiel banner instellen",
"settings": "Instellingen", "settings": "Instellingen",
"subject_input_always_show": "Altijd onderwerpveld tonen", "subject_input_always_show": "Altijd onderwerpveld tonen",
"subject_line_behavior": "Onderwerp kopiëren bij antwoorden", "subject_line_behavior": "Onderwerp kopiëren bij beantwoorden",
"subject_line_email": "Zoals email: \"re: onderwerp\"", "subject_line_email": "Zoals email: \"re: onderwerp\"",
"subject_line_mastodon": "Zoals mastodon: kopieer zoals het is", "subject_line_mastodon": "Zoals mastodon: kopieer zoals het is",
"subject_line_noop": "Niet kopiëren", "subject_line_noop": "Niet kopiëren",
@ -236,7 +256,7 @@
"streaming": "Automatisch streamen van nieuwe berichten inschakelen wanneer tot boven gescrold is", "streaming": "Automatisch streamen van nieuwe berichten inschakelen wanneer tot boven gescrold is",
"text": "Tekst", "text": "Tekst",
"theme": "Thema", "theme": "Thema",
"theme_help": "Gebruik hex color codes (#rrggbb) om je kleurschema te wijzigen.", "theme_help": "Hex kleur codes (#rrggbb) gebruiken om je kleur thema te wijzigen.",
"theme_help_v2_1": "Je kan ook de kleur en transparantie van bepaalde componenten overschrijven door de checkbox aan te vinken, gebruik de \"Alles wissen\" knop om alle overschrijvingen te annuleren.", "theme_help_v2_1": "Je kan ook de kleur en transparantie van bepaalde componenten overschrijven door de checkbox aan te vinken, gebruik de \"Alles wissen\" knop om alle overschrijvingen te annuleren.",
"theme_help_v2_2": "Iconen onder sommige onderdelen zijn achtergrond/tekst contrast indicatoren, zweef er over voor gedetailleerde info. Hou er rekening mee dat bij doorzichtigheid de ergst mogelijke situatie wordt weer gegeven.", "theme_help_v2_2": "Iconen onder sommige onderdelen zijn achtergrond/tekst contrast indicatoren, zweef er over voor gedetailleerde info. Hou er rekening mee dat bij doorzichtigheid de ergst mogelijke situatie wordt weer gegeven.",
"tooltipRadius": "Tooltips/alarmen", "tooltipRadius": "Tooltips/alarmen",
@ -323,7 +343,13 @@
"popover": "Tooltips, menu's, popovers", "popover": "Tooltips, menu's, popovers",
"post": "Berichten / Gebruiker bios", "post": "Berichten / Gebruiker bios",
"alert_neutral": "Neutraal", "alert_neutral": "Neutraal",
"alert_warning": "Waarschuwing" "alert_warning": "Waarschuwing",
"chat": {
"border": "Rand",
"outgoing": "Uitgaand",
"incoming": "Binnenkomend"
},
"wallpaper": "Achtergrond"
}, },
"radii": { "radii": {
"_tab_label": "Rondheid" "_tab_label": "Rondheid"
@ -399,50 +425,50 @@
"setup_otp": "OTP instellen", "setup_otp": "OTP instellen",
"wait_pre_setup_otp": "OTP voorinstellen", "wait_pre_setup_otp": "OTP voorinstellen",
"confirm_and_enable": "Bevestig en schakel OTP in", "confirm_and_enable": "Bevestig en schakel OTP in",
"title": "Twee-factor Authenticatie", "title": "Twee-factorauthenticatie",
"generate_new_recovery_codes": "Genereer nieuwe herstelcodes", "generate_new_recovery_codes": "Genereer nieuwe herstelcodes",
"recovery_codes": "Herstelcodes.", "recovery_codes": "Herstelcodes.",
"waiting_a_recovery_codes": "Backup codes ontvangen…", "waiting_a_recovery_codes": "Back-upcodes ontvangen…",
"authentication_methods": "Authenticatie methodes", "authentication_methods": "Authenticatiemethodes",
"scan": { "scan": {
"title": "Scannen", "title": "Scannen",
"desc": "Scan de QR code of voer een sleutel in met je twee-factor applicatie:", "desc": "Scan de QR-code of voer een sleutel in met je twee-factorapplicatie:",
"secret_code": "Sleutel" "secret_code": "Sleutel"
}, },
"verify": { "verify": {
"desc": "Voer de code van je twee-factor applicatie in om twee-factor authenticatie in te schakelen:" "desc": "Voer de code van je twee-factorapplicatie in om twee-factorauthenticatie in te schakelen:"
}, },
"warning_of_generate_new_codes": "Wanneer je nieuwe herstelcodes genereert, zullen je oude code niet langer werken.", "warning_of_generate_new_codes": "Wanneer je nieuwe herstelcodes genereert, zullen je oude codes niet langer werken.",
"recovery_codes_warning": "Schrijf de codes op of sla ze op een veilige locatie op - anders kun je ze niet meer inzien. Als je toegang tot je 2FA app en herstelcodes verliest, zal je buitengesloten zijn uit je account." "recovery_codes_warning": "Schrijf de codes op of sla ze op een veilige locatie op - anders kun je ze niet meer inzien. Als je toegang tot je 2FA-app en herstelcodes verliest, zal je buitengesloten zijn van je account."
}, },
"allow_following_move": "Automatisch volgen toestaan wanneer een gevolgd account migreert", "allow_following_move": "Automatisch volgen toestaan wanneer een gevolgd account migreert",
"block_export": "Blokkades exporteren", "block_export": "Blokkades exporteren",
"block_import": "Blokkades importeren", "block_import": "Blokkades importeren",
"blocks_imported": "Blokkades geïmporteerd! Het kan even duren voordat deze verwerkt zijn.", "blocks_imported": "Blokkades geïmporteerd! Het kan even duren voordat deze verwerkt zijn.",
"blocks_tab": "Blokkades", "blocks_tab": "Blokkades",
"change_email": "Email wijzigen", "change_email": "E-mail wijzigen",
"change_email_error": "Er is een fout opgetreden tijdens het wijzigen van je email.", "change_email_error": "Er is een fout opgetreden tijdens het wijzigen van je e-mailadres.",
"changed_email": "Email succesvol gewijzigd!", "changed_email": "E-mailadres succesvol gewijzigd!",
"domain_mutes": "Domeinen", "domain_mutes": "Domeinen",
"avatar_size_instruction": "De aangeraden minimale afmeting voor avatar afbeeldingen is 150x150 pixels.", "avatar_size_instruction": "De aangeraden minimale afmeting voor avatar-afbeeldingen is 150x150 pixels.",
"pad_emoji": "Vul emoji aan met spaties wanneer deze met de picker ingevoegd worden", "pad_emoji": "Vul emoji aan met spaties wanneer deze met de picker ingevoegd worden",
"emoji_reactions_on_timeline": "Toon emoji reacties op de tijdlijn", "emoji_reactions_on_timeline": "Toon emoji-reacties op de tijdlijn",
"accent": "Accent", "accent": "Accent",
"hide_muted_posts": "Verberg berichten van genegeerde gebruikers", "hide_muted_posts": "Berichten van genegeerde gebruikers verbergen",
"max_thumbnails": "Maximaal aantal miniaturen per bericht", "max_thumbnails": "Maximaal aantal miniaturen per bericht",
"use_one_click_nsfw": "Open gevoelige bijlagen met slechts één klik", "use_one_click_nsfw": "Gevoelige bijlagen met slechts één klik openen",
"hide_filtered_statuses": "Gefilterde statussen verbergen", "hide_filtered_statuses": "Gefilterde statussen verbergen",
"import_blocks_from_a_csv_file": "Importeer blokkades van een csv bestand", "import_blocks_from_a_csv_file": "Blokkades van een csv bestand importeren",
"mutes_tab": "Negeringen", "mutes_tab": "Genegeerden",
"play_videos_in_modal": "Speel video's af in een popup frame", "play_videos_in_modal": "Video's in een popup frame afspelen",
"new_email": "Nieuwe Email", "new_email": "Nieuwe e-mail",
"notification_visibility_emoji_reactions": "Reacties", "notification_visibility_emoji_reactions": "Reacties",
"no_blocks": "Geen blokkades", "no_blocks": "Geen blokkades",
"no_mutes": "Geen negeringen", "no_mutes": "Geen genegeerden",
"hide_followers_description": "Niet tonen wie mij volgt", "hide_followers_description": "Niet tonen wie mij volgt",
"hide_followers_count_description": "Niet mijn volgers aantal tonen", "hide_followers_count_description": "Niet mijn volgers aantal tonen",
"hide_follows_count_description": "Niet mijn gevolgde aantal tonen", "hide_follows_count_description": "Niet mijn gevolgde aantal tonen",
"show_admin_badge": "Beheerders badge tonen in mijn profiel", "show_admin_badge": "\"Beheerder\" badge in mijn profiel tonen",
"autohide_floating_post_button": "Nieuw Bericht knop automatisch verbergen (mobiel)", "autohide_floating_post_button": "Nieuw Bericht knop automatisch verbergen (mobiel)",
"search_user_to_block": "Zoek wie je wilt blokkeren", "search_user_to_block": "Zoek wie je wilt blokkeren",
"search_user_to_mute": "Zoek wie je wilt negeren", "search_user_to_mute": "Zoek wie je wilt negeren",
@ -452,31 +478,69 @@
"useStreamingApi": "Berichten en meldingen in real-time ontvangen", "useStreamingApi": "Berichten en meldingen in real-time ontvangen",
"useStreamingApiWarning": "(Afgeraden, experimenteel, kan berichten overslaan)", "useStreamingApiWarning": "(Afgeraden, experimenteel, kan berichten overslaan)",
"type_domains_to_mute": "Zoek domeinen om te negeren", "type_domains_to_mute": "Zoek domeinen om te negeren",
"upload_a_photo": "Upload een foto", "upload_a_photo": "Foto uploaden",
"fun": "Plezier", "fun": "Plezier",
"greentext": "Meme pijlen", "greentext": "Meme pijlen",
"block_export_button": "Exporteer je geblokkeerde gebruikers naar een csv bestand", "block_export_button": "Exporteer je geblokkeerde gebruikers naar een csv-bestand",
"block_import_error": "Fout bij importeren blokkades", "block_import_error": "Fout bij importeren blokkades",
"discoverable": "Sta toe dat dit account ontdekt kan worden in zoekresultaten en andere diensten", "discoverable": "Sta toe dat dit account ontdekt kan worden in zoekresultaten en andere diensten",
"use_contain_fit": "Snij bijlage in miniaturen niet bij", "use_contain_fit": "Bijlage in miniaturen niet bijsnijden",
"notification_visibility_moves": "Gebruiker Migraties", "notification_visibility_moves": "Gebruiker Migraties",
"hide_follows_description": "Niet tonen wie ik volg", "hide_follows_description": "Niet tonen wie ik volg",
"show_moderator_badge": "Moderators badge tonen in mijn profiel", "show_moderator_badge": "\"Moderator\" badge in mijn profiel tonen",
"notification_setting_filters": "Filters", "notification_setting_filters": "Filters",
"notification_blocks": "Door een gebruiker te blokkeren, ontvang je geen meldingen meer van de gebruiker en wordt je abonnement op de gebruiker opgeheven.", "notification_blocks": "Door een gebruiker te blokkeren, ontvang je geen meldingen meer van de gebruiker en wordt je abonnement op de gebruiker opgeheven.",
"version": { "version": {
"frontend_version": "Frontend Versie", "frontend_version": "Frontend versie",
"backend_version": "Backend Versie", "backend_version": "Backend versie",
"title": "Versie" "title": "Versie"
}, },
"mutes_and_blocks": "Negeringen en Blokkades", "mutes_and_blocks": "Negeringen en Blokkades",
"profile_fields": { "profile_fields": {
"value": "Inhoud", "value": "Inhoud",
"name": "Label", "name": "Label",
"add_field": "Veld Toevoegen", "add_field": "Veld toevoegen",
"label": "Profiel metadata" "label": "Profiel metadata"
}, },
"bot": "Dit is een bot account" "bot": "Dit is een bot-account",
"setting_changed": "Instelling verschilt van standaard waarde",
"save": "Wijzigingen opslaan",
"hide_media_previews": "Media voorbeelden verbergen",
"word_filter": "Woord filter",
"chatMessageRadius": "Chatbericht",
"mute_export": "Genegeerden export",
"mute_export_button": "Exporteer je genegeerden naar een csv-bestand",
"mute_import_error": "Fout tijdens het importeren van genegeerden",
"mute_import": "Genegeerden import",
"mutes_imported": "Genegeerden geïmporteerd! Het kan even duren voordat deze verwerkt zijn.",
"more_settings": "Meer instellingen",
"notification_setting_hide_notification_contents": "Afzender en inhoud van push meldingen verbergen",
"notification_setting_block_from_strangers": "Meldingen van gebruikers die je niet volgt blokkeren",
"virtual_scrolling": "Tijdlijn rendering optimaliseren",
"sensitive_by_default": "Berichten standaard als gevoelig markeren",
"reset_avatar_confirm": "Wil je echt de avatar herstellen?",
"reset_banner_confirm": "Wil je echt de banner herstellen?",
"reset_background_confirm": "Wil je echt de achtergrond herstellen?",
"reset_profile_banner": "Profiel banner herstellen",
"reset_profile_background": "Profiel achtergrond herstellen",
"reset_avatar": "Avatar herstellen",
"reply_visibility_self_short": "Alleen antwoorden aan mijzelf tonen",
"reply_visibility_following_short": "Antwoorden naar mijn gevolgden tonen",
"file_export_import": {
"errors": {
"file_slightly_new": "Bestand minor versie is verschillend, sommige instellingen kunnen mogelijk niet worden geladen",
"file_too_old": "Incompatibele hoofdversie: {fileMajor}, bestandsversie is te oud en wordt niet ondersteund (minimale versie {feMajor})",
"file_too_new": "Incompatibele hoofdversie: {fileMajor}, deze PleromaFE (instellingen versie {feMajor}) is te oud om deze te ondersteunen",
"invalid_file": "Het geselecteerde bestand is niet een door Pleroma ondersteunde instellingen back-up. Er zijn geen wijzigingen gemaakt."
},
"restore_settings": "Instellingen uit bestand herstellen",
"backup_settings_theme": "Instellingen en thema naar bestand back-uppen",
"backup_settings": "Instellingen naar bestand back-uppen",
"backup_restore": "Instellingen backup"
},
"hide_wallpaper": "Instantie achtergrond verbergen",
"hide_all_muted_posts": "Genegeerde berichten verbergen",
"import_mutes_from_a_csv_file": "Importeer genegeerden van een csv bestand"
}, },
"timeline": { "timeline": {
"collapse": "Inklappen", "collapse": "Inklappen",
@ -488,7 +552,11 @@
"show_new": "Nieuwe tonen", "show_new": "Nieuwe tonen",
"up_to_date": "Up-to-date", "up_to_date": "Up-to-date",
"no_statuses": "Geen statussen", "no_statuses": "Geen statussen",
"no_more_statuses": "Geen statussen meer" "no_more_statuses": "Geen statussen meer",
"socket_broke": "Realtime verbinding verloren: CloseEvent code {0}",
"socket_reconnected": "Realtime verbinding opgezet",
"reload": "Verversen",
"error": "Fout tijdens het ophalen van tijdlijn: {0}"
}, },
"user_card": { "user_card": {
"approve": "Goedkeuren", "approve": "Goedkeuren",
@ -543,10 +611,18 @@
"report": "Aangeven", "report": "Aangeven",
"mention": "Vermelding", "mention": "Vermelding",
"media": "Media", "media": "Media",
"hidden": "Verborgen" "hidden": "Verborgen",
"highlight": {
"side": "Zijstreep",
"striped": "Gestreepte achtergrond",
"solid": "Effen achtergrond",
"disabled": "Geen highlight"
},
"bot": "Bot",
"message": "Bericht"
}, },
"user_profile": { "user_profile": {
"timeline_title": "Gebruikers Tijdlijn", "timeline_title": "Gebruikerstijdlijn",
"profile_loading_error": "Sorry, er is een fout opgetreden bij het laden van dit profiel.", "profile_loading_error": "Sorry, er is een fout opgetreden bij het laden van dit profiel.",
"profile_does_not_exist": "Sorry, dit profiel bestaat niet." "profile_does_not_exist": "Sorry, dit profiel bestaat niet."
}, },
@ -555,20 +631,22 @@
"who_to_follow": "Wie te volgen" "who_to_follow": "Wie te volgen"
}, },
"tool_tip": { "tool_tip": {
"media_upload": "Media Uploaden", "media_upload": "Media uploaden",
"repeat": "Herhalen", "repeat": "Herhalen",
"reply": "Beantwoorden", "reply": "Beantwoorden",
"favorite": "Favoriet maken", "favorite": "Favoriet maken",
"user_settings": "Gebruikers Instellingen", "user_settings": "Gebruikers Instellingen",
"reject_follow_request": "Volg-verzoek afwijzen", "reject_follow_request": "Volg-verzoek afwijzen",
"accept_follow_request": "Volg-aanvraag accepteren", "accept_follow_request": "Volg-aanvraag accepteren",
"add_reaction": "Reactie toevoegen" "add_reaction": "Reactie toevoegen",
"bookmark": "Bladwijzer"
}, },
"upload": { "upload": {
"error": { "error": {
"base": "Upload mislukt.", "base": "Upload mislukt.",
"file_too_big": "Bestand is te groot [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]", "file_too_big": "Bestand is te groot [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]",
"default": "Probeer het later opnieuw" "default": "Probeer het later opnieuw",
"message": "Upload is mislukt: {0}"
}, },
"file_size_units": { "file_size_units": {
"B": "B", "B": "B",
@ -585,25 +663,25 @@
"reject": "Afwijzen", "reject": "Afwijzen",
"replace": "Vervangen", "replace": "Vervangen",
"is_replaced_by": "→", "is_replaced_by": "→",
"keyword_policies": "Zoekwoord Beleid", "keyword_policies": "Zoekwoordbeleid",
"ftl_removal": "Verwijdering van \"Het Geheel Bekende Netwerk\" Tijdlijn" "ftl_removal": "Verwijdering van \"Het Geheel Bekende Netwerk\" Tijdlijn"
}, },
"mrf_policies_desc": "MRF regels beïnvloeden het federatie gedrag van de instantie. De volgende regels zijn ingeschakeld:", "mrf_policies_desc": "MRF-regels beïnvloeden het federatiegedrag van de instantie. De volgende regels zijn ingeschakeld:",
"mrf_policies": "Ingeschakelde MRF Regels", "mrf_policies": "Ingeschakelde MRF-regels",
"simple": { "simple": {
"simple_policies": "Instantie-specifieke Regels", "simple_policies": "Instantiespecifieke regels",
"accept": "Accepteren", "accept": "Accepteren",
"accept_desc": "Deze instantie accepteert alleen berichten van de volgende instanties:", "accept_desc": "Deze instantie accepteert alleen berichten van de volgende instanties:",
"reject": "Afwijzen", "reject": "Afwijzen",
"reject_desc": "Deze instantie zal geen berichten accepteren van de volgende instanties:", "reject_desc": "Deze instantie zal geen berichten accepteren van de volgende instanties:",
"quarantine": "Quarantaine", "quarantine": "Quarantaine",
"quarantine_desc": "Deze instantie zal alleen publieke berichten sturen naar de volgende instanties:", "quarantine_desc": "Deze instantie zal alleen openbare berichten sturen naar de volgende instanties:",
"ftl_removal_desc": "Deze instantie verwijdert de volgende instanties van \"Het Geheel Bekende Netwerk\" tijdlijn:", "ftl_removal_desc": "Deze instantie verwijdert de volgende instanties van \"Bekende Netwerk\" tijdlijn:",
"media_removal_desc": "Deze instantie verwijdert media van berichten van de volgende instanties:", "media_removal_desc": "Deze instantie verwijdert media van berichten van de volgende instanties:",
"media_nsfw_desc": "Deze instantie stelt media in als gevoelig in berichten van de volgende instanties:", "media_nsfw_desc": "Deze instantie stelt media in als gevoelig in berichten van de volgende instanties:",
"ftl_removal": "Verwijderen van \"Het Geheel Bekende Netwerk\" Tijdlijn", "ftl_removal": "Verwijderen van \"Bekende Netwerk\" Tijdlijn",
"media_removal": "Media Verwijdering", "media_removal": "Mediaverwijdering",
"media_nsfw": "Forceer Media als Gevoelig" "media_nsfw": "Forceer media als gevoelig"
} }
}, },
"staff": "Personeel" "staff": "Personeel"
@ -634,8 +712,8 @@
"next": "Volgende" "next": "Volgende"
}, },
"polls": { "polls": {
"add_poll": "Poll Toevoegen", "add_poll": "Poll toevoegen",
"add_option": "Optie Toevoegen", "add_option": "Optie toevoegen",
"option": "Optie", "option": "Optie",
"votes": "stemmen", "votes": "stemmen",
"vote": "Stem", "vote": "Stem",
@ -645,29 +723,31 @@
"expires_in": "Poll eindigt in {0}", "expires_in": "Poll eindigt in {0}",
"expired": "Poll is {0} geleden beëindigd", "expired": "Poll is {0} geleden beëindigd",
"not_enough_options": "Te weinig opties in poll", "not_enough_options": "Te weinig opties in poll",
"type": "Poll type" "type": "Poll-type",
"votes_count": "{count} stem | {count} stemmen",
"people_voted_count": "{count} persoon heeft gestemd | {count} personen hebben gestemd"
}, },
"emoji": { "emoji": {
"emoji": "Emoji", "emoji": "Emoji",
"keep_open": "Picker openhouden", "keep_open": "Picker openhouden",
"search_emoji": "Zoek voor een emoji", "search_emoji": "Emoji zoeken",
"add_emoji": "Emoji invoegen", "add_emoji": "Emoji invoegen",
"unicode": "Unicode emoji", "unicode": "Unicode-emoji",
"load_all": "Alle {emojiAmount} emoji worden geladen", "load_all": "Alle {emojiAmount} emoji worden geladen",
"stickers": "Stickers", "stickers": "Stickers",
"load_all_hint": "Eerste {saneAmount} emoji geladen, alle emoji tegelijk laden kan problemen veroorzaken met prestaties.", "load_all_hint": "Eerste {saneAmount} emoji geladen, alle emoji tegelijk laden kan problemen veroorzaken met prestaties.",
"custom": "Gepersonaliseerde emoji" "custom": "Gepersonaliseerde emoji"
}, },
"interactions": { "interactions": {
"favs_repeats": "Herhalingen en Favorieten", "favs_repeats": "Herhalingen en favorieten",
"follows": "Nieuwe volgingen", "follows": "Nieuwe gevolgden",
"moves": "Gebruiker migreert", "moves": "Gebruikermigraties",
"load_older": "Oudere interacties laden" "load_older": "Oudere interacties laden"
}, },
"remote_user_resolver": { "remote_user_resolver": {
"searching_for": "Zoeken naar", "searching_for": "Zoeken naar",
"error": "Niet gevonden.", "error": "Niet gevonden.",
"remote_user_resolver": "Externe gebruikers zoeker" "remote_user_resolver": "Externe gebruikers-zoeker"
}, },
"selectable_list": { "selectable_list": {
"select_all": "Alles selecteren" "select_all": "Alles selecteren"
@ -715,7 +795,17 @@
"repeats": "Herhalingen", "repeats": "Herhalingen",
"favorites": "Favorieten", "favorites": "Favorieten",
"thread_muted_and_words": ", heeft woorden:", "thread_muted_and_words": ", heeft woorden:",
"thread_muted": "Thread genegeerd" "thread_muted": "Thread genegeerd",
"expand": "Uitklappen",
"nsfw": "Gevoelig",
"status_deleted": "Dit bericht is verwijderd",
"hide_content": "Inhoud verbergen",
"show_content": "Inhoud tonen",
"hide_full_subject": "Volledig onderwerp verbergen",
"show_full_subject": "Volledig onderwerp tonen",
"external_source": "Externe bron",
"unbookmark": "Bladwijzer verwijderen",
"bookmark": "Bladwijzer toevoegen"
}, },
"time": { "time": {
"years_short": "{0}j", "years_short": "{0}j",
@ -750,5 +840,33 @@
"day_short": "{0}d", "day_short": "{0}d",
"days": "{0} dagen", "days": "{0} dagen",
"day": "{0} dag" "day": "{0} dag"
},
"shoutbox": {
"title": "Shoutbox"
},
"errors": {
"storage_unavailable": "Pleroma kon browseropslag niet benaderen. Je login of lokale instellingen worden niet opgeslagen en je kunt onverwachte problemen ondervinden. Probeer cookies te accepteren."
},
"display_date": {
"today": "Vandaag"
},
"file_type": {
"file": "Bestand",
"image": "Afbeelding",
"video": "Video",
"audio": "Audio"
},
"chats": {
"empty_chat_list_placeholder": "Je hebt nog geen chats. Start een nieuwe chat!",
"error_sending_message": "Er is iets fout gegaan tijdens het verzenden van het bericht.",
"error_loading_chat": "Er is iets fout gegaan tijdens het laden van de chat.",
"delete_confirm": "Wil je echt dit bericht verwijderen?",
"more": "Meer",
"empty_message_error": "Kan niet een leeg bericht plaatsen",
"new": "Nieuwe Chat",
"chats": "Chats",
"delete": "Verwijderen",
"message_user": "Spreek met {nickname}",
"you": "Jij:"
} }
} }

View file

@ -13,7 +13,7 @@
"disable": "Оключить", "disable": "Оключить",
"enable": "Включить", "enable": "Включить",
"confirm": "Подтвердить", "confirm": "Подтвердить",
"verify": роверить", "verify": одтверждение",
"more": "Больше", "more": "Больше",
"generic_error": "Произошла ошибка", "generic_error": "Произошла ошибка",
"optional": "не обязательно", "optional": "не обязательно",
@ -44,8 +44,8 @@
"heading": { "heading": {
"TotpForm": "Двухфакторная аутентификация", "TotpForm": "Двухфакторная аутентификация",
"RecoveryForm": "Two-factor recovery", "RecoveryForm": "Two-factor recovery",
"totp": "Двухфакторная аутентификация", "totp": "Двухэтапная аутентификация",
"recovery": "Двухфакторное возвращение аккаунта" "recovery": "Восстановление двухэтапной аутентификации"
}, },
"hint": "Войдите чтобы присоединиться к дискуссии", "hint": "Войдите чтобы присоединиться к дискуссии",
"description": "Войти с помощью OAuth" "description": "Войти с помощью OAuth"
@ -55,8 +55,8 @@
"chat": "Локальный чат", "chat": "Локальный чат",
"mentions": "Упоминания", "mentions": "Упоминания",
"interactions": "Взаимодействия", "interactions": "Взаимодействия",
"public_tl": "Публичная лента", "public_tl": "Локальная лента",
"timeline": "Лента", "timeline": "Главная",
"twkn": "Федеративная лента", "twkn": "Федеративная лента",
"search": "Поиск", "search": "Поиск",
"friend_requests": "Запросы на чтение", "friend_requests": "Запросы на чтение",
@ -65,10 +65,11 @@
"timelines": "Ленты", "timelines": "Ленты",
"preferences": "Настройки", "preferences": "Настройки",
"who_to_follow": "Кого читать", "who_to_follow": "Кого читать",
"dms": "Личные Сообщения", "dms": "Личные сообщения",
"administration": "Панель администратора", "administration": "Панель администратора",
"about": "О сервере", "about": "Об узле",
"user_search": "Поиск пользователей" "user_search": "Поиск пользователей",
"home_timeline": "Главная"
}, },
"notifications": { "notifications": {
"broken_favorite": "Неизвестный статус, ищем…", "broken_favorite": "Неизвестный статус, ищем…",
@ -79,35 +80,35 @@
"read": "Прочесть", "read": "Прочесть",
"repeated_you": "повторил(а) ваш статус", "repeated_you": "повторил(а) ваш статус",
"follow_request": "хочет читать вас", "follow_request": "хочет читать вас",
"reacted_with": "добавил реакцию: {0}", "reacted_with": "добавил(а) реакцию: {0}",
"migrated_to": "мигрировал на", "migrated_to": "перехал на",
"no_more_notifications": "Нет дальнейших уведомлений", "no_more_notifications": "Нет дальнейших уведомлений",
"error": "Ошибка при обновлении уведомлений: {0}" "error": "Ошибка при обновлении уведомлений: {0}"
}, },
"interactions": { "interactions": {
"favs_repeats": "Повторы и фавориты", "favs_repeats": "Повторы и отметки «Нравится»",
"follows": "Новые читатели", "follows": "Новые читатели",
"load_older": "Загрузить старые взаимодействия", "load_older": "Загрузить старые взаимодействия",
"moves": "Миграции пользователей" "moves": "Переезды"
}, },
"post_status": { "post_status": {
"account_not_locked_warning": "Ваш аккаунт не {0}. Кто угодно может начать читать вас чтобы видеть посты только для подписчиков.", "account_not_locked_warning": "Ваша учетная запись не {0}. Кто угодно может начать читать вас чтобы видеть статусы только для читателей.",
"account_not_locked_warning_link": "залочен", "account_not_locked_warning_link": "закрыт",
"attachments_sensitive": "Вложения содержат чувствительный контент", "attachments_sensitive": "Вложения имеют щекотливый характер",
"content_warning": "Тема (не обязательно)", "content_warning": "Тема (не обязательно)",
"default": "Что нового?", "default": "Что нового?",
"direct_warning": "Этот пост будет виден только упомянутым пользователям", "direct_warning": "Этот пост будет виден только упомянутым пользователям",
"posting": "Отправляется", "posting": "Отправляется",
"scope_notice": { "scope_notice": {
"public": "Этот пост будет виден всем", "public": "Этот статус будет виден всем",
"private": "Этот пост будет виден только вашим подписчикам", "private": "Этот статус будет виден только вашим читателям",
"unlisted": "Этот пост не будет виден в публичной и федеративной ленте" "unlisted": "Этот статус не будет виден в локальной и федеративной ленте"
}, },
"scope": { "scope": {
"direct": "Личное - этот пост видят только те кто в нём упомянут", "direct": "Личное сообщение - этот статус видят только те, кто в нём упомянут",
"private": "Для подписчиков - этот пост видят только подписчики", "private": "Для читателей - этот статус видят только ваши читатели",
"public": "Публичный - этот пост виден всем", "public": "Публичный - этот статус виден всем",
"unlisted": "Непубличный - этот пост не виден на публичных лентах" "unlisted": "Тихий - этот пост виден всем, но не отображается в публичных лентах"
}, },
"preview_empty": "Пустой предпросмотр", "preview_empty": "Пустой предпросмотр",
"media_description_error": "Не удалось обновить вложение, попробуйте еще раз", "media_description_error": "Не удалось обновить вложение, попробуйте еще раз",
@ -122,11 +123,12 @@
"text/plain": "Простой текст" "text/plain": "Простой текст"
}, },
"media_description": "Описание вложения", "media_description": "Описание вложения",
"new_status": "Написать новый статус" "new_status": "Написать новый статус",
"post": "Опубликовать"
}, },
"registration": { "registration": {
"bio": "Описание", "bio": "О себе",
"email": "Email", "email": "Электронная почта",
"fullname": "Отображаемое имя", "fullname": "Отображаемое имя",
"password_confirm": "Подтверждение пароля", "password_confirm": "Подтверждение пароля",
"registration": "Регистрация", "registration": "Регистрация",
@ -143,7 +145,10 @@
"fullname_placeholder": "например: Почтальон Печкин", "fullname_placeholder": "например: Почтальон Печкин",
"username_placeholder": "например: pechkin", "username_placeholder": "например: pechkin",
"captcha": "Код подтверждения", "captcha": "Код подтверждения",
"new_captcha": "Нажмите на изображение чтобы получить новый код" "new_captcha": "Нажмите на изображение чтобы получить новый код",
"reason_placeholder": "Данный узел обрабатывает запросы на регистрацию вручную.\nРасскажите администрации почему вы хотите зарегистрироваться.",
"reason": "Причина регистрации",
"register": "Зарегистрироваться"
}, },
"settings": { "settings": {
"enter_current_password_to_confirm": "Введите свой текущий пароль", "enter_current_password_to_confirm": "Введите свой текущий пароль",
@ -152,7 +157,7 @@
"setup_otp": "Настройка OTP", "setup_otp": "Настройка OTP",
"wait_pre_setup_otp": "предварительная настройка OTP", "wait_pre_setup_otp": "предварительная настройка OTP",
"confirm_and_enable": "Подтвердить и включить OTP", "confirm_and_enable": "Подтвердить и включить OTP",
"title": "Двухфакторная аутентификация", "title": "Двухэтапная аутентификация",
"generate_new_recovery_codes": "Получить новые коды востановления", "generate_new_recovery_codes": "Получить новые коды востановления",
"warning_of_generate_new_codes": "После получения новых кодов восстановления, старые больше не будут работать.", "warning_of_generate_new_codes": "После получения новых кодов восстановления, старые больше не будут работать.",
"recovery_codes": "Коды восстановления.", "recovery_codes": "Коды восстановления.",
@ -161,11 +166,11 @@
"authentication_methods": "Методы аутентификации", "authentication_methods": "Методы аутентификации",
"scan": { "scan": {
"title": "Сканирование", "title": "Сканирование",
"desc": "Используйте приложение для двухэтапной аутентификации для сканирования этого QR-код или введите текстовый ключ:", "desc": "Отсканируйте QR-код приложением для двухэтапной аутентификации или введите текстовый ключ:",
"secret_code": "Ключ" "secret_code": "Ключ"
}, },
"verify": { "verify": {
"desc": "Чтобы включить двухэтапную аутентификации, введите код из вашего приложение для двухэтапной аутентификации:" "desc": "Чтобы включить двухэтапную аутентификацию, введите код из приложения-аутентификатора:"
} }
}, },
"attachmentRadius": "Прикреплённые файлы", "attachmentRadius": "Прикреплённые файлы",
@ -174,16 +179,16 @@
"avatarAltRadius": "Аватары в уведомлениях", "avatarAltRadius": "Аватары в уведомлениях",
"avatarRadius": "Аватары", "avatarRadius": "Аватары",
"background": "Фон", "background": "Фон",
"bio": "Описание", "bio": "О себе",
"btnRadius": "Кнопки", "btnRadius": "Кнопки",
"bot": "Это аккаунт бота", "bot": "Это учётная запись бота",
"cBlue": "Ответить, читать", "cBlue": "Ответить, читать",
"cGreen": "Повторить", "cGreen": "Повторить",
"cOrange": "Нравится", "cOrange": "Нравится",
"cRed": "Отменить", "cRed": "Отменить",
"change_email": "Сменить email", "change_email": "Сменить адрес электронной почты",
"change_email_error": "Произошла ошибка при попытке изменить email.", "change_email_error": "Произошла ошибка при попытке изменить электронную почту.",
"changed_email": "Email изменён успешно!", "changed_email": "Электронная почта изменена успешно!",
"change_password": "Сменить пароль", "change_password": "Сменить пароль",
"change_password_error": "Произошла ошибка при попытке изменить пароль.", "change_password_error": "Произошла ошибка при попытке изменить пароль.",
"changed_password": "Пароль изменён успешно!", "changed_password": "Пароль изменён успешно!",
@ -193,9 +198,9 @@
"current_password": "Текущий пароль", "current_password": "Текущий пароль",
"current_profile_banner": "Текущий баннер профиля", "current_profile_banner": "Текущий баннер профиля",
"data_import_export_tab": "Импорт / Экспорт данных", "data_import_export_tab": "Импорт / Экспорт данных",
"delete_account": "Удалить аккаунт", "delete_account": "Удалить учетную запись",
"delete_account_description": "Удалить вашу учётную запись и все ваши сообщения.", "delete_account_description": "Навсегда удалить вашу учётную запись и ваши статусы.",
"delete_account_error": "Возникла ошибка в процессе удаления вашего аккаунта. Если это повторяется, свяжитесь с администратором вашего сервера.", "delete_account_error": "Возникла ошибка в процессе удаления вашей учетной записи. Если это повторяется, свяжитесь с администратором данного узла.",
"delete_account_instructions": "Введите ваш пароль в поле ниже для подтверждения удаления.", "delete_account_instructions": "Введите ваш пароль в поле ниже для подтверждения удаления.",
"export_theme": "Сохранить Тему", "export_theme": "Сохранить Тему",
"filtering": "Фильтрация", "filtering": "Фильтрация",
@ -221,28 +226,28 @@
"interfaceLanguage": "Язык интерфейса", "interfaceLanguage": "Язык интерфейса",
"limited_availability": "Не доступно в вашем браузере", "limited_availability": "Не доступно в вашем браузере",
"links": "Ссылки", "links": "Ссылки",
"lock_account_description": "Аккаунт доступен только подтверждённым подписчикам", "lock_account_description": "Сделать учетную запись закрытой — подтверждать читателей вручную",
"loop_video": "Зациливать видео", "loop_video": "Зациливать видео",
"loop_video_silent_only": "Зацикливать только беззвучные видео (т.е. \"гифки\" с Mastodon)", "loop_video_silent_only": "Зацикливать только беззвучные видео (т.е. \"гифки\" с Mastodon)",
"name": "Имя", "name": "Имя",
"name_bio": "Имя и описание", "name_bio": "Личные данные",
"new_email": "Новый email", "new_email": "Новый адрес электронной почты",
"new_password": "Новый пароль", "new_password": "Новый пароль",
"fun": "Потешное", "fun": "Потешное",
"greentext": "Мемные стрелочки", "greentext": "Мемные стрелочки",
"notification_visibility": "Показывать уведомления", "notification_visibility": "Показывать уведомления",
"notification_visibility_follows": "Подписки", "notification_visibility_follows": "Новые читатели",
"notification_visibility_likes": "Лайки", "notification_visibility_likes": "Лайки",
"notification_visibility_mentions": "Упоминания", "notification_visibility_mentions": "Упоминания",
"notification_visibility_repeats": "Повторы", "notification_visibility_repeats": "Повторы",
"no_rich_text_description": "Убрать форматирование из всех постов", "no_rich_text_description": "Убрать форматирование из всех статусов",
"hide_follows_description": "Не показывать кого я читаю", "hide_follows_description": "Не показывать кого я читаю",
"hide_followers_description": "Не показывать кто читает меня", "hide_followers_description": "Не показывать кто читает меня",
"hide_follows_count_description": "Не показывать число читаемых пользователей", "hide_follows_count_description": "Не показывать число читаемых пользователей",
"hide_followers_count_description": "Не показывать число моих подписчиков", "hide_followers_count_description": "Не показывать число моих читателей",
"show_admin_badge": "Показывать значок администратора в моем профиле", "show_admin_badge": "Показывать значок администратора в моем профиле",
"show_moderator_badge": "Показывать значок модератора в моем профиле", "show_moderator_badge": "Показывать значок модератора в моем профиле",
"nsfw_clickthrough": "Включить скрытие вложений и предпросмотра ссылок для NSFW статусов", "nsfw_clickthrough": "Включить скрытие вложений и предпросмотра ссылок для статусов щекотливого характера",
"oauth_tokens": "OAuth токены", "oauth_tokens": "OAuth токены",
"token": "Токен", "token": "Токен",
"refresh_token": "Рефреш токен", "refresh_token": "Рефреш токен",
@ -257,14 +262,14 @@
"radii_help": "Скругление углов элементов интерфейса (в пикселях)", "radii_help": "Скругление углов элементов интерфейса (в пикселях)",
"replies_in_timeline": "Ответы в ленте", "replies_in_timeline": "Ответы в ленте",
"reply_visibility_all": "Показывать все ответы", "reply_visibility_all": "Показывать все ответы",
"reply_visibility_following": "Показывать только ответы мне или тех на кого я подписан", "reply_visibility_following": "Показывать только ответы мне или тем кого я читаю",
"reply_visibility_self": "Показывать только ответы мне", "reply_visibility_self": "Показывать только ответы мне",
"autohide_floating_post_button": "Автоматически скрывать кнопку постинга (в мобильной версии)", "autohide_floating_post_button": "Автоматически скрывать кнопку \"Написать новый статус\" (в мобильной версии)",
"saving_err": "Не удалось сохранить настройки", "saving_err": "Не удалось сохранить настройки",
"saving_ok": "Сохранено", "saving_ok": "Сохранено",
"security_tab": "Безопасность", "security_tab": "Безопасность",
"scope_copy": "Копировать видимость поста при ответе (всегда включено для Личных Сообщений)", "scope_copy": "Копировать видимость поста при ответе (всегда включено для личных сообщений)",
"minimal_scopes_mode": "Минимизировать набор опций видимости поста", "minimal_scopes_mode": "Показывать только личное сообщение и публичный статус в опциях видимости",
"set_new_avatar": "Загрузить новый аватар", "set_new_avatar": "Загрузить новый аватар",
"set_new_profile_background": "Загрузить новый фон профиля", "set_new_profile_background": "Загрузить новый фон профиля",
"set_new_profile_banner": "Загрузить новый баннер профиля", "set_new_profile_banner": "Загрузить новый баннер профиля",
@ -273,7 +278,7 @@
"stop_gifs": "Проигрывать GIF анимации только при наведении", "stop_gifs": "Проигрывать GIF анимации только при наведении",
"streaming": "Включить автоматическую загрузку новых сообщений при прокрутке вверх", "streaming": "Включить автоматическую загрузку новых сообщений при прокрутке вверх",
"useStreamingApi": "Получать сообщения и уведомления в реальном времени", "useStreamingApi": "Получать сообщения и уведомления в реальном времени",
"useStreamingApiWarning": "(Не рекомендуется, экспериментально, сообщения могут пропадать)", "useStreamingApiWarning": "(Не рекомендуется, экспериментально, статусы могут пропадать)",
"text": "Текст", "text": "Текст",
"theme": "Тема", "theme": "Тема",
"theme_help": "Используйте шестнадцатеричные коды цветов (#rrggbb) для настройки темы.", "theme_help": "Используйте шестнадцатеричные коды цветов (#rrggbb) для настройки темы.",
@ -305,7 +310,8 @@
"older_version_imported": "Файл, который вы импортировали, был сделан в старой версии фронт-энда.", "older_version_imported": "Файл, который вы импортировали, был сделан в старой версии фронт-энда.",
"future_version_imported": "Файл, который вы импортировали, был сделан в новой версии фронт-энда.", "future_version_imported": "Файл, который вы импортировали, был сделан в новой версии фронт-энда.",
"v2_imported": "Файл, который вы импортировали, был сделан под старый фронт-энд. Мы стараемся улучшить совместимость, но все еще возможны несостыковки.", "v2_imported": "Файл, который вы импортировали, был сделан под старый фронт-энд. Мы стараемся улучшить совместимость, но все еще возможны несостыковки.",
"upgraded_from_v2": "Фронт-энд Pleroma был изменен. Выбранная тема может выглядеть слегка по-другому." "upgraded_from_v2": "Фронт-энд Pleroma был изменен. Выбранная тема может выглядеть слегка по-другому.",
"fe_downgraded": "Версия фронт-энда Pleroma была откачена."
} }
}, },
"common": { "common": {
@ -337,13 +343,29 @@
"badge": "Фон значков", "badge": "Фон значков",
"badge_notification": "Уведомления", "badge_notification": "Уведомления",
"panel_header": "Заголовок панели", "panel_header": "Заголовок панели",
"top_bar": "Верняя полоска", "top_bar": "Верхняя полоска",
"borders": "Границы", "borders": "Границы",
"buttons": "Кнопки", "buttons": "Кнопки",
"inputs": "Поля ввода", "inputs": "Поля ввода",
"faint_text": "Маловажный текст", "faint_text": "Маловажный текст",
"post": "Сообщения и описание пользователя", "post": "Статусы и раздел \"О себе\"",
"alert_neutral": "Нейтральный" "alert_neutral": "Нейтральный",
"alert_warning": "Предупреждение",
"selectedPost": "Выбранный статус",
"pressed": "Нажатие",
"highlight": "Выделенные элементы",
"icons": "Иконки",
"poll": "График результатов опроса",
"wallpaper": "Фон",
"chat": {
"border": "Границы",
"outgoing": "Исходящие",
"incoming": "Входящие"
},
"tabs": "Вкладки",
"toggled": "Включено",
"disabled": "Отключено",
"selectedMenu": "Выбранный пункт меню"
}, },
"radii": { "radii": {
"_tab_label": "Скругление" "_tab_label": "Скругление"
@ -368,8 +390,8 @@
"panel": "Панель", "panel": "Панель",
"panelHeader": "Заголовок панели", "panelHeader": "Заголовок панели",
"topBar": "Верхняя полоска", "topBar": "Верхняя полоска",
"avatar": "Аватарка (профиль)", "avatar": "Аватар (профиль)",
"avatarStatus": "Аватарка (в ленте)", "avatarStatus": "Аватар (в ленте)",
"popup": "Всплывающие подсказки", "popup": "Всплывающие подсказки",
"button": "Кнопки", "button": "Кнопки",
"buttonHover": "Кнопки (наведен курсор)", "buttonHover": "Кнопки (наведен курсор)",
@ -385,7 +407,7 @@
"interface": "Интерфейс", "interface": "Интерфейс",
"input": "Поля ввода", "input": "Поля ввода",
"post": "Текст постов", "post": "Текст постов",
"postCode": "Моноширинный текст в посте (форматирование)" "postCode": "Моноширинный текст в статусе (форматирование)"
}, },
"family": "Шрифт", "family": "Шрифт",
"size": "Размер (в пикселях)", "size": "Размер (в пикселях)",
@ -407,12 +429,12 @@
"link": "ссылка" "link": "ссылка"
} }
}, },
"allow_following_move": "Разрешить автоматически читать новый аккаунт при перемещении на другой сервер", "allow_following_move": "Автоматически начать читать новый профиль при переезде",
"hide_user_stats": "Не показывать статистику пользователей (например количество читателей)", "hide_user_stats": "Не показывать статистику пользователей (например количество читателей)",
"discoverable": "Разрешить показ аккаунта в поисковиках и других сервисах", "discoverable": "Разрешить показывать учетную запись в поисковых системах и прочих сервисах",
"default_vis": "Видимость постов по умолчанию", "default_vis": "Видимость статусов по умолчанию",
"mutes_and_blocks": "Блокировки и игнорируемые", "mutes_and_blocks": "Блокировки и игнорируемые",
"composing": "Составление постов", "composing": "Составление статусов",
"chatMessageRadius": "Сообщения в беседе", "chatMessageRadius": "Сообщения в беседе",
"blocks_tab": "Блокировки", "blocks_tab": "Блокировки",
"import_mutes_from_a_csv_file": "Импортировать игнорируемых из CSV файла", "import_mutes_from_a_csv_file": "Импортировать игнорируемых из CSV файла",
@ -432,12 +454,12 @@
"post_status_content_type": "Формат составляемых статусов по умолчанию", "post_status_content_type": "Формат составляемых статусов по умолчанию",
"subject_line_noop": "Не копировать", "subject_line_noop": "Не копировать",
"subject_line_mastodon": "Как в Mastodon: скопировать как есть", "subject_line_mastodon": "Как в Mastodon: скопировать как есть",
"subject_line_email": "Как в e-mail: \"re: тема\"", "subject_line_email": "Как в электронной почте: \"re: тема\"",
"subject_line_behavior": "Копировать тему в ответах", "subject_line_behavior": "Копировать тему в ответах",
"no_mutes": "Нет игнорируемых", "no_mutes": "Нет игнорируемых",
"no_blocks": "Нет блокировок", "no_blocks": "Нет блокировок",
"notification_visibility_emoji_reactions": "Реакции", "notification_visibility_emoji_reactions": "Реакции",
"notification_visibility_moves": "Миграции пользователей", "notification_visibility_moves": "Переезды",
"use_contain_fit": "Не обрезать вложения в миниатюрах", "use_contain_fit": "Не обрезать вложения в миниатюрах",
"profile_fields": { "profile_fields": {
"value": "Значение", "value": "Значение",
@ -452,7 +474,7 @@
"hide_filtered_statuses": "Не показывать отфильтрованные статусы", "hide_filtered_statuses": "Не показывать отфильтрованные статусы",
"hide_muted_posts": "Не показывать статусы игнорируемых пользователей", "hide_muted_posts": "Не показывать статусы игнорируемых пользователей",
"hide_post_stats": "Не показывать статистику статусов (например количество отметок «Нравится»)", "hide_post_stats": "Не показывать статистику статусов (например количество отметок «Нравится»)",
"use_one_click_nsfw": "Открывать NSFW вложения одним кликом", "use_one_click_nsfw": "Открывать вложения имеющие щекотливый характер одним кликом",
"preload_images": "Предварительно загружать изображения", "preload_images": "Предварительно загружать изображения",
"max_thumbnails": "Максимальное число миниатюр показываемых в статусе", "max_thumbnails": "Максимальное число миниатюр показываемых в статусе",
"emoji_reactions_on_timeline": "Показывать эмодзи реакции в ленте", "emoji_reactions_on_timeline": "Показывать эмодзи реакции в ленте",
@ -464,26 +486,43 @@
"virtual_scrolling": "Оптимизировать рендеринг ленты", "virtual_scrolling": "Оптимизировать рендеринг ленты",
"hide_wallpaper": "Скрыть обои узла", "hide_wallpaper": "Скрыть обои узла",
"accent": "Акцент", "accent": "Акцент",
"upload_a_photo": "Загрузить фото", "upload_a_photo": "Загрузить изображение",
"notification_mutes": "Чтобы не получать уведомления от определённого пользователя, заглушите его.", "notification_mutes": "Чтобы не получать уведомления от конкретного пользователя, заглушите его.",
"reset_avatar_confirm": "Вы действительно хотите сбросить личный образ?", "reset_avatar_confirm": "Вы точно хотите сбросить аватар?",
"reset_profile_banner": "Сбросить личный баннер", "reset_profile_banner": "Сбросить баннер профиля",
"reset_profile_background": "Сбросить личные обои", "reset_profile_background": "Сбросить фон профиля",
"reset_avatar": "Сбросить личный образ", "reset_avatar": "Сбросить аватар",
"search_user_to_mute": "Искать, кого вы хотите заглушить", "search_user_to_mute": "Поиск того, кого вы хотите заглушить",
"search_user_to_block": "Искать, кого вы хотите заблокировать", "search_user_to_block": "Поиск того, кого вы хотите заблокировать",
"pad_emoji": "Выделять эмодзи пробелами при добавлении из панели", "pad_emoji": "Разделять эмодзи пробелами, когда они добавляются из меню",
"avatar_size_instruction": "Желательный наименьший размер личного образа 150 на 150 пикселей.", "avatar_size_instruction": "Рекомендуется использовать изображение больше чем 150 на 150 пикселей в качестве аватара.",
"enable_web_push_notifications": "Включить web push-уведомления", "enable_web_push_notifications": "Включить web push-уведомления",
"notification_blocks": "Блокировка пользователя выключает все уведомления от него, а также отписывает вас от него.", "notification_blocks": "Блокировка пользователя выключает все уведомления от него, а также отписывает вас от него.",
"notification_setting_hide_notification_contents": "Скрыть отправителя и содержимое push-уведомлений" "notification_setting_hide_notification_contents": "Скрыть отправителя и содержимое push-уведомлений",
"version": {
"title": "Версия",
"frontend_version": "Версия фронт-энда",
"backend_version": "Версия бэк-энда"
},
"word_filter": "Фильтр слов",
"sensitive_by_default": "Помечать статусы как имеющие щекотливый характер по умолчанию",
"reply_visibility_self_short": "Показывать ответы только вам",
"reply_visibility_following_short": "Показывать ответы тем кого вы читаете",
"hide_all_muted_posts": "Не показывать игнорируемые статусы",
"hide_media_previews": "Не показывать вложения в ленте",
"setting_changed": "Отличается от значения по умолчанию",
"reset_background_confirm": "Вы точно хотите сбросить фон?",
"reset_banner_confirm": "Вы точно хотите сбросить баннер?",
"type_domains_to_mute": "Поиск узлов, которые вы хотите заглушить",
"more_settings": "Остальные настройки",
"save": "Сохранить изменения"
}, },
"timeline": { "timeline": {
"collapse": "Свернуть", "collapse": "Свернуть",
"conversation": "Разговор", "conversation": "Разговор",
"error_fetching": "Ошибка при обновлении", "error_fetching": "Ошибка при обновлении",
"load_older": "Загрузить старые статусы", "load_older": "Загрузить старые статусы",
"no_retweet_hint": "Пост помечен как \"только для подписчиков\" или \"личное\" и поэтому не может быть повторён", "no_retweet_hint": "Статус помечен как \"только для читателей\" или \"личное сообщение\" и потому не может быть повторён",
"repeated": "повторил(а)", "repeated": "повторил(а)",
"show_new": "Показать новые", "show_new": "Показать новые",
"up_to_date": "Обновлено", "up_to_date": "Обновлено",
@ -492,7 +531,7 @@
"status": { "status": {
"bookmark": "Добавить в закладки", "bookmark": "Добавить в закладки",
"unbookmark": "Удалить из закладок", "unbookmark": "Удалить из закладок",
"status_deleted": "Пост удален", "status_deleted": "Статус удален",
"reply_to": "Ответ", "reply_to": "Ответ",
"repeats": "Повторы", "repeats": "Повторы",
"favorites": "Понравилось", "favorites": "Понравилось",
@ -528,16 +567,16 @@
"revoke_admin": "Забрать права администратора", "revoke_admin": "Забрать права администратора",
"grant_moderator": "Сделать модератором", "grant_moderator": "Сделать модератором",
"revoke_moderator": "Забрать права модератора", "revoke_moderator": "Забрать права модератора",
"activate_account": "Активировать аккаунт", "activate_account": "Активировать учетную запись",
"deactivate_account": "Деактивировать аккаунт", "deactivate_account": "Деактивировать учетную запись",
"delete_account": "Удалить аккаунт", "delete_account": "Удалить учетную запись",
"force_nsfw": "Отмечать посты пользователя как NSFW", "force_nsfw": "Отмечать статусы пользователя как имеющие щекотливый характер",
"strip_media": "Убирать вложения из постов пользователя", "strip_media": "Убирать вложения из статусов пользователя",
"force_unlisted": "Не добавлять посты в публичные ленты", "force_unlisted": "Не показывать статусы в публичных лентах",
"sandbox": "Принудить видимость постов только читателям", "sandbox": "Принудить видимость постов только читателям",
"disable_remote_subscription": "Запретить читать с удаленных серверов", "disable_remote_subscription": "Запретить читать с других узлов",
"disable_any_subscription": "Запретить читать пользователя", "disable_any_subscription": "Запретить читать пользователя",
"quarantine": "Не федерировать посты пользователя", "quarantine": "Не федерировать статусы пользователя",
"delete_user": "Удалить пользователя", "delete_user": "Удалить пользователя",
"delete_user_confirmation": "Вы уверены? Это действие нельзя отменить." "delete_user_confirmation": "Вы уверены? Это действие нельзя отменить."
}, },
@ -545,7 +584,14 @@
"mention": "Упомянуть", "mention": "Упомянуть",
"show_repeats": "Показывать повторы", "show_repeats": "Показывать повторы",
"hide_repeats": "Скрыть повторы", "hide_repeats": "Скрыть повторы",
"report": "Пожаловаться" "report": "Пожаловаться",
"message": "Написать сообщение",
"highlight": {
"side": "Полоска сбоку",
"striped": "Фон в полоску",
"solid": "Сплошной фон",
"disabled": "Нет выделения"
}
}, },
"user_profile": { "user_profile": {
"timeline_title": "Лента пользователя" "timeline_title": "Лента пользователя"
@ -560,30 +606,31 @@
"password_reset": { "password_reset": {
"forgot_password": "Забыли пароль?", "forgot_password": "Забыли пароль?",
"password_reset": "Сброс пароля", "password_reset": "Сброс пароля",
"instruction": "Введите ваш email или имя пользователя, и мы отправим вам ссылку для сброса пароля.", "instruction": "Введите ваш адрес электронной почты или имя пользователя: на вашу электронную почту будет отправлена ссылка для сброса пароля.",
"placeholder": "Ваш email или имя пользователя", "placeholder": "Ваш адрес электронной почты или имя пользователя",
"check_email": "Проверьте ваш email и перейдите по ссылке для сброса пароля.", "check_email": "Проверьте вашу электронную почту и перейдите по ссылке для сброса пароля.",
"return_home": "Вернуться на главную страницу", "return_home": "Вернуться на главную страницу",
"too_many_requests": "Вы исчерпали допустимое количество попыток, попробуйте позже.", "too_many_requests": "Вы исчерпали допустимое количество попыток, попробуйте позже.",
"password_reset_disabled": "Сброс пароля отключен. Cвяжитесь с администратором вашего сервера." "password_reset_disabled": "Автоматический сброс пароля отключен. Свяжитесь с администратором данного узла для сброса пароля.",
"password_reset_required_but_mailer_is_disabled": "Вы должны сбросить свой пароль, однако автоматический сброс пароля отключен. Пожалуйста свяжитесь с администратором данного узла."
}, },
"about": { "about": {
"mrf": { "mrf": {
"federation": "Федерация", "federation": "Федерация",
"simple": { "simple": {
"accept_desc": "Данный сервер принимает сообщения только со следующих серверов:", "accept_desc": "Данный узел принимает сообщения только со следующих узлов:",
"ftl_removal_desc": "Данный сервер скрывает следующие сервера с федеративной ленты:", "ftl_removal_desc": "Данный узел скрывает следующие узлы с федеративной ленты:",
"media_nsfw_desc": "Данный сервер принужденно помечает вложения со следущих серверов как NSFW:", "media_nsfw_desc": "Данный узел принужденно помечает вложения со следующих узлов как имеющие щекотливый характер:",
"simple_policies": "Правила для определенных серверов", "simple_policies": "Правила для определенных узлов",
"accept": "Принимаемые сообщения", "accept": "Белый список",
"reject": "Отклоняемые сообщения", "reject": "Черный список",
"reject_desc": "Данный сервер не принимает сообщения со следующих серверов:", "reject_desc": "Данный узел не принимает сообщения со следующих узлов:",
"quarantine": "Зона карантина", "quarantine": "Зона карантина",
"quarantine_desc": "Данный сервер отправляет только публичные посты следующим серверам:", "quarantine_desc": "Данный узел отправляет только публичные статусы следующим узлам:",
"ftl_removal": "Скрытие с федеративной ленты", "ftl_removal": "Скрытие с федеративной ленты",
"media_removal": "Удаление вложений", "media_removal": "Удаление вложений",
"media_removal_desc": "Данный сервер удаляет вложения со следующих серверов:", "media_removal_desc": "Данный узел удаляет вложения со следующих узлов:",
"media_nsfw": "Принужденно помеченно как NSFW" "media_nsfw": "Принужденно помеченно как имеющее щекотливый характер"
}, },
"keyword": { "keyword": {
"ftl_removal": "Убрать из федеративной ленты", "ftl_removal": "Убрать из федеративной ленты",
@ -593,7 +640,7 @@
"is_replaced_by": "→" "is_replaced_by": "→"
}, },
"mrf_policies": "Активные правила MRF (модуль переписывания сообщений)", "mrf_policies": "Активные правила MRF (модуль переписывания сообщений)",
"mrf_policies_desc": "Правила MRF (модуль переписывания сообщений) влияют на федерацию данного сервера. Следующие правила активны:" "mrf_policies_desc": "Правила MRF (модуль переписывания сообщений) влияют на федерацию данного узла. Следующие правила активны:"
}, },
"staff": "Администрация" "staff": "Администрация"
}, },
@ -644,7 +691,9 @@
"votes": "голосов", "votes": "голосов",
"option": "Вариант", "option": "Вариант",
"add_option": "Добавить вариант", "add_option": "Добавить вариант",
"add_poll": "Прикрепить опрос" "add_poll": "Прикрепить опрос",
"votes_count": "{count} голос | {count} голосов",
"people_voted_count": "{count} человек проголосовал | {count} человек проголосовали"
}, },
"media_modal": { "media_modal": {
"next": "Следующая", "next": "Следующая",
@ -702,10 +751,26 @@
"chats": "Беседы", "chats": "Беседы",
"delete": "Удалить", "delete": "Удалить",
"message_user": "Напишите {nickname}", "message_user": "Напишите {nickname}",
"you": "Вы:" "you": "Вы:",
"error_sending_message": "Произошла ошибка при отправке сообщения."
}, },
"remote_user_resolver": { "remote_user_resolver": {
"error": "Не найдено.", "error": "Не найдено.",
"searching_for": "Ищем" "searching_for": "Ищем"
},
"upload": {
"error": {
"message": "Произошла ошибка при загрузке: {0}"
}
},
"user_reporting": {
"add_comment_description": "Жалоба будет направлена модераторам вашего узла. Вы можете указать причину жалобы ниже:",
"forward_description": "Данный пользователь находится на другом узле. Отослать туда копию вашей жалобы?"
},
"file_type": {
"file": "Файл",
"video": "Видеозапись",
"audio": "Аудиозапись",
"image": "Изображение"
} }
} }

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