Conflicts: app/javascript/styles/mastodon/components.scssth-downstream
After Width: | Height: | Size: 17 KiB |
After Width: | Height: | Size: 754 B |
After Width: | Height: | Size: 279 B |
After Width: | Height: | Size: 520 B |
After Width: | Height: | Size: 541 B |
After Width: | Height: | Size: 550 B |
After Width: | Height: | Size: 512 B |
After Width: | Height: | Size: 391 B |
After Width: | Height: | Size: 3.0 KiB |
After Width: | Height: | Size: 627 B |
@ -0,0 +1,14 @@
|
||||
import { openModal } from './modal';
|
||||
import { changeSetting, saveSettings } from './settings';
|
||||
|
||||
export function showOnboardingOnce() {
|
||||
return (dispatch, getState) => {
|
||||
const alreadySeen = getState().getIn(['settings', 'onboarded']);
|
||||
|
||||
if (!alreadySeen) {
|
||||
dispatch(openModal('ONBOARDING'));
|
||||
dispatch(changeSetting(['onboarded'], true));
|
||||
dispatch(saveSettings());
|
||||
}
|
||||
};
|
||||
};
|
@ -0,0 +1,324 @@
|
||||
import React from 'react';
|
||||
import { connect } from 'react-redux';
|
||||
import PropTypes from 'prop-types';
|
||||
import ImmutablePropTypes from 'react-immutable-proptypes';
|
||||
import { defineMessages, injectIntl, FormattedMessage } from 'react-intl';
|
||||
import ReactSwipeableViews from 'react-swipeable-views';
|
||||
import classNames from 'classnames';
|
||||
import Permalink from '../../../components/permalink';
|
||||
import ComposeForm from '../../compose/components/compose_form';
|
||||
import Search from '../../compose/components/search';
|
||||
import NavigationBar from '../../compose/components/navigation_bar';
|
||||
import ColumnHeader from './column_header';
|
||||
import { List as ImmutableList } from 'immutable';
|
||||
import { me } from '../../../initial_state';
|
||||
|
||||
const noop = () => { };
|
||||
|
||||
const messages = defineMessages({
|
||||
home_title: { id: 'column.home', defaultMessage: 'Home' },
|
||||
notifications_title: { id: 'column.notifications', defaultMessage: 'Notifications' },
|
||||
local_title: { id: 'column.community', defaultMessage: 'Local timeline' },
|
||||
federated_title: { id: 'column.public', defaultMessage: 'Federated timeline' },
|
||||
});
|
||||
|
||||
const PageOne = ({ acct, domain }) => (
|
||||
<div className='onboarding-modal__page onboarding-modal__page-one'>
|
||||
<div className='onboarding-modal__page-one__lead'>
|
||||
<h1><FormattedMessage id='onboarding.page_one.welcome' defaultMessage='Welcome to Mastodon!' /></h1>
|
||||
<p><FormattedMessage id='onboarding.page_one.federation' defaultMessage='Mastodon is a network of independent servers joining up to make one larger social network. We call these servers instances.' /></p>
|
||||
</div>
|
||||
|
||||
<div className='onboarding-modal__page-one__extra'>
|
||||
<div className='display-case'>
|
||||
<div className='display-case__label'>
|
||||
<FormattedMessage id='onboarding.page_one.full_handle' defaultMessage='Your full handle' />
|
||||
</div>
|
||||
|
||||
<div className='display-case__case'>
|
||||
@{acct}@{domain}
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<p><FormattedMessage id='onboarding.page_one.handle_hint' defaultMessage='This is what you would tell your friends to search for.' /></p>
|
||||
</div>
|
||||
</div>
|
||||
);
|
||||
|
||||
PageOne.propTypes = {
|
||||
acct: PropTypes.string.isRequired,
|
||||
domain: PropTypes.string.isRequired,
|
||||
};
|
||||
|
||||
const PageTwo = ({ myAccount }) => (
|
||||
<div className='onboarding-modal__page onboarding-modal__page-two'>
|
||||
<div className='figure non-interactive'>
|
||||
<div className='pseudo-drawer'>
|
||||
<NavigationBar account={myAccount} />
|
||||
|
||||
<ComposeForm
|
||||
text='Awoo! #introductions'
|
||||
suggestions={ImmutableList()}
|
||||
mentionedDomains={[]}
|
||||
spoiler={false}
|
||||
onChange={noop}
|
||||
onSubmit={noop}
|
||||
onPaste={noop}
|
||||
onPickEmoji={noop}
|
||||
onChangeSpoilerText={noop}
|
||||
onClearSuggestions={noop}
|
||||
onFetchSuggestions={noop}
|
||||
onSuggestionSelected={noop}
|
||||
showSearch
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<p><FormattedMessage id='onboarding.page_two.compose' defaultMessage='Write posts from the compose column. You can upload images, change privacy settings, and add content warnings with the icons below.' /></p>
|
||||
</div>
|
||||
);
|
||||
|
||||
PageTwo.propTypes = {
|
||||
myAccount: ImmutablePropTypes.map.isRequired,
|
||||
};
|
||||
|
||||
const PageThree = ({ myAccount }) => (
|
||||
<div className='onboarding-modal__page onboarding-modal__page-three'>
|
||||
<div className='figure non-interactive'>
|
||||
<Search
|
||||
value=''
|
||||
onChange={noop}
|
||||
onSubmit={noop}
|
||||
onClear={noop}
|
||||
onShow={noop}
|
||||
/>
|
||||
|
||||
<div className='pseudo-drawer'>
|
||||
<NavigationBar account={myAccount} />
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<p><FormattedMessage id='onboarding.page_three.search' defaultMessage='Use the search bar to find people and look at hashtags, such as {illustration} and {introductions}. To look for a person who is not on this instance, use their full handle.' values={{ illustration: <Permalink to='/timelines/tag/illustration' href='/tags/illustration'>#illustration</Permalink>, introductions: <Permalink to='/timelines/tag/introductions' href='/tags/introductions'>#introductions</Permalink> }} /></p>
|
||||
<p><FormattedMessage id='onboarding.page_three.profile' defaultMessage='Edit your profile to change your avatar, bio, and display name. There, you will also find other preferences.' /></p>
|
||||
</div>
|
||||
);
|
||||
|
||||
PageThree.propTypes = {
|
||||
myAccount: ImmutablePropTypes.map.isRequired,
|
||||
};
|
||||
|
||||
const PageFour = ({ domain, intl }) => (
|
||||
<div className='onboarding-modal__page onboarding-modal__page-four'>
|
||||
<div className='onboarding-modal__page-four__columns'>
|
||||
<div className='row'>
|
||||
<div>
|
||||
<div className='figure non-interactive'><ColumnHeader icon='home' type={intl.formatMessage(messages.home_title)} /></div>
|
||||
<p><FormattedMessage id='onboarding.page_four.home' defaultMessage='The home timeline shows posts from people you follow.' /></p>
|
||||
</div>
|
||||
|
||||
<div>
|
||||
<div className='figure non-interactive'><ColumnHeader icon='bell' type={intl.formatMessage(messages.notifications_title)} /></div>
|
||||
<p><FormattedMessage id='onboarding.page_four.notifications' defaultMessage='The notifications column shows when someone interacts with you.' /></p>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div className='row'>
|
||||
<div>
|
||||
<div className='figure non-interactive' style={{ marginBottom: 0 }}><ColumnHeader icon='users' type={intl.formatMessage(messages.local_title)} /></div>
|
||||
</div>
|
||||
|
||||
<div>
|
||||
<div className='figure non-interactive' style={{ marginBottom: 0 }}><ColumnHeader icon='globe' type={intl.formatMessage(messages.federated_title)} /></div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<p><FormattedMessage id='onboarding.page_five.public_timelines' defaultMessage='The local timeline shows public posts from everyone on {domain}. The federated timeline shows public posts from everyone who people on {domain} follow. These are the Public Timelines, a great way to discover new people.' values={{ domain }} /></p>
|
||||
</div>
|
||||
</div>
|
||||
);
|
||||
|
||||
PageFour.propTypes = {
|
||||
domain: PropTypes.string.isRequired,
|
||||
intl: PropTypes.object.isRequired,
|
||||
};
|
||||
|
||||
const PageSix = ({ admin, domain }) => {
|
||||
let adminSection = '';
|
||||
|
||||
if (admin) {
|
||||
adminSection = (
|
||||
<p>
|
||||
<FormattedMessage id='onboarding.page_six.admin' defaultMessage="Your instance's admin is {admin}." values={{ admin: <Permalink href={admin.get('url')} to={`/accounts/${admin.get('id')}`}>@{admin.get('acct')}</Permalink> }} />
|
||||
<br />
|
||||
<FormattedMessage id='onboarding.page_six.read_guidelines' defaultMessage="Please read {domain}'s {guidelines}!" values={{ domain, guidelines: <a href='/about/more' target='_blank'><FormattedMessage id='onboarding.page_six.guidelines' defaultMessage='community guidelines' /></a> }} />
|
||||
</p>
|
||||
);
|
||||
}
|
||||
|
||||
return (
|
||||
<div className='onboarding-modal__page onboarding-modal__page-six'>
|
||||
<h1><FormattedMessage id='onboarding.page_six.almost_done' defaultMessage='Almost done...' /></h1>
|
||||
{adminSection}
|
||||
<p><FormattedMessage id='onboarding.page_six.github' defaultMessage='Mastodon is free open-source software. You can report bugs, request features, or contribute to the code on {github}.' values={{ github: <a href='https://github.com/tootsuite/mastodon' target='_blank' rel='noopener'>GitHub</a> }} /></p>
|
||||
<p><FormattedMessage id='onboarding.page_six.apps_available' defaultMessage='There are {apps} available for iOS, Android and other platforms.' values={{ apps: <a href='https://github.com/tootsuite/documentation/blob/master/Using-Mastodon/Apps.md' target='_blank' rel='noopener'><FormattedMessage id='onboarding.page_six.various_app' defaultMessage='mobile apps' /></a> }} /></p>
|
||||
<p><em><FormattedMessage id='onboarding.page_six.appetoot' defaultMessage='Bon Appetoot!' /></em></p>
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
PageSix.propTypes = {
|
||||
admin: ImmutablePropTypes.map,
|
||||
domain: PropTypes.string.isRequired,
|
||||
};
|
||||
|
||||
const mapStateToProps = state => ({
|
||||
myAccount: state.getIn(['accounts', me]),
|
||||
admin: state.getIn(['accounts', state.getIn(['meta', 'admin'])]),
|
||||
domain: state.getIn(['meta', 'domain']),
|
||||
});
|
||||
|
||||
@connect(mapStateToProps)
|
||||
@injectIntl
|
||||
export default class OnboardingModal extends React.PureComponent {
|
||||
|
||||
static propTypes = {
|
||||
onClose: PropTypes.func.isRequired,
|
||||
intl: PropTypes.object.isRequired,
|
||||
myAccount: ImmutablePropTypes.map.isRequired,
|
||||
domain: PropTypes.string.isRequired,
|
||||
admin: ImmutablePropTypes.map,
|
||||
};
|
||||
|
||||
state = {
|
||||
currentIndex: 0,
|
||||
};
|
||||
|
||||
componentWillMount() {
|
||||
const { myAccount, admin, domain, intl } = this.props;
|
||||
this.pages = [
|
||||
<PageOne acct={myAccount.get('acct')} domain={domain} />,
|
||||
<PageTwo myAccount={myAccount} />,
|
||||
<PageThree myAccount={myAccount} />,
|
||||
<PageFour domain={domain} intl={intl} />,
|
||||
<PageSix admin={admin} domain={domain} />,
|
||||
];
|
||||
};
|
||||
|
||||
componentDidMount() {
|
||||
window.addEventListener('keyup', this.handleKeyUp);
|
||||
}
|
||||
|
||||
componentWillUnmount() {
|
||||
window.addEventListener('keyup', this.handleKeyUp);
|
||||
}
|
||||
|
||||
handleSkip = (e) => {
|
||||
e.preventDefault();
|
||||
this.props.onClose();
|
||||
}
|
||||
|
||||
handleDot = (e) => {
|
||||
const i = Number(e.currentTarget.getAttribute('data-index'));
|
||||
e.preventDefault();
|
||||
this.setState({ currentIndex: i });
|
||||
}
|
||||
|
||||
handlePrev = () => {
|
||||
this.setState(({ currentIndex }) => ({
|
||||
currentIndex: Math.max(0, currentIndex - 1),
|
||||
}));
|
||||
}
|
||||
|
||||
handleNext = () => {
|
||||
const { pages } = this;
|
||||
this.setState(({ currentIndex }) => ({
|
||||
currentIndex: Math.min(currentIndex + 1, pages.length - 1),
|
||||
}));
|
||||
}
|
||||
|
||||
handleSwipe = (index) => {
|
||||
this.setState({ currentIndex: index });
|
||||
}
|
||||
|
||||
handleKeyUp = ({ key }) => {
|
||||
switch (key) {
|
||||
case 'ArrowLeft':
|
||||
this.handlePrev();
|
||||
break;
|
||||
case 'ArrowRight':
|
||||
this.handleNext();
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
handleClose = () => {
|
||||
this.props.onClose();
|
||||
}
|
||||
|
||||
render () {
|
||||
const { pages } = this;
|
||||
const { currentIndex } = this.state;
|
||||
const hasMore = currentIndex < pages.length - 1;
|
||||
|
||||
const nextOrDoneBtn = hasMore ? (
|
||||
<button onClick={this.handleNext} className='onboarding-modal__nav onboarding-modal__next shake-bottom'>
|
||||
<FormattedMessage id='onboarding.next' defaultMessage='Next' /> <i className='fa fa-fw fa-chevron-right' />
|
||||
</button>
|
||||
) : (
|
||||
<button onClick={this.handleClose} className='onboarding-modal__nav onboarding-modal__done shake-bottom'>
|
||||
<FormattedMessage id='onboarding.done' defaultMessage='Done' /> <i className='fa fa-fw fa-check' />
|
||||
</button>
|
||||
);
|
||||
|
||||
return (
|
||||
<div className='modal-root__modal onboarding-modal'>
|
||||
<ReactSwipeableViews index={currentIndex} onChangeIndex={this.handleSwipe} className='onboarding-modal__pager'>
|
||||
{pages.map((page, i) => {
|
||||
const className = classNames('onboarding-modal__page__wrapper', `onboarding-modal__page__wrapper-${i}`, {
|
||||
'onboarding-modal__page__wrapper--active': i === currentIndex,
|
||||
});
|
||||
|
||||
return (
|
||||
<div key={i} className={className}>{page}</div>
|
||||
);
|
||||
})}
|
||||
</ReactSwipeableViews>
|
||||
|
||||
<div className='onboarding-modal__paginator'>
|
||||
<div>
|
||||
<button
|
||||
onClick={this.handleSkip}
|
||||
className='onboarding-modal__nav onboarding-modal__skip'
|
||||
>
|
||||
<FormattedMessage id='onboarding.skip' defaultMessage='Skip' />
|
||||
</button>
|
||||
</div>
|
||||
|
||||
<div className='onboarding-modal__dots'>
|
||||
{pages.map((_, i) => {
|
||||
const className = classNames('onboarding-modal__dot', {
|
||||
active: i === currentIndex,
|
||||
});
|
||||
|
||||
return (
|
||||
<div
|
||||
key={`dot-${i}`}
|
||||
role='button'
|
||||
tabIndex='0'
|
||||
data-index={i}
|
||||
onClick={this.handleDot}
|
||||
className={className}
|
||||
/>
|
||||
);
|
||||
})}
|
||||
</div>
|
||||
|
||||
<div>
|
||||
{nextOrDoneBtn}
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
);
|
||||
}
|
||||
|
||||
}
|
@ -1,12 +0,0 @@
|
||||
مرحبا <%= @resource.email %> !
|
||||
|
||||
لقد قمت بإنشاء حساب على <%= @instance %>.
|
||||
|
||||
لتأكيد التسجيل يرجى النقر على الرابط التالي :
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
يرجى الإطلاع على شروط الإستخدام <%= terms_url %>
|
||||
|
||||
مع أجمل التحيات،
|
||||
|
||||
فريق <%= @instance %>
|
@ -1,12 +0,0 @@
|
||||
Benvingut <%= @resource.email %> !
|
||||
|
||||
Acabes de crear un compte a <%= @instance %>.
|
||||
|
||||
Per confirmar la subscripció, si us plua fes clic en el següent vincle :
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
Si us plau també fes un cop d'ull als nostres termes i condicions <%= terms_url %>
|
||||
|
||||
Sincerament,
|
||||
|
||||
L'equip <%= @instance %>
|
@ -1,12 +0,0 @@
|
||||
Welcome <%= @resource.email %> !
|
||||
|
||||
You just created an account on <%= @instance %>.
|
||||
|
||||
To confirm your inscription, please click on the following link :
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
Please also check out our terms and conditions <%= terms_url %>
|
||||
|
||||
Sincerely,
|
||||
|
||||
The <%= @instance %> team
|
@ -1,12 +0,0 @@
|
||||
¡Bienvenido, <%= @resource.email %>!
|
||||
|
||||
Acabas de crear una cuenta en <%= @instance %>.
|
||||
|
||||
Para confirmar tu registro, por favor ingresa al siguiente enlace:
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
Por favor, también revisa nuestros términos y condiciones <%= terms_url %>
|
||||
|
||||
Sinceramente,
|
||||
|
||||
El equipo de <%= @instance %>
|
@ -1,12 +0,0 @@
|
||||
خوش آمدید <%= @resource.email %> !
|
||||
|
||||
شما الان در <%= @instance %> حساب باز کردید.
|
||||
|
||||
برای تأیید عضویت، لطفاً روی پیوند زیر کلیک کنید:
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
لطفاً همچنین شرایط و مقررات استفادهٔ ما را هم بخوانید <%= terms_url %>
|
||||
|
||||
با احترام،
|
||||
|
||||
گردانندگان سرور <%= @instance %>
|
@ -1,5 +0,0 @@
|
||||
Tervetuloa <%= @resource.email %>!
|
||||
|
||||
Voit vahvistaa Mastodon tilisi klikkaamalla alla olevaa linkkiä:
|
||||
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
@ -1,12 +0,0 @@
|
||||
שלום <%= @resource.email %> !
|
||||
|
||||
הרגע יצרת חשבון בקהילה <%= @instance %>.
|
||||
|
||||
כדי לוודא את הרשמתך, יש ללחוץ על הקישורית הבאה :
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
יש לעבור גם על תנאי השימוש <%= terms_url %>
|
||||
|
||||
בתודה מראש,
|
||||
|
||||
צוות ניהול <%= @instance %>
|
@ -1,12 +0,0 @@
|
||||
Selamat datang <%= @resource.email %> !
|
||||
|
||||
Anda baru saja membuat akun di <%= @instance %>.
|
||||
|
||||
Untuk mengkonfirmasi, silakan klik link berikut ini :
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
Silakan cek <%= terms_url %> kami
|
||||
|
||||
Hormat kami,
|
||||
|
||||
Tim <%= @instance %>
|
@ -1,12 +0,0 @@
|
||||
Benvenuto <%= @resource.email %> !
|
||||
|
||||
Hai appena creato un account su <%= @instance %>.
|
||||
|
||||
er confermare la tua iscrizione, fai clic sul seguente link :
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
Per piacere leggi anche i nostri termini e condizioni <%= terms_url %>
|
||||
|
||||
Sinceramente,
|
||||
|
||||
Il team <%= @instance %>
|
@ -1,11 +0,0 @@
|
||||
ようこそ<%= @resource.email %>さん
|
||||
|
||||
<%= @instance %>にアカウントが作成されました。
|
||||
|
||||
以下のリンクをクリックしてMastodonアカウントのメールアドレスを確認してください。
|
||||
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
また、インスタンスの<%= link_to '利用規約', terms_url %>についてもご確認ください。
|
||||
|
||||
<%= @instance %> チーム
|
@ -1,10 +0,0 @@
|
||||
안녕하세요 <%= @resource.email %> 님!
|
||||
|
||||
<%= @instance %>에 새로 계정을 만들었습니다.
|
||||
|
||||
아래 링크를 눌러 회원가입을 완료 하세요.
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
약관도 확인 바랍니다. <%= terms_url %>
|
||||
|
||||
<%= @instance %> 드림
|
@ -1,12 +0,0 @@
|
||||
Welkom <%= @resource.email %> !
|
||||
|
||||
Je hebt zojuist een account aangemaakt op <%= @instance %>.
|
||||
|
||||
Klik op de volgende link om jouw registratie te bevestigen :
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
Lees ook onze gebruikersvoorwaarden op <%= terms_url %>
|
||||
|
||||
Vriendelijke groet,
|
||||
|
||||
De beheerder(s) van <%= @instance %>
|
@ -1,12 +0,0 @@
|
||||
Velkommen <%= @resource.email %> !
|
||||
|
||||
Du har akkurat opprettet en konto på <%= @instance %>.
|
||||
|
||||
For å bekrefte innskriving i manntallet vennligst trykk på følgende lenke :
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
Vennligst også les våre brukervilkår <%= terms_url %>
|
||||
|
||||
Med vennlig hilsen,
|
||||
|
||||
Gjengen bak <%= @instance %>
|
@ -1,12 +0,0 @@
|
||||
Witaj, <%= @resource.email %>!
|
||||
|
||||
Właśnie utworzyłeś konto na instancji <%= @instance %>.
|
||||
|
||||
Aby aktywować konto, odwiedź poniższy link:
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
Pamiętaj przeczytać nasz regulamin i zasady użytkowania: <%= terms_url %>
|
||||
|
||||
Z pozdrowieniami,
|
||||
|
||||
Zespół <%= @instance %>
|
@ -1,12 +0,0 @@
|
||||
Boas vindas, <%= @resource.email %>!
|
||||
|
||||
Você acabou de criar uma conta na instância <%= @instance %>.
|
||||
|
||||
Para confirmar o seu cadastro, por favor clique no link a seguir:
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
Por favor, leia também os nossos termos e condições de uso <%= terms_url %>
|
||||
|
||||
Atenciosamente,
|
||||
|
||||
A equipe da instância <%= @instance %>
|
@ -1,12 +0,0 @@
|
||||
Dobrodošao <%= @resource.email %> !
|
||||
|
||||
Upravo ste napravili nalog na instanci <%= @instance %>.
|
||||
|
||||
Da potvrdite Vašu registraciju, molimo Vas kliknite na sledeći link:
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
Takođe pogledajte i pravila i uslove korišćenja <%= terms_url %>
|
||||
|
||||
S poštovanjem,
|
||||
|
||||
<%= @instance %> tim
|
@ -1,12 +0,0 @@
|
||||
Välkommen <%= @resource.email %> !
|
||||
|
||||
Du har precis skapat ett konto på <%= @instance %>.
|
||||
|
||||
För att bekräfta din inskrift, vänligen klicka på följande länk :
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
Vänligen läs även våra användarvillkor <%= terms_url %>
|
||||
|
||||
Vänliga hälsningar,
|
||||
|
||||
Teamet på <%= @instance %>
|
@ -0,0 +1,12 @@
|
||||
<%= t 'devise.mailer.confirmation_instructions.title' %>
|
||||
|
||||
===
|
||||
|
||||
<%= t 'devise.mailer.confirmation_instructions.explanation', host: site_hostname %>
|
||||
|
||||
=> <%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
<%= strip_tags(t('devise.mailer.confirmation_instructions.extra_html', terms_path: about_more_url, policy_path: terms_url)) %>
|
||||
|
||||
=> <%= about_more_url %>
|
||||
=> <%= terms_url %>
|
@ -1,10 +0,0 @@
|
||||
<%= @resource.email %>,你好呀!
|
||||
|
||||
你刚刚在 <%= @instance %> 创建了一个帐户呢。
|
||||
|
||||
点击下面的链接来完成注册啦:
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
记得读一读我们的使用条款哦:<%= terms_url %>
|
||||
|
||||
来自 <%= @instance %> 管理团队
|
@ -1,13 +0,0 @@
|
||||
Hello <%= @resource.email %>!
|
||||
|
||||
<% if @resource&.unconfirmed_email? %>
|
||||
We're contacting you to notify you that the email you use on <%= @instance %> is being changed to <%= @resource.unconfirmed_email %>.
|
||||
<% else %>
|
||||
We're contacting you to notify you that the email you use on <%= @instance %> has been changed to <%= @resource.email %>.
|
||||
<% end %>
|
||||
|
||||
If you did not change your email, it is likely that someone has gained access to your account. Please change your password immediately or contact the instance admin if you're locked out of your account.
|
||||
|
||||
Sincerely,
|
||||
|
||||
The <%= @instance %> team
|
@ -1,11 +0,0 @@
|
||||
Hello <%= @resource.email %>!
|
||||
|
||||
<% if @resource&.unconfirmed_email? %>
|
||||
<%= @instance %>で使っているメールアドレスが<%= @resource.unconfirmed_email %>に変更されようとしています。
|
||||
<% else %>
|
||||
<%= @instance %>で使っているメールアドレスが<%= @resource.email %>に変更されました。
|
||||
<% end %>
|
||||
|
||||
メールアドレスを変更した覚えがない場合、誰かがあなたのアカウントにアクセスしたおそれがあります。すぐにパスワードを変更するか、アカウントにアクセスできない場合はインスタンスの管理者に連絡してください。
|
||||
|
||||
<%= @instance %>チームより
|
@ -1,13 +0,0 @@
|
||||
Witaj, <%= @resource.email %>!
|
||||
|
||||
<% if @resource&.unconfirmed_email? %>
|
||||
Informujemy, że e-mail używany przez Ciebie na <%= @instance %> został zmieniony na <%= @resource.unconfirmed_email %>.
|
||||
<% else %>
|
||||
Informujemy, że e-mail używany przez Ciebie na <%= @instance %> został zmieniony na <%= @resource.email %>.
|
||||
<% end %>
|
||||
|
||||
Jeżeli to nie Ty, prawdopodobnie ktoś uzyskał dostęp do Twojego konta. Zalecana jest natychmiastowa zmiana hasła lub skontaktowanie się z administratorem, jeżeli nie masz dostępu do swojego konta.
|
||||
|
||||
Z pozdrowieniami,
|
||||
|
||||
Zespół <%= @instance %>
|
@ -0,0 +1,9 @@
|
||||
<%= t 'devise.mailer.email_changed.title' %>
|
||||
|
||||
===
|
||||
|
||||
<%= t 'devise.mailer.email_changed.explanation' %>
|
||||
|
||||
<%= @resource.unconfirmed_email %>
|
||||
|
||||
<%= t 'devise.mailer.email_changed.extra' %>
|
@ -1,11 +0,0 @@
|
||||
<%= @resource.email %>,你好呀!
|
||||
|
||||
<% if @resource&.unconfirmed_email? %>
|
||||
我们发送这封邮件是为了提醒你,你在 <%= @instance %> 上使用的电子邮件地址即将变更为 <%= @resource.unconfirmed_email %>。
|
||||
<% else %>
|
||||
我们发送这封邮件是为了提醒你,你在 <%= @instance %> 上使用的电子邮件地址已经变更为 <%= @resource.unconfirmed_email %>。
|
||||
<% end %>
|
||||
|
||||
如果你并没有请求更改你的电子邮件地址,则他人很有可能已经入侵你的帐户。请立即更改你的密码;如果你已经无法访问你的帐户,请联系实例的管理员请求协助。
|
||||
|
||||
来自 <%= @instance %> 管理团队
|
@ -1,3 +0,0 @@
|
||||
صباح الخير <%= @resource.email %> !
|
||||
|
||||
نود أن نخبرك أنه قد تم تعديل كلمة مرور ماستدون الخاصة بك بنجاح.
|
@ -1,3 +0,0 @@
|
||||
Hola <%= @resource.email %>!
|
||||
|
||||
Aquest correu es per a notificar-te que la teva contrasenya a mastodont.cat ha canviat.
|
@ -1,3 +0,0 @@
|
||||
Hello <%= @resource.email %>!
|
||||
|
||||
We're contacting you to notify you that your password on <%= @instance %> has been changed.
|
@ -1,3 +0,0 @@
|
||||
¡Hola, <%= @resource.email %>!
|
||||
|
||||
Te contactamos para notificarte que tu contraseña en <%= @instance %> ha sido modificada.
|
@ -1,3 +0,0 @@
|
||||
سلام <%= @resource.email %>!
|
||||
|
||||
این پیغام برای این است که به شما بگوییم رمز شما در ماستدون تغییر کرده است.
|
@ -1,3 +0,0 @@
|
||||
Hei <%= @resource.email %>!
|
||||
|
||||
Lähetämme tämän viestin ilmoittaaksemme että salasanasi on vaihdettu.
|
@ -1,3 +0,0 @@
|
||||
Bonjour <%= @resource.email %> !
|
||||
|
||||
Nous vous contactons pour vous informer que votre mot de passe sur Mastodon a bien été modifié.
|
@ -1,3 +0,0 @@
|
||||
שלום <%= @resource.email %>!
|
||||
|
||||
רצינו להודיע לך שסיסמתך במסטודון אצלנו הוחלפה.
|
@ -1,3 +0,0 @@
|
||||
Hai <%= @resource.email %>!
|
||||
|
||||
Kami menghubungi anda untuk memberitahu bahwa kata sandi anda di Mastodon telah diubah.
|
@ -1,3 +0,0 @@
|
||||
Ciao <%= @resource.email %>!
|
||||
|
||||
Ti stiamo contattando per avvisarti che la tua password su Mastodon è stata cambiata.
|
@ -1,3 +0,0 @@
|
||||
こんにちは<%= @resource.email %>さん
|
||||
|
||||
Mastodonアカウントのパスワードが変更されました。
|
@ -1,3 +0,0 @@
|
||||
Hallo <%= @resource.email %>!
|
||||
|
||||
Hierbij laten we jou weten dat jouw wachtwoord op Mastodon is veranderd.
|
@ -1,3 +0,0 @@
|
||||
Hei <%= @resource.email %>!
|
||||
|
||||
Ditt Mastodon-passord har blitt endret.
|
@ -1,3 +0,0 @@
|
||||
Witaj, <%= @resource.email %>!
|
||||
|
||||
Informujemy, że ostatnio zmieniono Twoje hasło na <%= @instance %>.
|
@ -1,3 +0,0 @@
|
||||
Olá, <%= @resource.email %>!
|
||||
|
||||
Estamos te contatando para te notificar que a sua senha na instância <%= @instance %> foi modificada.
|
@ -1,3 +0,0 @@
|
||||
Zdravo <%= @resource.email %>!
|
||||
|
||||
Želimo samo da Vas obavestimo da je Vaša lozinka na Mastodont instanci <%= @instance %> promenjena.
|
@ -1,3 +0,0 @@
|
||||
Hej <%= @resource.email %>!
|
||||
|
||||
Vi kontaktar dig för att meddela dig att ditt lösenord på <%= @instance %> har blivit ändrat.
|
@ -0,0 +1,7 @@
|
||||
<%= t 'devise.mailer.password_change.title' %>
|
||||
|
||||
===
|
||||
|
||||
<%= t 'devise.mailer.password_change.explanation' %>
|
||||
|
||||
<%= t 'devise.mailer.password_change.extra' %>
|
@ -1,3 +0,0 @@
|
||||
สวัสดี <%= @resource.email %>!
|
||||
|
||||
เราติดต่อมาเพื่อแจ้งให้คุณทราบว่า พาสเวิร์ดของคุณถูกเปลี่ยนแล้ว
|
@ -1,3 +0,0 @@
|
||||
<%= @resource.email %>,你好呀!
|
||||
|
||||
提醒一下,你在 <%= @instance %> 上的密码被更改了哦。
|
@ -1,12 +0,0 @@
|
||||
Hello <%= @resource.unconfirmed_email %>!
|
||||
|
||||
You requested a change to the email address you use on <%= @instance %>.
|
||||
|
||||
To confirm your new email, please click on the following link:
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
Please also check out our terms and conditions <%= terms_url %>
|
||||
|
||||
Sincerely,
|
||||
|
||||
The <%= @instance %> team
|
@ -1,10 +0,0 @@
|
||||
こんにちは<%= @resource.unconfirmed_email %>さん
|
||||
|
||||
<%= @instance %>で使っているメールアドレスの変更をあなたがリクエストしました。
|
||||
|
||||
新しいメールアドレスを確認するには次のリンクをクリックしてください:
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
また利用規約もご確認ください <%= terms_url %>
|
||||
|
||||
<%= @instance %>チームより
|
@ -1,12 +0,0 @@
|
||||
Witaj, <%= @resource.unconfirmed_email %>!
|
||||
|
||||
Dokonano próby zmiany adresu e-mail, którego używasz na <%= @instance %>.
|
||||
|
||||
Aby potwierdzić posiadanie tego adresu e-mail, kliknij na poniższy odnośnik:
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
Pamiętaj o przeczytaniu naszych zasad użytkowania: <%= terms_url %>
|
||||
|
||||
Z pozdrowieniami,
|
||||
|
||||
Zespół <%= @instance %>
|
@ -0,0 +1,9 @@
|
||||
<%= t 'devise.mailer.reconfirmation_instructions.title' %>
|
||||
|
||||
===
|
||||
|
||||
<%= t 'devise.mailer.reconfirmation_instructions.explanation' %>
|
||||
|
||||
=> <%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
<%= t 'devise.mailer.reconfirmation_instructions.extra' %>
|
@ -1,10 +0,0 @@
|
||||
<%= @resource.email %>,你好呀!
|
||||
|
||||
你正在更改你在 <%= @instance %> 使用的电子邮件地址。
|
||||
|
||||
点击下面的链接以确认操作:
|
||||
<%= confirmation_url(@resource, confirmation_token: @token) %>
|
||||
|
||||
记得读一读我们的使用条款哦:<%= terms_url %>
|
||||
|
||||
来自 <%= @instance %> 管理团队
|
@ -1,8 +0,0 @@
|
||||
صباح الخير <%= @resource.email %>!
|
||||
|
||||
لقد طلب أحدهم رابط تعديل كلمة مرور ماستدون الخاصة بك. يمكنك المتابعة و مواصلة التعديل على الرابط التالي.
|
||||
|
||||
<%= edit_password_url(@resource, reset_password_token: @token) %>
|
||||
|
||||
يمكنك تجاهل هذه الرسالة إن لم تكن من طلب ذلك.
|
||||
لن يتم تعديل كلمة المرور الخاصة بك و ستبقى نفسها إلا إذا قمت بالضغط على الرابط أعلاه.
|
@ -1,8 +0,0 @@
|
||||
Hola <%= @resource.email %>!
|
||||
|
||||
Algú ha sol·licitat un enllaç per canviar la contrasenya a mastodont.cat. Això es pot fer a través del següent enllaç.
|
||||
|
||||
<%= edit_password_url(@resource, reset_password_token: @token) %>
|
||||
|
||||
Si no has sol·licitat aquest canvi, si us plau, ignora aquest correu.
|
||||
La teva contrasenya no canviarà fins que accedeix a l'enllaç de dalt per crear-ne una de nova.
|
@ -1,8 +0,0 @@
|
||||
Hello <%= @resource.email %>!
|
||||
|
||||
Someone has requested a link to change your password on <%= @instance %>. You can do this through the link below.
|
||||
|
||||
<%= edit_password_url(@resource, reset_password_token: @token) %>
|
||||
|
||||
If you didn't request this, please ignore this email.
|
||||
Your password won't change until you access the link above and create a new one.
|
@ -1,8 +0,0 @@
|
||||
¡Hola, <%= @resource.email %>!
|
||||
|
||||
Alguien pidió un enlace para cambiar tu contraseña en <%= @instance %>. Puedes hacer esto con el siguiente enlace.
|
||||
|
||||
<%= edit_password_url(@resource, reset_password_token: @token) %>
|
||||
|
||||
Si no fuiste tú, por favor ignora este mensaje.
|
||||
Tu contraseña no cambiará hasta que ingreses al enlace y crees una nueva.
|
@ -1,8 +0,0 @@
|
||||
سلام <%= @resource.email %>!
|
||||
|
||||
یک نفر درخواست کرده تا رمز شما در ماستدون عوض شود. برای این کار روی پیوند زیر کلیک کنید.
|
||||
|
||||
<%= edit_password_url(@resource, reset_password_token: @token) %>
|
||||
|
||||
اگر شما چنین درخواستی ندادهاید، لطفاً این ایمیل را نادیده بگیرید.
|
||||
تا وقتی که شما پیوند بالا را نبینید و رمز تازهای نسازید، رمز شما عوض نخواهد شد.
|
@ -1,8 +0,0 @@
|
||||
Hei <%= @resource.email %>!
|
||||
|
||||
Joku on pyytänyt salasanvaihto Mastodonissa. Voit tehdä sen allaolevassa linkissä.
|
||||
|
||||
<%= edit_password_url(@resource, reset_password_token: @token) %>
|
||||
|
||||
Jos et pyytänyt vaihtoa, poista tämä viesti.
|
||||
Salasanaasi ei vaihdeta ennen kuin menet ylläolevaan linkkiin ja luot uuden.
|
@ -1,8 +0,0 @@
|
||||
Hai <%= @resource.email %>!
|
||||
|
||||
Seseorang telah melakukan permintaan link untuk merubah kata sandi anda di Mastodon. Anda bisa melakukan ini melalui link dibawah ini.
|
||||
|
||||
<%= edit_password_url(@resource, reset_password_token: @token) %>
|
||||
|
||||
Jika anda tidak memintanya, mohon abaikan email ini.
|
||||
Password anda tidak akan diubah kecuali anda mengakses link di atas dan menggantinya.
|