mirror of
https://github.com/Qortal/Qortal-Hub.git
synced 2025-06-02 22:46:59 +00:00
Merge branch 'feature/large-files-and-names' into feature/add-primary-name
This commit is contained in:
commit
ac0725b712
@ -76,16 +76,16 @@
|
||||
}
|
||||
|
||||
:is(.messageBar > div)::before {
|
||||
-webkit-mask-image: var(--message-bar-icon);
|
||||
-webkit-mask-size: cover;
|
||||
background-color: var(--message-bar-icon-color);
|
||||
content: '';
|
||||
display: inline-block;
|
||||
width: 16px;
|
||||
height: 16px;
|
||||
-webkit-mask-image: var(--message-bar-icon);
|
||||
mask-image: var(--message-bar-icon);
|
||||
-webkit-mask-size: cover;
|
||||
mask-size: cover;
|
||||
background-color: var(--message-bar-icon-color);
|
||||
flex-shrink: 0;
|
||||
height: 16px;
|
||||
mask-image: var(--message-bar-icon);
|
||||
mask-size: cover;
|
||||
width: 16px;
|
||||
}
|
||||
|
||||
.messageBar button {
|
||||
|
87
src/App.tsx
87
src/App.tsx
@ -1512,6 +1512,7 @@ function App() {
|
||||
)}
|
||||
|
||||
<Spacer height="35px" />
|
||||
|
||||
{userInfo && !userInfo?.name && (
|
||||
<TextP
|
||||
sx={{
|
||||
@ -1579,7 +1580,7 @@ function App() {
|
||||
return (
|
||||
<AuthenticatedContainer
|
||||
sx={{
|
||||
backgroundColor: theme.palette.background.default,
|
||||
backgroundColor: theme.palette.background.paper,
|
||||
display: 'flex',
|
||||
justifyContent: 'flex-end',
|
||||
width: 'auto',
|
||||
@ -2754,7 +2755,7 @@ function App() {
|
||||
fontWeight: 600,
|
||||
}}
|
||||
>
|
||||
{t('auth:action.authenticate', {
|
||||
{t('auth:authentication', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
</TextP>
|
||||
@ -3033,7 +3034,7 @@ function App() {
|
||||
<Box
|
||||
sx={{
|
||||
background: theme.palette.background.paper,
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
padding: '10px',
|
||||
textAlign: 'center',
|
||||
width: '100%',
|
||||
@ -3094,7 +3095,7 @@ function App() {
|
||||
}
|
||||
/>
|
||||
|
||||
<Spacer height="6px" />
|
||||
<Spacer height="5px" />
|
||||
|
||||
<CustomLabel htmlFor="standard-adornment-password">
|
||||
{t('auth:wallet.password_confirmation', {
|
||||
@ -3337,14 +3338,29 @@ function App() {
|
||||
zIndex: 10001,
|
||||
}}
|
||||
>
|
||||
<DialogTitle id="alert-dialog-title">
|
||||
{message.paymentFee ? 'Payment' : 'Publish'}
|
||||
<DialogTitle
|
||||
id="alert-dialog-title"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{message.paymentFee
|
||||
? t('core:payment', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})
|
||||
: t('core:publish', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
</DialogTitle>
|
||||
|
||||
<DialogContent>
|
||||
<DialogContentText id="alert-dialog-description">
|
||||
{message.message}
|
||||
</DialogContentText>
|
||||
|
||||
{message?.paymentFee && (
|
||||
<DialogContentText id="alert-dialog-description2">
|
||||
{t('core:fee.payment', {
|
||||
@ -3353,6 +3369,7 @@ function App() {
|
||||
: {message.paymentFee}
|
||||
</DialogContentText>
|
||||
)}
|
||||
|
||||
{message?.publishFee && (
|
||||
<DialogContentText id="alert-dialog-description2">
|
||||
{t('core:fee.publish', {
|
||||
@ -3414,8 +3431,18 @@ function App() {
|
||||
aria-labelledby="alert-dialog-title"
|
||||
aria-describedby="alert-dialog-description"
|
||||
>
|
||||
<DialogTitle id="alert-dialog-title">
|
||||
{'Important Info'}
|
||||
<DialogTitle
|
||||
id="alert-dialog-title"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{t('tutorial:important_info', {
|
||||
postProcess: 'capitalizeAll',
|
||||
})}
|
||||
</DialogTitle>
|
||||
|
||||
<DialogContent>
|
||||
@ -3440,18 +3467,45 @@ function App() {
|
||||
aria-labelledby="alert-dialog-title"
|
||||
aria-describedby="alert-dialog-description"
|
||||
>
|
||||
<DialogTitle id="alert-dialog-title">
|
||||
<DialogTitle
|
||||
id="alert-dialog-title"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{t('core:action.logout', { postProcess: 'capitalizeAll' })}
|
||||
</DialogTitle>
|
||||
|
||||
<DialogContent>
|
||||
<DialogContentText id="alert-dialog-description">
|
||||
<DialogContentText
|
||||
id="alert-dialog-description"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
}}
|
||||
>
|
||||
{messageUnsavedChanges.message}
|
||||
</DialogContentText>
|
||||
</DialogContent>
|
||||
|
||||
<DialogActions>
|
||||
<Button variant="contained" onClick={onCancelUnsavedChanges}>
|
||||
<Button
|
||||
variant="contained"
|
||||
onClick={onCancelUnsavedChanges}
|
||||
sx={{
|
||||
backgroundColor: theme.palette.other.danger,
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 0.7,
|
||||
'&:hover': {
|
||||
backgroundColor: theme.palette.other.danger,
|
||||
color: 'black',
|
||||
opacity: 1,
|
||||
},
|
||||
}}
|
||||
>
|
||||
{t('core:action.cancel', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
@ -3461,6 +3515,17 @@ function App() {
|
||||
variant="contained"
|
||||
onClick={onOkUnsavedChanges}
|
||||
autoFocus
|
||||
sx={{
|
||||
backgroundColor: theme.palette.other.positive,
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 0.7,
|
||||
'&:hover': {
|
||||
backgroundColor: theme.palette.other.positive,
|
||||
color: 'black',
|
||||
opacity: 1,
|
||||
},
|
||||
}}
|
||||
>
|
||||
{t('core:action.continue_logout', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
|
@ -430,7 +430,7 @@ export async function performPowTask(chatBytes, difficulty) {
|
||||
// Send the task to the worker
|
||||
worker.postMessage({
|
||||
chatBytes,
|
||||
path: `${import.meta.env.BASE_URL}memory-pow.wasm.full`,
|
||||
path: `${import.meta.env.BASE_URL}memory-pow.wasm.full`, // TODO move into ./wasm/ folder
|
||||
difficulty,
|
||||
});
|
||||
});
|
||||
|
@ -1,44 +1,48 @@
|
||||
import React, { useCallback } from 'react'
|
||||
import { Box } from '@mui/material'
|
||||
import { useDropzone, DropzoneRootProps, DropzoneInputProps } from 'react-dropzone'
|
||||
import Compressor from 'compressorjs'
|
||||
import React, { useCallback } from 'react';
|
||||
import { Box } from '@mui/material';
|
||||
import {
|
||||
useDropzone,
|
||||
DropzoneRootProps,
|
||||
DropzoneInputProps,
|
||||
} from 'react-dropzone';
|
||||
import Compressor from 'compressorjs';
|
||||
|
||||
const toBase64 = (file: File): Promise<string | ArrayBuffer | null> =>
|
||||
new Promise((resolve, reject) => {
|
||||
const reader = new FileReader()
|
||||
reader.readAsDataURL(file)
|
||||
reader.onload = () => resolve(reader.result)
|
||||
const reader = new FileReader();
|
||||
reader.readAsDataURL(file);
|
||||
reader.onload = () => resolve(reader.result);
|
||||
reader.onerror = (error) => {
|
||||
reject(error)
|
||||
}
|
||||
})
|
||||
reject(error);
|
||||
};
|
||||
}); // TODO toBase64 seems unused. Remove?
|
||||
|
||||
interface ImageUploaderProps {
|
||||
children: React.ReactNode
|
||||
onPick: (file: File) => void
|
||||
children: React.ReactNode;
|
||||
onPick: (file: File) => void;
|
||||
}
|
||||
|
||||
const ImageUploader: React.FC<ImageUploaderProps> = ({ children, onPick }) => {
|
||||
const onDrop = useCallback(
|
||||
async (acceptedFiles: File[]) => {
|
||||
if (acceptedFiles.length > 1) {
|
||||
return
|
||||
return;
|
||||
}
|
||||
|
||||
const image = acceptedFiles[0]
|
||||
let compressedFile: File | undefined
|
||||
const image = acceptedFiles[0];
|
||||
let compressedFile: File | undefined;
|
||||
|
||||
try {
|
||||
// Check if the file is a GIF
|
||||
if (image.type === 'image/gif') {
|
||||
// Check if the GIF is larger than 500 KB
|
||||
if (image.size > 500 * 1024) {
|
||||
console.error('GIF file size exceeds 500KB limit.')
|
||||
return
|
||||
console.error('GIF file size exceeds 500KB limit.');
|
||||
return;
|
||||
}
|
||||
|
||||
// No compression for GIF, pass the original file
|
||||
compressedFile = image
|
||||
compressedFile = image;
|
||||
} else {
|
||||
// For non-GIF files, compress them
|
||||
await new Promise<void>((resolve) => {
|
||||
@ -48,55 +52,55 @@ const ImageUploader: React.FC<ImageUploaderProps> = ({ children, onPick }) => {
|
||||
mimeType: 'image/webp',
|
||||
success(result) {
|
||||
const file = new File([result], image.name, {
|
||||
type: 'image/webp'
|
||||
})
|
||||
compressedFile = file
|
||||
resolve()
|
||||
type: 'image/webp',
|
||||
});
|
||||
compressedFile = file;
|
||||
resolve();
|
||||
},
|
||||
error(err) {
|
||||
console.error('Compression error:', err)
|
||||
resolve() // Proceed even if there's an error
|
||||
}
|
||||
})
|
||||
})
|
||||
console.error('Compression error:', err);
|
||||
resolve(); // Proceed even if there's an error
|
||||
},
|
||||
});
|
||||
});
|
||||
}
|
||||
|
||||
if (!compressedFile) return
|
||||
if (!compressedFile) return;
|
||||
|
||||
onPick(compressedFile)
|
||||
onPick(compressedFile);
|
||||
} catch (error) {
|
||||
console.error('File processing error:', error)
|
||||
console.error('File processing error:', error);
|
||||
}
|
||||
},
|
||||
[onPick]
|
||||
)
|
||||
);
|
||||
|
||||
const {
|
||||
getRootProps,
|
||||
getInputProps,
|
||||
isDragActive
|
||||
isDragActive,
|
||||
}: {
|
||||
getRootProps: () => DropzoneRootProps
|
||||
getInputProps: () => DropzoneInputProps
|
||||
isDragActive: boolean
|
||||
getRootProps: () => DropzoneRootProps;
|
||||
getInputProps: () => DropzoneInputProps;
|
||||
isDragActive: boolean;
|
||||
} = useDropzone({
|
||||
onDrop,
|
||||
accept: {
|
||||
'image/*': []
|
||||
}
|
||||
})
|
||||
'image/*': [],
|
||||
},
|
||||
});
|
||||
|
||||
return (
|
||||
<Box
|
||||
{...getRootProps()}
|
||||
sx={{
|
||||
display: 'flex'
|
||||
display: 'flex',
|
||||
}}
|
||||
>
|
||||
<input {...getInputProps()} />
|
||||
{children}
|
||||
</Box>
|
||||
)
|
||||
}
|
||||
);
|
||||
};
|
||||
|
||||
export default ImageUploader
|
||||
export default ImageUploader;
|
||||
|
@ -7,34 +7,34 @@
|
||||
}
|
||||
.lds-ellipsis {
|
||||
display: inline-block;
|
||||
height: 80px;
|
||||
position: relative;
|
||||
width: 80px;
|
||||
height: 80px;
|
||||
}
|
||||
.lds-ellipsis div {
|
||||
animation-timing-function: cubic-bezier(0, 1, 1, 0);
|
||||
background: currentColor;
|
||||
border-radius: 50%;
|
||||
height: 13.33333px;
|
||||
position: absolute;
|
||||
top: 33.33333px;
|
||||
width: 13.33333px;
|
||||
height: 13.33333px;
|
||||
border-radius: 50%;
|
||||
background: currentColor;
|
||||
animation-timing-function: cubic-bezier(0, 1, 1, 0);
|
||||
}
|
||||
.lds-ellipsis div:nth-child(1) {
|
||||
left: 8px;
|
||||
animation: lds-ellipsis1 0.6s infinite;
|
||||
left: 8px;
|
||||
}
|
||||
.lds-ellipsis div:nth-child(2) {
|
||||
left: 8px;
|
||||
animation: lds-ellipsis2 0.6s infinite;
|
||||
left: 8px;
|
||||
}
|
||||
.lds-ellipsis div:nth-child(3) {
|
||||
left: 32px;
|
||||
animation: lds-ellipsis2 0.6s infinite;
|
||||
left: 32px;
|
||||
}
|
||||
.lds-ellipsis div:nth-child(4) {
|
||||
left: 56px;
|
||||
animation: lds-ellipsis3 0.6s infinite;
|
||||
left: 56px;
|
||||
}
|
||||
|
||||
@keyframes lds-ellipsis1 {
|
||||
|
@ -127,12 +127,13 @@ export const AppInfo = ({ app, myName }) => {
|
||||
</AppInfoSnippetContainer>
|
||||
|
||||
<Spacer height="11px" />
|
||||
|
||||
<Box
|
||||
sx={{
|
||||
width: '100%',
|
||||
display: 'flex',
|
||||
alignItems: 'center',
|
||||
display: 'flex',
|
||||
gap: '20px',
|
||||
width: '100%',
|
||||
}}
|
||||
>
|
||||
<AppDownloadButton
|
||||
|
@ -30,7 +30,7 @@ import { useSortedMyNames } from '../../hooks/useSortedMyNames';
|
||||
const CustomSelect = styled(Select)({
|
||||
border: '0.5px solid var(--50-white, #FFFFFF80)',
|
||||
padding: '0px 15px',
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
height: '36px',
|
||||
width: '100%',
|
||||
maxWidth: '450px',
|
||||
@ -400,7 +400,7 @@ export const AppPublish = ({ categories, myAddress, myName }) => {
|
||||
sx={{
|
||||
border: `0.5px solid ${theme.palette.action.disabled}`,
|
||||
padding: '0px 15px',
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
height: '36px',
|
||||
width: '100%',
|
||||
maxWidth: '450px',
|
||||
@ -427,7 +427,7 @@ export const AppPublish = ({ categories, myAddress, myName }) => {
|
||||
sx={{
|
||||
border: `0.5px solid ${theme.palette.action.disabled}`,
|
||||
padding: '0px 15px',
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
height: '36px',
|
||||
width: '100%',
|
||||
maxWidth: '450px',
|
||||
@ -493,7 +493,7 @@ export const AppPublish = ({ categories, myAddress, myName }) => {
|
||||
sx={{
|
||||
border: `0.5px solid ${theme.palette.action.disabled}`,
|
||||
padding: '0px 15px',
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
height: '36px',
|
||||
width: '100px',
|
||||
}}
|
||||
@ -510,7 +510,7 @@ export const AppPublish = ({ categories, myAddress, myName }) => {
|
||||
sx={{
|
||||
border: `0.5px solid ${theme.palette.action.disabled}`,
|
||||
padding: '0px 15px',
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
height: '36px',
|
||||
width: '100px',
|
||||
}}
|
||||
@ -527,7 +527,7 @@ export const AppPublish = ({ categories, myAddress, myName }) => {
|
||||
sx={{
|
||||
border: `0.5px solid ${theme.palette.action.disabled}`,
|
||||
padding: '0px 15px',
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
height: '36px',
|
||||
width: '100px',
|
||||
}}
|
||||
@ -544,7 +544,7 @@ export const AppPublish = ({ categories, myAddress, myName }) => {
|
||||
sx={{
|
||||
border: `0.5px solid ${theme.palette.action.disabled}`,
|
||||
padding: '0px 15px',
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
height: '36px',
|
||||
width: '100px',
|
||||
}}
|
||||
@ -561,7 +561,7 @@ export const AppPublish = ({ categories, myAddress, myName }) => {
|
||||
sx={{
|
||||
border: `0.5px solid ${theme.palette.action.disabled}`,
|
||||
padding: '0px 15px',
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
height: '36px',
|
||||
width: '100px',
|
||||
}}
|
||||
|
@ -9,7 +9,6 @@ import { useTranslation } from 'react-i18next';
|
||||
|
||||
export const AppViewer = forwardRef(
|
||||
({ app, hide, isDevMode, skipAuth }, iframeRef) => {
|
||||
// const iframeRef = useRef(null);
|
||||
const { window: frameWindow } = useFrame();
|
||||
const { path, history, changeCurrentIndex, resetHistory } =
|
||||
useQortalMessageListener(
|
||||
@ -21,9 +20,16 @@ export const AppViewer = forwardRef(
|
||||
app?.service,
|
||||
skipAuth
|
||||
);
|
||||
|
||||
const [url, setUrl] = useState('');
|
||||
const { themeMode } = useThemeContext();
|
||||
const { i18n, t } = useTranslation(['core']);
|
||||
const { i18n, t } = useTranslation([
|
||||
'auth',
|
||||
'core',
|
||||
'group',
|
||||
'question',
|
||||
'tutorial',
|
||||
]);
|
||||
const currentLang = i18n.language;
|
||||
|
||||
useEffect(() => {
|
||||
|
@ -3,25 +3,20 @@ import { styled } from '@mui/system';
|
||||
|
||||
export const AppsParent = styled(Box)(({ theme }) => ({
|
||||
alignItems: 'center',
|
||||
backgroundColor: theme.palette.background.default,
|
||||
color: theme.palette.text.primary,
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
height: '100%',
|
||||
msOverflowStyle: 'none', // Hides scrollbar in IE and Edge
|
||||
overflow: 'auto',
|
||||
scrollbarWidth: 'none', // Hides the scrollbar in Firefox
|
||||
width: '100%',
|
||||
// For WebKit-based browsers (Chrome, Safari, etc.)
|
||||
'::-webkit-scrollbar': {
|
||||
width: '0px', // Set the width to 0 to hide the scrollbar
|
||||
height: '0px', // Set the height to 0 for horizontal scrollbar
|
||||
},
|
||||
|
||||
// For Firefox
|
||||
scrollbarWidth: 'none', // Hides the scrollbar in Firefox
|
||||
|
||||
// Optional for better cross-browser consistency
|
||||
msOverflowStyle: 'none', // Hides scrollbar in IE and Edge
|
||||
|
||||
backgroundColor: theme.palette.background.default,
|
||||
color: theme.palette.text.primary,
|
||||
}));
|
||||
|
||||
export const AppsContainer = styled(Box)(({ theme }) => ({
|
||||
@ -342,7 +337,7 @@ export const PublishQAppInfo = styled(Typography)(({ theme }) => ({
|
||||
export const PublishQAppChoseFile = styled(ButtonBase)(({ theme }) => ({
|
||||
alignItems: 'center',
|
||||
backgroundColor: theme.palette.background.paper,
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
color: theme.palette.text.primary,
|
||||
display: 'flex',
|
||||
fontSize: '16px',
|
||||
|
@ -352,7 +352,7 @@ export const AppsDesktop = ({
|
||||
<Box
|
||||
sx={{
|
||||
alignItems: 'center',
|
||||
backgroundColor: theme.palette.background.surface,
|
||||
backgroundColor: theme.palette.background.default,
|
||||
borderRight: `1px solid ${theme.palette.border.subtle}`,
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
|
@ -17,6 +17,7 @@ import {
|
||||
DialogContent,
|
||||
DialogTitle,
|
||||
Input,
|
||||
useTheme,
|
||||
} from '@mui/material';
|
||||
import { Add } from '@mui/icons-material';
|
||||
import { QORTAL_APP_CONTEXT, getBaseApiReact } from '../../App';
|
||||
@ -41,6 +42,7 @@ export const AppsDevModeHome = ({
|
||||
const [domain, setDomain] = useState('127.0.0.1');
|
||||
const [port, setPort] = useState('');
|
||||
const [selectedPreviewFile, setSelectedPreviewFile] = useState(null);
|
||||
const theme = useTheme();
|
||||
const { t } = useTranslation([
|
||||
'auth',
|
||||
'core',
|
||||
@ -470,7 +472,15 @@ export const AppsDevModeHome = ({
|
||||
}
|
||||
}}
|
||||
>
|
||||
<DialogTitle id="alert-dialog-title">
|
||||
<DialogTitle
|
||||
id="alert-dialog-title"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{t('core:action.add_custom_framework', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
|
@ -77,7 +77,7 @@ export const AppsHomeDesktop = ({
|
||||
<Box
|
||||
sx={{
|
||||
alignItems: 'center',
|
||||
backgroundColor: theme.palette.background.paper,
|
||||
backgroundColor: theme.palette.background.default,
|
||||
borderRadius: '20px',
|
||||
display: 'flex',
|
||||
gap: '20px',
|
||||
@ -98,6 +98,8 @@ export const AppsHomeDesktop = ({
|
||||
placeholder="qortal://"
|
||||
sx={{
|
||||
width: '100%',
|
||||
backgroundColor: theme.palette.background.surface,
|
||||
borderRadius: '7px',
|
||||
color: theme.palette.text.primary,
|
||||
'& .MuiInput-input::placeholder': {
|
||||
color: theme.palette.text.secondary,
|
||||
@ -111,7 +113,6 @@ export const AppsHomeDesktop = ({
|
||||
'&:focus': {
|
||||
outline: 'none',
|
||||
},
|
||||
// Add any additional styles for the input here
|
||||
}}
|
||||
onKeyDown={(e) => {
|
||||
if (e.key === 'Enter' && qortalUrl) {
|
||||
|
@ -284,7 +284,7 @@ export const AppsNavBarDesktop = ({ disableBack }) => {
|
||||
paper: {
|
||||
sx: {
|
||||
backgroundColor: theme.palette.background.default,
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
color: theme.palette.text.primary,
|
||||
width: '148px',
|
||||
},
|
||||
|
@ -27,6 +27,7 @@ import { ContextMenuPinnedApps } from '../ContextMenuPinnedApps';
|
||||
import LockIcon from '@mui/icons-material/Lock';
|
||||
import { useHandlePrivateApps } from '../../hooks/useHandlePrivateApps';
|
||||
import { useAtom, useSetAtom } from 'jotai';
|
||||
import { useTranslation } from 'react-i18next';
|
||||
|
||||
const SortableItem = ({ id, name, app, isDesktop }) => {
|
||||
const { openApp } = useHandlePrivateApps();
|
||||
@ -46,6 +47,14 @@ const SortableItem = ({ id, name, app, isDesktop }) => {
|
||||
transition,
|
||||
};
|
||||
|
||||
const { t } = useTranslation([
|
||||
'auth',
|
||||
'core',
|
||||
'group',
|
||||
'question',
|
||||
'tutorial',
|
||||
]);
|
||||
|
||||
return (
|
||||
<ContextMenuPinnedApps app={app} isMine={!!app?.isMine}>
|
||||
<ButtonBase
|
||||
@ -112,7 +121,6 @@ const SortableItem = ({ id, name, app, isDesktop }) => {
|
||||
width: '31px',
|
||||
height: 'auto',
|
||||
}}
|
||||
// src={LogoSelected}
|
||||
alt="center-icon"
|
||||
/>
|
||||
</Avatar>
|
||||
@ -120,7 +128,12 @@ const SortableItem = ({ id, name, app, isDesktop }) => {
|
||||
</AppCircle>
|
||||
{app?.isPrivate ? (
|
||||
<AppCircleLabel>
|
||||
{`${app?.privateAppProperties?.appName || 'Private'}`}
|
||||
{`${
|
||||
app?.privateAppProperties?.appName ||
|
||||
t('core:app_private', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})
|
||||
}`}
|
||||
</AppCircleLabel>
|
||||
) : (
|
||||
<AppCircleLabel>{app?.metadata?.title || app?.name}</AppCircleLabel>
|
||||
|
@ -34,8 +34,8 @@ const TabComponent = ({ isSelected, app }) => {
|
||||
<NavCloseTab
|
||||
style={{
|
||||
position: 'absolute',
|
||||
top: '-5px',
|
||||
right: '-5px',
|
||||
top: '-5px',
|
||||
zIndex: 1,
|
||||
}}
|
||||
/>
|
||||
|
@ -56,7 +56,15 @@ export const BuyQortInformation = ({ balance }) => {
|
||||
aria-labelledby="alert-dialog-title"
|
||||
aria-describedby="alert-dialog-description"
|
||||
>
|
||||
<DialogTitle id="alert-dialog-title">
|
||||
<DialogTitle
|
||||
id="alert-dialog-title"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{t('core:action.get_qort', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
@ -87,7 +95,7 @@ export const BuyQortInformation = ({ balance }) => {
|
||||
'&:hover': { backgroundColor: theme.palette.secondary.main },
|
||||
transition: 'all 0.1s ease-in-out',
|
||||
padding: '5px',
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
gap: '5px',
|
||||
}}
|
||||
onClick={async () => {
|
||||
|
@ -1186,7 +1186,7 @@ export const ChatGroup = ({
|
||||
{(!!secretKey || isPrivate === false) && (
|
||||
<div
|
||||
style={{
|
||||
backgroundColor: theme.palette.background.surface,
|
||||
backgroundColor: theme.palette.background.paper,
|
||||
border: `1px solid ${theme.palette.border.subtle}`,
|
||||
borderRadius: '10px',
|
||||
bottom: isFocusedParent ? '0px' : 'unset',
|
||||
|
@ -407,7 +407,7 @@ export const ChatList = ({
|
||||
</div>
|
||||
|
||||
{showScrollButton && (
|
||||
<button
|
||||
<Button
|
||||
onClick={() => scrollToBottom()}
|
||||
style={{
|
||||
backgroundColor: theme.palette.other.unread,
|
||||
@ -426,15 +426,14 @@ export const ChatList = ({
|
||||
{t('group:action.scroll_unread_messages', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
</button>
|
||||
</Button>
|
||||
)}
|
||||
|
||||
{showScrollDownButton && !showScrollButton && (
|
||||
<Button
|
||||
onClick={() => scrollToBottom()}
|
||||
variant="contained"
|
||||
style={{
|
||||
backgroundColor: theme.palette.background.surface,
|
||||
backgroundColor: theme.palette.other.positive,
|
||||
border: 'none',
|
||||
borderRadius: '20px',
|
||||
bottom: 20,
|
||||
@ -445,11 +444,11 @@ export const ChatList = ({
|
||||
padding: '10px 20px',
|
||||
position: 'absolute',
|
||||
right: 20,
|
||||
zIndex: 10,
|
||||
textTransform: 'none',
|
||||
zIndex: 10,
|
||||
}}
|
||||
>
|
||||
{t('group:action.scroll_unread_messages', {
|
||||
{t('group:action.scroll_bottom', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
</Button>
|
||||
|
@ -280,7 +280,7 @@ export const ChatOptions = ({
|
||||
{mentionList?.length === 0 && (
|
||||
<Typography
|
||||
sx={{
|
||||
fontSize: '11px',
|
||||
fontSize: '14px',
|
||||
fontWeight: 400,
|
||||
color: theme.palette.text.primary,
|
||||
}}
|
||||
@ -378,7 +378,7 @@ export const ChatOptions = ({
|
||||
return (
|
||||
<Box
|
||||
sx={{
|
||||
backgroundColor: theme.palette.background.surface,
|
||||
backgroundColor: theme.palette.background.paper,
|
||||
borderBottomLeftRadius: '20px',
|
||||
borderTopLeftRadius: '20px',
|
||||
display: 'flex',
|
||||
|
@ -305,7 +305,20 @@ const PopoverComp = ({
|
||||
</Typography>
|
||||
|
||||
<ImageUploader onPick={(file) => setAvatarFile(file)}>
|
||||
<Button variant="contained">
|
||||
<Button
|
||||
variant="contained"
|
||||
sx={{
|
||||
backgroundColor: theme.palette.other.positive,
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 0.7,
|
||||
'&:hover': {
|
||||
backgroundColor: theme.palette.other.positive,
|
||||
color: 'black',
|
||||
opacity: 1,
|
||||
},
|
||||
}}
|
||||
>
|
||||
{t('core:action.choose_image', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
@ -344,6 +357,17 @@ const PopoverComp = ({
|
||||
disabled={!avatarFile || !myName}
|
||||
onClick={publishAvatar}
|
||||
variant="contained"
|
||||
sx={{
|
||||
backgroundColor: theme.palette.other.positive,
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 0.7,
|
||||
'&:hover': {
|
||||
backgroundColor: theme.palette.other.positive,
|
||||
color: 'black',
|
||||
opacity: 1,
|
||||
},
|
||||
}}
|
||||
>
|
||||
{t('group:action.publish_avatar', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
|
@ -324,10 +324,11 @@ export const MessageItem = memo(
|
||||
{reply && (
|
||||
<>
|
||||
<Spacer height="20px" />
|
||||
|
||||
<Box
|
||||
sx={{
|
||||
backgroundColor: theme.palette.background.surface,
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
cursor: 'pointer',
|
||||
display: 'flex',
|
||||
gap: '20px',
|
||||
@ -339,15 +340,6 @@ export const MessageItem = memo(
|
||||
scrollToItem(replyIndex);
|
||||
}}
|
||||
>
|
||||
<Box
|
||||
sx={{
|
||||
background: theme.palette.text.primary,
|
||||
height: '100%',
|
||||
width: '5px',
|
||||
flexShrink: 0,
|
||||
}}
|
||||
/>
|
||||
|
||||
<Box
|
||||
sx={{
|
||||
padding: '5px',
|
||||
@ -410,7 +402,6 @@ export const MessageItem = memo(
|
||||
{reactions &&
|
||||
Object.keys(reactions).map((reaction) => {
|
||||
const numberOfReactions = reactions[reaction]?.length;
|
||||
// const myReaction = reactions
|
||||
if (numberOfReactions === 0) return null;
|
||||
return (
|
||||
<ButtonBase
|
||||
@ -440,7 +431,6 @@ export const MessageItem = memo(
|
||||
marginLeft: '4px',
|
||||
}}
|
||||
>
|
||||
{' '}
|
||||
{numberOfReactions}
|
||||
</Typography>
|
||||
)}
|
||||
@ -630,7 +620,7 @@ export const ReplyPreview = ({ message, isEdit = false }) => {
|
||||
<Box
|
||||
sx={{
|
||||
backgroundColor: theme.palette.background.surface,
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
cursor: 'pointer',
|
||||
display: 'flex',
|
||||
gap: '20px',
|
||||
@ -640,14 +630,6 @@ export const ReplyPreview = ({ message, isEdit = false }) => {
|
||||
width: '100%',
|
||||
}}
|
||||
>
|
||||
<Box
|
||||
sx={{
|
||||
background: theme.palette.text.primary,
|
||||
height: '100%',
|
||||
width: '5px',
|
||||
flexShrink: 0,
|
||||
}}
|
||||
/>
|
||||
<Box
|
||||
sx={{
|
||||
padding: '5px',
|
||||
|
@ -32,7 +32,7 @@ import { Box, Checkbox, Typography, useTheme } from '@mui/material';
|
||||
import { useAtom } from 'jotai';
|
||||
import { fileToBase64 } from '../../utils/fileReading/index.js';
|
||||
import { useTranslation } from 'react-i18next';
|
||||
import i18next from 'i18next';
|
||||
import i18n from 'i18next';
|
||||
|
||||
function textMatcher(doc, from) {
|
||||
const textBeforeCursor = doc.textBetween(0, from, ' ', ' ');
|
||||
@ -374,7 +374,9 @@ const extensions = [
|
||||
},
|
||||
}),
|
||||
Placeholder.configure({
|
||||
placeholder: 'Start typing here...', // doesn't work i18next.t('core:action.start_typing'),
|
||||
placeholder: i18n.t('core:action.start_typing', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
}),
|
||||
}),
|
||||
ImageResize,
|
||||
];
|
||||
|
@ -21,26 +21,26 @@ const IconWrapper = ({
|
||||
return (
|
||||
<Box
|
||||
sx={{
|
||||
display: 'flex',
|
||||
justifyContent: 'center',
|
||||
alignItems: 'center',
|
||||
gap: '5px',
|
||||
flexDirection: 'column',
|
||||
height: customHeight ? customHeight : '65px',
|
||||
width: customHeight ? customHeight : '65px',
|
||||
borderRadius: '50%',
|
||||
backgroundColor: selected
|
||||
? selectColor || 'rgba(28, 29, 32, 1)'
|
||||
: 'transparent',
|
||||
borderRadius: '50%',
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
gap: '5px',
|
||||
height: customHeight ? customHeight : '65px',
|
||||
justifyContent: 'center',
|
||||
width: customHeight ? customHeight : '65px',
|
||||
}}
|
||||
>
|
||||
{children}
|
||||
<Typography
|
||||
sx={{
|
||||
color: color,
|
||||
fontFamily: 'Inter',
|
||||
fontSize: '10px',
|
||||
fontWeight: 500,
|
||||
color: color,
|
||||
}}
|
||||
>
|
||||
{label}
|
||||
|
@ -40,7 +40,7 @@ export const DesktopSideBar = ({
|
||||
<Box
|
||||
sx={{
|
||||
alignItems: 'center',
|
||||
backgroundColor: theme.palette.background.surface,
|
||||
backgroundColor: theme.palette.background.default,
|
||||
borderRight: `1px solid ${theme.palette.border.subtle}`,
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
@ -152,6 +152,7 @@ export const DesktopSideBar = ({
|
||||
)}
|
||||
|
||||
<LanguageSelector />
|
||||
|
||||
<ThemeSelector />
|
||||
</Box>
|
||||
);
|
||||
|
@ -1,3 +1,4 @@
|
||||
import { useTheme } from '@mui/material';
|
||||
import Box from '@mui/material/Box';
|
||||
import Drawer from '@mui/material/Drawer';
|
||||
|
||||
@ -6,6 +7,8 @@ export const DrawerUserLookup = ({ open, setOpen, children }) => {
|
||||
setOpen(newOpen);
|
||||
};
|
||||
|
||||
const theme = useTheme();
|
||||
|
||||
return (
|
||||
<div>
|
||||
<Drawer
|
||||
@ -13,6 +16,7 @@ export const DrawerUserLookup = ({ open, setOpen, children }) => {
|
||||
hideBackdrop={true}
|
||||
open={open}
|
||||
onClose={toggleDrawer(false)}
|
||||
sx={{ color: theme.palette.text.primary }}
|
||||
>
|
||||
<Box
|
||||
sx={{ width: '70vw', height: '100%', maxWidth: '1000px' }}
|
||||
|
@ -120,7 +120,7 @@ export const ImageCard = ({
|
||||
fontSize: '12px',
|
||||
}}
|
||||
>
|
||||
{t('core:message.error.created_by', {
|
||||
{t('core:message.generic.created_by', {
|
||||
owner: decodeIfEncoded(owner),
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
|
@ -194,7 +194,7 @@ export const PollCard = ({
|
||||
fontSize: '12px',
|
||||
}}
|
||||
>
|
||||
{t('core:message.error.created_by', {
|
||||
{t('core:message.generic.created_by', {
|
||||
owner: poll?.info?.owner,
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
|
@ -21,7 +21,7 @@ export const Explore = ({ setDesktopViewMode }) => {
|
||||
<ButtonBase
|
||||
sx={{
|
||||
'&:hover': { backgroundColor: theme.palette.background.paper },
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
gap: '5px',
|
||||
padding: '5px',
|
||||
transition: 'all 0.1s ease-in-out',
|
||||
@ -55,7 +55,7 @@ export const Explore = ({ setDesktopViewMode }) => {
|
||||
<ButtonBase
|
||||
sx={{
|
||||
'&:hover': { backgroundColor: theme.palette.background.paper },
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
gap: '5px',
|
||||
padding: '5px',
|
||||
transition: 'all 0.1s ease-in-out',
|
||||
@ -84,7 +84,7 @@ export const Explore = ({ setDesktopViewMode }) => {
|
||||
<ButtonBase
|
||||
sx={{
|
||||
'&:hover': { backgroundColor: theme.palette.background.paper },
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
gap: '5px',
|
||||
padding: '5px',
|
||||
transition: 'all 0.1s ease-in-out',
|
||||
@ -117,7 +117,7 @@ export const Explore = ({ setDesktopViewMode }) => {
|
||||
'&:hover': { backgroundColor: theme.palette.background.paper },
|
||||
transition: 'all 0.1s ease-in-out',
|
||||
padding: '5px',
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
gap: '5px',
|
||||
}}
|
||||
onClick={async () => {
|
||||
|
@ -177,7 +177,14 @@ export const BlockedUsersModal = () => {
|
||||
aria-labelledby="alert-dialog-title"
|
||||
aria-describedby="alert-dialog-description"
|
||||
>
|
||||
<DialogTitle>
|
||||
<DialogTitle
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{t('auth:blocked_users', { postProcess: 'capitalizeFirstChar' })}
|
||||
</DialogTitle>
|
||||
<DialogContent
|
||||
@ -371,7 +378,15 @@ export const BlockedUsersModal = () => {
|
||||
aria-labelledby="alert-dialog-title"
|
||||
aria-describedby="alert-dialog-description"
|
||||
>
|
||||
<DialogTitle id="alert-dialog-title">
|
||||
<DialogTitle
|
||||
id="alert-dialog-title"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{t('auth:message.generic.decide_block', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
|
@ -783,7 +783,7 @@ export const GroupMail = ({
|
||||
}}
|
||||
sx={{
|
||||
alignItems: 'center',
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
bottom: '2px',
|
||||
cursor: 'pointer',
|
||||
display: 'flex',
|
||||
|
@ -4,64 +4,60 @@ import { styled } from '@mui/system';
|
||||
export const MailContainer = styled(Box)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
width: '100%',
|
||||
height: 'calc(100vh - 78px)',
|
||||
overflow: 'hidden',
|
||||
width: '100%',
|
||||
}));
|
||||
|
||||
export const MailBody = styled(Box)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
flexDirection: 'row',
|
||||
width: '100%',
|
||||
height: 'calc(100% - 59px)',
|
||||
width: '100%',
|
||||
}));
|
||||
|
||||
export const MailBodyInner = styled(Box)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
width: '50%',
|
||||
height: '100%',
|
||||
width: '50%',
|
||||
}));
|
||||
|
||||
export const MailBodyInnerHeader = styled(Box)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
width: '100%',
|
||||
height: '25px',
|
||||
marginTop: '50px',
|
||||
marginBottom: '35px',
|
||||
justifyContent: 'center',
|
||||
alignItems: 'center',
|
||||
display: 'flex',
|
||||
gap: '11px',
|
||||
height: '25px',
|
||||
justifyContent: 'center',
|
||||
marginBottom: '35px',
|
||||
marginTop: '50px',
|
||||
width: '100%',
|
||||
}));
|
||||
|
||||
export const MailBodyInnerScroll = styled(Box)`
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
height: calc(100% - 110px);
|
||||
overflow: auto !important;
|
||||
transition: background-color 0.3s;
|
||||
height: calc(100% - 110px);
|
||||
&::-webkit-scrollbar {
|
||||
width: 8px;
|
||||
height: 8px;
|
||||
background-color: transparent; /* Initially transparent */
|
||||
transition: background-color 0.3s; /* Transition for background color */
|
||||
}
|
||||
|
||||
&::-webkit-scrollbar-thumb {
|
||||
background-color: transparent; /* Initially transparent */
|
||||
border-radius: 3px; /* Scrollbar thumb radius */
|
||||
transition: background-color 0.3s; /* Transition for thumb color */
|
||||
}
|
||||
|
||||
&:hover {
|
||||
&::-webkit-scrollbar {
|
||||
background-color: #494747; /* Scrollbar background color on hover */
|
||||
}
|
||||
|
||||
&::-webkit-scrollbar-thumb {
|
||||
background-color: #ffffff3d; /* Scrollbar thumb color on hover */
|
||||
}
|
||||
|
||||
&::-webkit-scrollbar-thumb:hover {
|
||||
background-color: #ffffff3d; /* Color when hovering over the thumb */
|
||||
}
|
||||
@ -69,25 +65,25 @@ export const MailBodyInnerScroll = styled(Box)`
|
||||
`;
|
||||
|
||||
export const ComposeContainer = styled(Box)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
width: '150px',
|
||||
alignItems: 'center',
|
||||
cursor: 'pointer',
|
||||
display: 'flex',
|
||||
gap: '7px',
|
||||
height: '100%',
|
||||
cursor: 'pointer',
|
||||
transition: '0.2s background-color',
|
||||
justifyContent: 'center',
|
||||
transition: '0.2s background-color',
|
||||
width: '150px',
|
||||
'&:hover': {
|
||||
backgroundColor: theme.palette.action.hover,
|
||||
},
|
||||
}));
|
||||
|
||||
export const ComposeContainerBlank = styled(Box)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
width: '150px',
|
||||
alignItems: 'center',
|
||||
display: 'flex',
|
||||
gap: '7px',
|
||||
height: '100%',
|
||||
width: '150px',
|
||||
}));
|
||||
|
||||
export const ComposeP = styled(Typography)(({ theme }) => ({
|
||||
@ -96,54 +92,54 @@ export const ComposeP = styled(Typography)(({ theme }) => ({
|
||||
}));
|
||||
|
||||
export const ComposeIcon = styled('img')({
|
||||
width: 'auto',
|
||||
height: 'auto',
|
||||
userSelect: 'none',
|
||||
objectFit: 'contain',
|
||||
cursor: 'pointer',
|
||||
height: 'auto',
|
||||
objectFit: 'contain',
|
||||
userSelect: 'none',
|
||||
width: 'auto',
|
||||
});
|
||||
|
||||
export const ArrowDownIcon = styled('img')({
|
||||
width: 'auto',
|
||||
height: 'auto',
|
||||
userSelect: 'none',
|
||||
objectFit: 'contain',
|
||||
cursor: 'pointer',
|
||||
height: 'auto',
|
||||
objectFit: 'contain',
|
||||
userSelect: 'none',
|
||||
width: 'auto',
|
||||
});
|
||||
|
||||
export const MailIconImg = styled('img')({
|
||||
width: 'auto',
|
||||
height: 'auto',
|
||||
userSelect: 'none',
|
||||
objectFit: 'contain',
|
||||
userSelect: 'none',
|
||||
width: 'auto',
|
||||
});
|
||||
|
||||
export const MailMessageRowInfoImg = styled('img')({
|
||||
width: 'auto',
|
||||
height: 'auto',
|
||||
userSelect: 'none',
|
||||
objectFit: 'contain',
|
||||
userSelect: 'none',
|
||||
width: 'auto',
|
||||
});
|
||||
|
||||
export const SelectInstanceContainer = styled(Box)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
alignItems: 'center',
|
||||
display: 'flex',
|
||||
gap: '17px',
|
||||
}));
|
||||
|
||||
export const SelectInstanceContainerFilterInner = styled(Box)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
alignItems: 'center',
|
||||
gap: '3px',
|
||||
cursor: 'pointer',
|
||||
display: 'flex',
|
||||
gap: '3px',
|
||||
padding: '8px',
|
||||
transition: 'all 0.2s',
|
||||
}));
|
||||
|
||||
export const InstanceLabel = styled(Typography)(({ theme }) => ({
|
||||
color: '#FFFFFF33',
|
||||
fontSize: '16px',
|
||||
fontWeight: 500,
|
||||
color: '#FFFFFF33',
|
||||
}));
|
||||
|
||||
export const InstanceP = styled(Typography)(({ theme }) => ({
|
||||
@ -152,14 +148,15 @@ export const InstanceP = styled(Typography)(({ theme }) => ({
|
||||
}));
|
||||
|
||||
export const InstanceListParent = styled(Typography)(({ theme }) => ({
|
||||
border: '1px solid rgba(0, 0, 0, 0.1)',
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
width: '425px', // only one width now
|
||||
minHeight: '246px',
|
||||
maxHeight: '325px',
|
||||
minHeight: '246px',
|
||||
padding: '10px 0px 7px 0px',
|
||||
border: '1px solid rgba(0, 0, 0, 0.1)',
|
||||
width: '425px', // only one width now
|
||||
}));
|
||||
|
||||
export const InstanceListHeader = styled(Typography)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
@ -169,40 +166,35 @@ export const InstanceListHeader = styled(Typography)(({ theme }) => ({
|
||||
export const InstanceFooter = styled(Box)`
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
width: 100%;
|
||||
flex-shrink: 0;
|
||||
width: 100%;
|
||||
`;
|
||||
|
||||
export const InstanceListContainer = styled(Box)`
|
||||
width: 100%;
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
flex-grow: 1;
|
||||
|
||||
overflow: auto !important;
|
||||
transition: background-color 0.3s;
|
||||
width: 100%;
|
||||
&::-webkit-scrollbar {
|
||||
width: 8px;
|
||||
height: 8px;
|
||||
background-color: transparent; /* Initially transparent */
|
||||
transition: background-color 0.3s; /* Transition for background color */
|
||||
}
|
||||
|
||||
&::-webkit-scrollbar-thumb {
|
||||
background-color: transparent; /* Initially transparent */
|
||||
border-radius: 3px; /* Scrollbar thumb radius */
|
||||
transition: background-color 0.3s; /* Transition for thumb color */
|
||||
}
|
||||
|
||||
&:hover {
|
||||
&::-webkit-scrollbar {
|
||||
background-color: #494747; /* Scrollbar background color on hover */
|
||||
}
|
||||
|
||||
&::-webkit-scrollbar-thumb {
|
||||
background-color: #ffffff3d; /* Scrollbar thumb color on hover */
|
||||
}
|
||||
|
||||
&::-webkit-scrollbar-thumb:hover {
|
||||
background-color: #ffffff3d; /* Color when hovering over the thumb */
|
||||
}
|
||||
@ -211,150 +203,156 @@ export const InstanceListContainer = styled(Box)`
|
||||
|
||||
export const InstanceListContainerRowLabelContainer = styled(Box)(
|
||||
({ theme }) => ({
|
||||
width: '100%',
|
||||
display: 'flex',
|
||||
alignItems: 'center',
|
||||
display: 'flex',
|
||||
gap: '10px',
|
||||
height: '50px',
|
||||
width: '100%',
|
||||
})
|
||||
);
|
||||
|
||||
export const InstanceListContainerRow = styled(Box)(({ theme }) => ({
|
||||
width: '100%',
|
||||
display: 'flex',
|
||||
alignItems: 'center',
|
||||
cursor: 'pointer',
|
||||
display: 'flex',
|
||||
flexShrink: 0,
|
||||
gap: '10px',
|
||||
height: '50px',
|
||||
cursor: 'pointer',
|
||||
transition: '0.2s background',
|
||||
width: '100%',
|
||||
'&:hover': {
|
||||
background: theme.palette.action.hover,
|
||||
},
|
||||
flexShrink: 0,
|
||||
}));
|
||||
|
||||
export const InstanceListContainerRowCheck = styled(Box)(({ theme }) => ({
|
||||
width: '47px',
|
||||
display: 'flex',
|
||||
alignItems: 'center',
|
||||
display: 'flex',
|
||||
justifyContent: 'center',
|
||||
width: '47px',
|
||||
}));
|
||||
|
||||
export const InstanceListContainerRowMain = styled(Box)(({ theme }) => ({
|
||||
alignItems: 'center',
|
||||
display: 'flex',
|
||||
justifyContent: 'space-between',
|
||||
width: '100%',
|
||||
alignItems: 'center',
|
||||
paddingRight: '30px',
|
||||
overflow: 'hidden',
|
||||
paddingRight: '30px',
|
||||
width: '100%',
|
||||
}));
|
||||
|
||||
export const CloseParent = styled(Box)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
alignItems: 'center',
|
||||
display: 'flex',
|
||||
gap: '20px',
|
||||
}));
|
||||
|
||||
export const InstanceListContainerRowMainP = styled(Typography)(
|
||||
({ theme }) => ({
|
||||
fontWeight: 500,
|
||||
fontSize: '16px',
|
||||
textOverflow: 'ellipsis',
|
||||
fontWeight: 500,
|
||||
overflow: 'hidden',
|
||||
textOverflow: 'ellipsis',
|
||||
})
|
||||
);
|
||||
|
||||
export const InstanceListContainerRowCheckIcon = styled('img')({
|
||||
width: 'auto',
|
||||
height: 'auto',
|
||||
userSelect: 'none',
|
||||
objectFit: 'contain',
|
||||
userSelect: 'none',
|
||||
width: 'auto',
|
||||
});
|
||||
|
||||
export const InstanceListContainerRowGroupIcon = styled('img')({
|
||||
width: 'auto',
|
||||
height: 'auto',
|
||||
userSelect: 'none',
|
||||
objectFit: 'contain',
|
||||
userSelect: 'none',
|
||||
width: 'auto',
|
||||
});
|
||||
|
||||
export const NewMessageCloseImg = styled('img')({
|
||||
width: 'auto',
|
||||
height: 'auto',
|
||||
userSelect: 'none',
|
||||
objectFit: 'contain',
|
||||
cursor: 'pointer',
|
||||
height: 'auto',
|
||||
objectFit: 'contain',
|
||||
userSelect: 'none',
|
||||
width: 'auto',
|
||||
});
|
||||
|
||||
export const NewMessageHeaderP = styled(Typography)(({ theme }) => ({
|
||||
color: theme.palette.text.primary,
|
||||
fontSize: '18px',
|
||||
fontWeight: 600,
|
||||
color: theme.palette.text.primary,
|
||||
}));
|
||||
|
||||
export const NewMessageInputRow = styled(Box)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
alignItems: 'center',
|
||||
justifyContent: 'space-between',
|
||||
borderBottom: '3px solid rgba(237, 239, 241, 1)',
|
||||
width: '100%',
|
||||
display: 'flex',
|
||||
justifyContent: 'space-between',
|
||||
paddingBottom: '6px',
|
||||
width: '100%',
|
||||
}));
|
||||
|
||||
export const NewMessageInputLabelP = styled(Typography)`
|
||||
color: rgba(84, 84, 84, 0.7);
|
||||
font-size: 20px;
|
||||
font-style: normal;
|
||||
font-weight: 400;
|
||||
line-height: 120%; /* 24px */
|
||||
letter-spacing: 0.15px;
|
||||
line-height: 120%; /* 24px */
|
||||
`;
|
||||
|
||||
export const AliasLabelP = styled(Typography)`
|
||||
color: rgba(84, 84, 84, 0.7);
|
||||
cursor: pointer;
|
||||
font-size: 16px;
|
||||
font-style: normal;
|
||||
font-weight: 500;
|
||||
line-height: 120%; /* 24px */
|
||||
letter-spacing: 0.15px;
|
||||
line-height: 120%; /* 24px */
|
||||
transition: color 0.2s;
|
||||
cursor: pointer;
|
||||
&:hover {
|
||||
color: rgba(43, 43, 43, 1);
|
||||
}
|
||||
`;
|
||||
|
||||
export const NewMessageAliasContainer = styled(Box)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
alignItems: 'center',
|
||||
display: 'flex',
|
||||
gap: '12px',
|
||||
}));
|
||||
|
||||
export const AttachmentContainer = styled(Box)(({ theme }) => ({
|
||||
alignItems: 'center',
|
||||
display: 'flex',
|
||||
height: '36px',
|
||||
width: '100%',
|
||||
display: 'flex',
|
||||
alignItems: 'center',
|
||||
}));
|
||||
|
||||
export const NewMessageAttachmentImg = styled('img')({
|
||||
width: 'auto',
|
||||
height: 'auto',
|
||||
userSelect: 'none',
|
||||
objectFit: 'contain',
|
||||
cursor: 'pointer',
|
||||
padding: '10px',
|
||||
border: '1px dashed #646464',
|
||||
cursor: 'pointer',
|
||||
height: 'auto',
|
||||
objectFit: 'contain',
|
||||
padding: '10px',
|
||||
userSelect: 'none',
|
||||
width: 'auto',
|
||||
});
|
||||
|
||||
export const NewMessageSendButton = styled(Box)(({ theme }) => ({
|
||||
borderRadius: '4px',
|
||||
border: `1px solid ${theme.palette.border.main}`, // you can replace with theme.palette.divider or whatever you want later
|
||||
display: 'inline-flex',
|
||||
padding: '8px 16px 8px 12px',
|
||||
justifyContent: 'center',
|
||||
alignItems: 'center',
|
||||
width: 'fit-content',
|
||||
transition: 'all 0.2s',
|
||||
border: `1px solid ${theme.palette.border.main}`, // you can replace with theme.palette.divider or whatever you want later
|
||||
borderRadius: '4px',
|
||||
color: theme.palette.text.primary, // replace later with theme.palette.text.primary if needed
|
||||
minWidth: '120px',
|
||||
position: 'relative',
|
||||
gap: '8px',
|
||||
cursor: 'pointer',
|
||||
display: 'inline-flex',
|
||||
gap: '8px',
|
||||
justifyContent: 'center',
|
||||
minWidth: '120px',
|
||||
padding: '8px 16px 8px 12px',
|
||||
position: 'relative',
|
||||
transition: 'all 0.2s',
|
||||
width: 'fit-content',
|
||||
'&:hover': {
|
||||
backgroundColor: theme.palette.action.hover, // replace with theme value if needed
|
||||
},
|
||||
@ -365,45 +363,45 @@ export const NewMessageSendP = styled(Typography)`
|
||||
font-size: 16px;
|
||||
font-style: normal;
|
||||
font-weight: 500;
|
||||
line-height: 120%; /* 19.2px */
|
||||
letter-spacing: -0.16px;
|
||||
line-height: 120%; /* 19.2px */
|
||||
`;
|
||||
|
||||
export const ShowMessageNameP = styled(Typography)`
|
||||
font-family: Roboto;
|
||||
font-size: 16px;
|
||||
font-weight: 900;
|
||||
line-height: 19px;
|
||||
letter-spacing: 0em;
|
||||
text-align: left;
|
||||
white-space: nowrap;
|
||||
text-overflow: ellipsis;
|
||||
line-height: 19px;
|
||||
overflow: hidden;
|
||||
text-align: left;
|
||||
text-overflow: ellipsis;
|
||||
white-space: nowrap;
|
||||
`;
|
||||
|
||||
export const ShowMessageSubjectP = styled(Typography)`
|
||||
font-family: Roboto;
|
||||
font-size: 16px;
|
||||
font-weight: 500;
|
||||
line-height: 19px;
|
||||
letter-spacing: 0.0075em;
|
||||
line-height: 19px;
|
||||
text-align: left;
|
||||
`;
|
||||
|
||||
export const ShowMessageButton = styled(Box)(({ theme }) => ({
|
||||
display: 'inline-flex',
|
||||
padding: '8px 16px',
|
||||
alignItems: 'center',
|
||||
justifyContent: 'center',
|
||||
width: 'fit-content',
|
||||
transition: 'all 0.2s',
|
||||
color: theme.palette.text.primary, // you'll replace with theme value
|
||||
minWidth: '120px',
|
||||
gap: '8px',
|
||||
borderRadius: '4px',
|
||||
border: theme.palette.border.main, // you'll replace
|
||||
fontFamily: 'Roboto',
|
||||
borderRadius: '4px',
|
||||
color: theme.palette.text.primary, // you'll replace with theme value
|
||||
cursor: 'pointer',
|
||||
display: 'inline-flex',
|
||||
fontFamily: 'Roboto',
|
||||
gap: '8px',
|
||||
justifyContent: 'center',
|
||||
minWidth: '120px',
|
||||
padding: '8px 16px',
|
||||
transition: 'all 0.2s',
|
||||
width: 'fit-content',
|
||||
'&:hover': {
|
||||
background: theme.palette.action.hover, // you'll replace
|
||||
borderRadius: '4px',
|
||||
@ -411,18 +409,18 @@ export const ShowMessageButton = styled(Box)(({ theme }) => ({
|
||||
}));
|
||||
|
||||
export const ShowMessageReturnButton = styled(Box)(({ theme }) => ({
|
||||
display: 'inline-flex',
|
||||
padding: '8px 16px',
|
||||
alignItems: 'center',
|
||||
justifyContent: 'center',
|
||||
width: 'fit-content',
|
||||
transition: 'all 0.2s',
|
||||
color: theme.palette.text.primary, // you'll replace with theme value
|
||||
minWidth: '120px',
|
||||
gap: '8px',
|
||||
borderRadius: '4px',
|
||||
fontFamily: 'Roboto',
|
||||
color: theme.palette.text.primary, // you'll replace with theme value
|
||||
cursor: 'pointer',
|
||||
display: 'inline-flex',
|
||||
fontFamily: 'Roboto',
|
||||
gap: '8px',
|
||||
justifyContent: 'center',
|
||||
minWidth: '120px',
|
||||
padding: '8px 16px',
|
||||
transition: 'all 0.2s',
|
||||
width: 'fit-content',
|
||||
'&:hover': {
|
||||
background: theme.palette.action.hover, // you'll replace
|
||||
borderRadius: '4px',
|
||||
@ -430,33 +428,33 @@ export const ShowMessageReturnButton = styled(Box)(({ theme }) => ({
|
||||
}));
|
||||
|
||||
export const ShowMessageButtonImg = styled('img')({
|
||||
width: 'auto',
|
||||
height: 'auto',
|
||||
userSelect: 'none',
|
||||
objectFit: 'contain',
|
||||
cursor: 'pointer',
|
||||
height: 'auto',
|
||||
objectFit: 'contain',
|
||||
userSelect: 'none',
|
||||
width: 'auto',
|
||||
});
|
||||
|
||||
export const MailAttachmentImg = styled('img')({
|
||||
width: 'auto',
|
||||
height: 'auto',
|
||||
userSelect: 'none',
|
||||
objectFit: 'contain',
|
||||
userSelect: 'none',
|
||||
width: 'auto',
|
||||
});
|
||||
|
||||
export const AliasAvatarImg = styled('img')({
|
||||
width: 'auto',
|
||||
height: 'auto',
|
||||
userSelect: 'none',
|
||||
objectFit: 'contain',
|
||||
userSelect: 'none',
|
||||
width: 'auto',
|
||||
});
|
||||
|
||||
export const MoreImg = styled('img')({
|
||||
width: 'auto',
|
||||
height: 'auto',
|
||||
userSelect: 'none',
|
||||
objectFit: 'contain',
|
||||
transition: '0.2s all',
|
||||
userSelect: 'none',
|
||||
width: 'auto',
|
||||
'&:hover': {
|
||||
transform: 'scale(1.3)',
|
||||
},
|
||||
@ -468,76 +466,76 @@ export const MoreP = styled(Typography)(({ theme }) => ({
|
||||
fontSize: '16px',
|
||||
fontStyle: 'normal',
|
||||
fontWeight: 400,
|
||||
lineHeight: '120%', // 19.2px
|
||||
letterSpacing: '-0.16px',
|
||||
lineHeight: '120%', // 19.2px
|
||||
whiteSpace: 'nowrap',
|
||||
}));
|
||||
|
||||
export const ThreadContainerFullWidth = styled(Box)(({ theme }) => ({
|
||||
alignItems: 'center',
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
width: '100%',
|
||||
alignItems: 'center',
|
||||
}));
|
||||
|
||||
export const ThreadContainer = styled(Box)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
width: '100%',
|
||||
maxWidth: '95%',
|
||||
width: '100%',
|
||||
}));
|
||||
|
||||
export const GroupNameP = styled(Typography)`
|
||||
font-size: 25px;
|
||||
font-style: normal;
|
||||
font-weight: 700;
|
||||
line-height: 120%; /* 30px */
|
||||
letter-spacing: 0.188px;
|
||||
line-height: 120%; /* 30px */
|
||||
`;
|
||||
|
||||
export const AllThreadP = styled(Typography)`
|
||||
font-size: 20px;
|
||||
font-style: normal;
|
||||
font-weight: 400;
|
||||
line-height: 120%; /* 24px */
|
||||
letter-spacing: 0.15px;
|
||||
line-height: 120%; /* 24px */
|
||||
`;
|
||||
|
||||
export const SingleThreadParent = styled(Box)(({ theme }) => ({
|
||||
borderRadius: '35px 4px 4px 35px',
|
||||
position: 'relative',
|
||||
display: 'flex',
|
||||
padding: '13px',
|
||||
cursor: 'pointer',
|
||||
marginBottom: '5px',
|
||||
height: '76px',
|
||||
alignItems: 'center',
|
||||
transition: '0.2s all',
|
||||
backgroundColor: theme.palette.background.paper, // or remove if you want no background by default
|
||||
borderRadius: '35px 4px 4px 35px',
|
||||
cursor: 'pointer',
|
||||
display: 'flex',
|
||||
height: '76px',
|
||||
marginBottom: '5px',
|
||||
padding: '13px',
|
||||
position: 'relative',
|
||||
transition: '0.2s all',
|
||||
'&:hover': {
|
||||
backgroundColor: theme.palette.action.hover,
|
||||
},
|
||||
}));
|
||||
|
||||
export const SingleTheadMessageParent = styled(Box)(({ theme }) => ({
|
||||
borderRadius: '35px 4px 4px 35px',
|
||||
background: theme.palette.background.paper,
|
||||
display: 'flex',
|
||||
padding: '13px',
|
||||
cursor: 'pointer',
|
||||
marginBottom: '5px',
|
||||
height: '76px',
|
||||
alignItems: 'center',
|
||||
background: theme.palette.background.paper,
|
||||
borderRadius: '35px 4px 4px 35px',
|
||||
cursor: 'pointer',
|
||||
display: 'flex',
|
||||
height: '76px',
|
||||
marginBottom: '5px',
|
||||
padding: '13px',
|
||||
}));
|
||||
|
||||
export const ThreadInfoColumn = styled(Box)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
width: '170px',
|
||||
gap: '2px',
|
||||
marginLeft: '10px',
|
||||
height: '100%',
|
||||
justifyContent: 'center',
|
||||
marginLeft: '10px',
|
||||
width: '170px',
|
||||
}));
|
||||
|
||||
export const ThreadInfoColumnNameP = styled(Typography)`
|
||||
@ -546,9 +544,9 @@ export const ThreadInfoColumnNameP = styled(Typography)`
|
||||
font-style: normal;
|
||||
font-weight: 900;
|
||||
line-height: normal;
|
||||
white-space: nowrap;
|
||||
text-overflow: ellipsis;
|
||||
overflow: hidden;
|
||||
text-overflow: ellipsis;
|
||||
white-space: nowrap;
|
||||
`;
|
||||
|
||||
export const ThreadInfoColumnbyP = styled('span')(({ theme }) => ({
|
||||
@ -575,9 +573,9 @@ export const ThreadSingleTitle = styled(Typography)`
|
||||
font-style: normal;
|
||||
font-weight: 700;
|
||||
line-height: normal;
|
||||
white-space: wrap;
|
||||
text-overflow: ellipsis;
|
||||
overflow: hidden;
|
||||
text-overflow: ellipsis;
|
||||
white-space: wrap;
|
||||
`;
|
||||
|
||||
export const ThreadSingleLastMessageP = styled(Typography)`
|
||||
@ -597,24 +595,24 @@ export const ThreadSingleLastMessageSpanP = styled('span')`
|
||||
`;
|
||||
|
||||
export const GroupContainer = styled(Box)`
|
||||
position: relative;
|
||||
overflow: auto;
|
||||
position: relative;
|
||||
width: 100%;
|
||||
`;
|
||||
|
||||
export const CloseContainer = styled(Box)(({ theme }) => ({
|
||||
display: 'flex',
|
||||
width: '50px',
|
||||
overflow: 'hidden',
|
||||
alignItems: 'center',
|
||||
cursor: 'pointer',
|
||||
transition: '0.2s background-color',
|
||||
justifyContent: 'center',
|
||||
position: 'absolute',
|
||||
top: '0px',
|
||||
right: '0px',
|
||||
height: '50px',
|
||||
borderRadius: '0px 12px 0px 0px',
|
||||
cursor: 'pointer',
|
||||
display: 'flex',
|
||||
height: '50px',
|
||||
justifyContent: 'center',
|
||||
overflow: 'hidden',
|
||||
position: 'absolute',
|
||||
right: '0px',
|
||||
top: '0px',
|
||||
transition: '0.2s background-color',
|
||||
width: '50px',
|
||||
'&:hover': {
|
||||
backgroundColor: theme.palette.action.hover,
|
||||
},
|
||||
|
@ -100,30 +100,30 @@ export const ShowMessage = ({ message, openNewPostWithQuote, myName }: any) => {
|
||||
return (
|
||||
<Box
|
||||
sx={{
|
||||
alignItems: 'center',
|
||||
display: expandAttachments
|
||||
? 'flex'
|
||||
: !expandAttachments && isFirst
|
||||
? 'flex'
|
||||
: 'none',
|
||||
alignItems: 'center',
|
||||
justifyContent: 'flex-start',
|
||||
width: '100%',
|
||||
}}
|
||||
>
|
||||
<Box
|
||||
sx={{
|
||||
display: 'flex',
|
||||
alignItems: 'center',
|
||||
gap: '5px',
|
||||
cursor: 'pointer',
|
||||
display: 'flex',
|
||||
gap: '5px',
|
||||
width: 'auto',
|
||||
}}
|
||||
>
|
||||
{message?.attachments?.length > 1 && isFirst && (
|
||||
<Box
|
||||
sx={{
|
||||
display: 'flex',
|
||||
alignItems: 'center',
|
||||
display: 'flex',
|
||||
gap: '5px',
|
||||
}}
|
||||
onClick={() => {
|
||||
@ -161,18 +161,18 @@ export const ShowMessage = ({ message, openNewPostWithQuote, myName }: any) => {
|
||||
<>
|
||||
<Box
|
||||
sx={{
|
||||
width: '100%',
|
||||
opacity: 0.7,
|
||||
borderRadius: '5px',
|
||||
border: '1px solid gray',
|
||||
borderRadius: '8px',
|
||||
boxSizing: 'border-box',
|
||||
opacity: 0.7,
|
||||
padding: '5px',
|
||||
width: '100%',
|
||||
}}
|
||||
>
|
||||
<Box
|
||||
sx={{
|
||||
display: 'flex',
|
||||
alignItems: 'flex-start',
|
||||
display: 'flex',
|
||||
gap: '10px',
|
||||
}}
|
||||
>
|
||||
@ -200,6 +200,7 @@ export const ShowMessage = ({ message, openNewPostWithQuote, myName }: any) => {
|
||||
|
||||
<MessageDisplay htmlContent={message?.reply?.textContentV2} />
|
||||
</Box>
|
||||
|
||||
<Spacer height="20px" />
|
||||
</>
|
||||
)}
|
||||
@ -215,9 +216,9 @@ export const ShowMessage = ({ message, openNewPostWithQuote, myName }: any) => {
|
||||
)}
|
||||
<Box
|
||||
sx={{
|
||||
width: '100%',
|
||||
display: 'flex',
|
||||
justifyContent: 'flex-end',
|
||||
width: '100%',
|
||||
}}
|
||||
>
|
||||
<IconButton onClick={() => openNewPostWithQuote(message)}>
|
||||
|
@ -666,7 +666,11 @@ export const Group = ({
|
||||
const getSecretKey = useCallback(
|
||||
async (loadingGroupParam?: boolean, secretKeyToPublish?: boolean) => {
|
||||
try {
|
||||
setIsLoadingGroupMessage('Locating encryption keys');
|
||||
setIsLoadingGroupMessage(
|
||||
t('auth:message.generic.locating_encryption_keys', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})
|
||||
);
|
||||
pauseAllQueues();
|
||||
|
||||
let dataFromStorage;
|
||||
@ -727,7 +731,11 @@ export const Group = ({
|
||||
if (dataFromStorage) {
|
||||
data = dataFromStorage;
|
||||
} else {
|
||||
setIsLoadingGroupMessage('Downloading encryption keys');
|
||||
setIsLoadingGroupMessage(
|
||||
t('auth:message.generic.downloading_encryption_keys', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})
|
||||
);
|
||||
const res = await fetch(
|
||||
`${getBaseApiReact()}/arbitrary/DOCUMENT_PRIVATE/${publish.name}/${publish.identifier}?encoding=base64&rebuild=true`
|
||||
);
|
||||
@ -1623,7 +1631,7 @@ export const Group = ({
|
||||
<div
|
||||
style={{
|
||||
alignItems: 'flex-start',
|
||||
background: theme.palette.background.surface,
|
||||
background: theme.palette.background.default,
|
||||
borderRadius: '0px 15px 15px 0px',
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
@ -1672,6 +1680,7 @@ export const Group = ({
|
||||
/>
|
||||
</IconWrapper>
|
||||
</ButtonBase>
|
||||
|
||||
<ButtonBase
|
||||
onClick={() => {
|
||||
setDesktopSideView('directs');
|
||||
|
@ -62,7 +62,7 @@ export const GroupList = ({
|
||||
<div
|
||||
style={{
|
||||
alignItems: 'flex-start',
|
||||
background: theme.palette.background.surface,
|
||||
background: theme.palette.background.default,
|
||||
borderRadius: '0px 15px 15px 0px',
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
|
@ -45,7 +45,7 @@ export const InviteMember = ({ groupId, setInfoSnack, setOpenSnack, show }) => {
|
||||
setInfoSnack({
|
||||
type: 'success',
|
||||
message: t('group:message.success.group_invite', {
|
||||
value: value,
|
||||
invitee: value,
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
}),
|
||||
});
|
||||
|
@ -226,7 +226,7 @@ export const ListOfBans = ({ groupId, setInfoSnack, setOpenSnack, show }) => {
|
||||
|
||||
return (
|
||||
<div>
|
||||
<p>{t('group:ban_list', { postProcess: 'capitalizeFirstChar' })}</p>
|
||||
<p>{t('core:list.bans', { postProcess: 'capitalizeFirstChar' })}</p>
|
||||
<div
|
||||
style={{
|
||||
display: 'flex',
|
||||
|
@ -467,7 +467,7 @@ export const ListOfGroupPromotions = () => {
|
||||
fontSize: '12px',
|
||||
}}
|
||||
>
|
||||
{t('group.action.add_promotion', {
|
||||
{t('group:action.add_promotion', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
</Button>
|
||||
@ -475,6 +475,7 @@ export const ListOfGroupPromotions = () => {
|
||||
|
||||
<Spacer height="10px" />
|
||||
</Box>
|
||||
|
||||
<Box
|
||||
sx={{
|
||||
bgcolor: 'background.paper',
|
||||
@ -516,7 +517,7 @@ export const ListOfGroupPromotions = () => {
|
||||
color: 'rgba(255, 255, 255, 0.2)',
|
||||
}}
|
||||
>
|
||||
{t('group.message.generic.no_display', {
|
||||
{t('group:message.generic.no_display', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
</Typography>
|
||||
@ -864,7 +865,15 @@ export const ListOfGroupPromotions = () => {
|
||||
aria-labelledby="alert-dialog-title"
|
||||
aria-describedby="alert-dialog-description"
|
||||
>
|
||||
<DialogTitle id="alert-dialog-title">
|
||||
<DialogTitle
|
||||
id="alert-dialog-title"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{t('group:action.promote_group', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
@ -928,7 +937,7 @@ export const ListOfGroupPromotions = () => {
|
||||
<Spacer height="20px" />
|
||||
|
||||
<TextField
|
||||
label={t('core:promotion_text', {
|
||||
label={t('core:message.promotion_text', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
variant="filled"
|
||||
|
@ -277,7 +277,7 @@ const ExportPrivateKey = ({ rawWallet }) => {
|
||||
type: 'error',
|
||||
message: error?.message
|
||||
? t('group:message.error.decrypt_wallet', {
|
||||
errorMessage: error?.message,
|
||||
message: error?.message,
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})
|
||||
: t('group:message.error.descrypt_wallet', {
|
||||
@ -308,7 +308,15 @@ const ExportPrivateKey = ({ rawWallet }) => {
|
||||
aria-labelledby="alert-dialog-title"
|
||||
aria-describedby="alert-dialog-description"
|
||||
>
|
||||
<DialogTitle id="alert-dialog-title">
|
||||
<DialogTitle
|
||||
id="alert-dialog-title"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{t('group:action.export_password', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
|
@ -272,7 +272,7 @@ export const UserListOfInvites = ({
|
||||
}}
|
||||
>
|
||||
<p>
|
||||
{t('core:list.invite', {
|
||||
{t('core:list.invites', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
</p>
|
||||
|
@ -300,7 +300,20 @@ const PopoverComp = ({
|
||||
</Typography>
|
||||
|
||||
<ImageUploader onPick={(file) => setAvatarFile(file)}>
|
||||
<Button variant="contained">
|
||||
<Button
|
||||
variant="contained"
|
||||
sx={{
|
||||
backgroundColor: theme.palette.other.positive,
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 0.7,
|
||||
'&:hover': {
|
||||
backgroundColor: theme.palette.other.positive,
|
||||
color: 'black',
|
||||
opacity: 1,
|
||||
},
|
||||
}}
|
||||
>
|
||||
{t('core:action.choose_image', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
@ -339,6 +352,17 @@ const PopoverComp = ({
|
||||
disabled={!avatarFile || !myName}
|
||||
onClick={publishAvatar}
|
||||
variant="contained"
|
||||
sx={{
|
||||
backgroundColor: theme.palette.other.positive,
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 0.7,
|
||||
'&:hover': {
|
||||
backgroundColor: theme.palette.other.positive,
|
||||
color: 'black',
|
||||
opacity: 1,
|
||||
},
|
||||
}}
|
||||
>
|
||||
{t('group:action.publish_avatar', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
|
@ -573,9 +573,17 @@ export const Minting = ({ setIsOpenMinting, myAddress, show }) => {
|
||||
},
|
||||
}}
|
||||
>
|
||||
<DialogTitle id="alert-dialog-title">
|
||||
<DialogTitle
|
||||
id="alert-dialog-title"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{t('group:message.generic.manage_minting', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
postProcess: 'capitalizeAll',
|
||||
})}
|
||||
</DialogTitle>
|
||||
|
||||
@ -863,7 +871,15 @@ export const Minting = ({ setIsOpenMinting, myAddress, show }) => {
|
||||
aria-labelledby="alert-dialog-title"
|
||||
aria-describedby="alert-dialog-description"
|
||||
>
|
||||
<DialogTitle id="alert-dialog-title">
|
||||
<DialogTitle
|
||||
id="alert-dialog-title"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1, // TODO translate
|
||||
}}
|
||||
>
|
||||
{isShowNext ? 'Confirmed' : 'Please Wait'}
|
||||
</DialogTitle>
|
||||
|
||||
|
@ -360,7 +360,7 @@ export const NotAuthenticated = ({
|
||||
})
|
||||
.catch((error) => {
|
||||
console.error(
|
||||
it('auth:message.error.set_apikey', {
|
||||
t('auth:message.error.set_apikey', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
}),
|
||||
error.message ||
|
||||
@ -399,7 +399,7 @@ export const NotAuthenticated = ({
|
||||
})
|
||||
.catch((error) => {
|
||||
console.error(
|
||||
it('auth:message.error.set_apikey', {
|
||||
t('auth:message.error.set_apikey', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
}),
|
||||
error.message ||
|
||||
@ -593,12 +593,13 @@ export const NotAuthenticated = ({
|
||||
sx={{
|
||||
backgroundColor:
|
||||
hasSeenGettingStarted === false && theme.palette.other.positive,
|
||||
color: hasSeenGettingStarted === false && 'black',
|
||||
color:
|
||||
hasSeenGettingStarted === false && theme.palette.text.primary,
|
||||
'&:hover': {
|
||||
backgroundColor:
|
||||
hasSeenGettingStarted === false &&
|
||||
theme.palette.other.positive,
|
||||
color: hasSeenGettingStarted === false && 'black',
|
||||
hasSeenGettingStarted === false && theme.palette.other.unread,
|
||||
color:
|
||||
hasSeenGettingStarted === false && theme.palette.text.primary,
|
||||
},
|
||||
}}
|
||||
>
|
||||
@ -636,7 +637,7 @@ export const NotAuthenticated = ({
|
||||
? 'rgba(255, 255, 255, 0.5)'
|
||||
: 'rgba(0, 0, 0, 0.3)',
|
||||
padding: '20px 30px',
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
}}
|
||||
>
|
||||
<>
|
||||
@ -683,7 +684,7 @@ export const NotAuthenticated = ({
|
||||
})
|
||||
.catch((error) => {
|
||||
console.error(
|
||||
it('auth:message.error.set_apikey', {
|
||||
t('auth:message.error.set_apikey', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
}),
|
||||
error.message ||
|
||||
@ -771,8 +772,15 @@ export const NotAuthenticated = ({
|
||||
aria-describedby="alert-dialog-description"
|
||||
fullWidth
|
||||
>
|
||||
<DialogTitle id="alert-dialog-title">
|
||||
{' '}
|
||||
<DialogTitle
|
||||
id="alert-dialog-title"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{t('auth:node.custom_many', { postProcess: 'capitalizeFirstChar' })}
|
||||
:
|
||||
</DialogTitle>
|
||||
@ -837,7 +845,7 @@ export const NotAuthenticated = ({
|
||||
})
|
||||
.catch((error) => {
|
||||
console.error(
|
||||
it('auth:message.error.set_apikey', {
|
||||
t('auth:message.error.set_apikey', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
}),
|
||||
error.message ||
|
||||
@ -873,6 +881,7 @@ export const NotAuthenticated = ({
|
||||
>
|
||||
{node?.url}
|
||||
</Typography>
|
||||
|
||||
<Box
|
||||
sx={{
|
||||
display: 'flex',
|
||||
@ -903,7 +912,7 @@ export const NotAuthenticated = ({
|
||||
})
|
||||
.catch((error) => {
|
||||
console.error(
|
||||
it('auth:message.error.set_apikey', {
|
||||
t('auth:message.error.set_apikey', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
}),
|
||||
error.message ||
|
||||
@ -945,7 +954,7 @@ export const NotAuthenticated = ({
|
||||
}}
|
||||
variant="contained"
|
||||
>
|
||||
{t('core:remove', {
|
||||
{t('core:action.remove', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
</Button>
|
||||
@ -955,6 +964,7 @@ export const NotAuthenticated = ({
|
||||
})}
|
||||
</Box>
|
||||
)}
|
||||
|
||||
{mode === 'add-node' && (
|
||||
<Box
|
||||
sx={{
|
||||
@ -973,6 +983,7 @@ export const NotAuthenticated = ({
|
||||
setUrl(e.target.value);
|
||||
}}
|
||||
/>
|
||||
|
||||
<Input
|
||||
placeholder={t('auth:apikey.key', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
@ -1030,7 +1041,9 @@ export const NotAuthenticated = ({
|
||||
onClick={() => saveCustomNodes(customNodes)}
|
||||
autoFocus
|
||||
>
|
||||
{t('core:save', { postProcess: 'capitalizeFirstChar' })}
|
||||
{t('core:action.save', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
</Button>
|
||||
</>
|
||||
)}
|
||||
@ -1044,7 +1057,15 @@ export const NotAuthenticated = ({
|
||||
aria-labelledby="alert-dialog-title"
|
||||
aria-describedby="alert-dialog-description"
|
||||
>
|
||||
<DialogTitle id="alert-dialog-title">
|
||||
<DialogTitle
|
||||
id="alert-dialog-title"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{t('auth:apikey.enter', { postProcess: 'capitalizeFirstChar' })}
|
||||
</DialogTitle>
|
||||
<DialogContent>
|
||||
@ -1124,7 +1145,7 @@ export const NotAuthenticated = ({
|
||||
}}
|
||||
autoFocus
|
||||
>
|
||||
{t('core:save', { postProcess: 'capitalizeFirstChar' })}
|
||||
{t('core:action.save', { postProcess: 'capitalizeFirstChar' })}
|
||||
</Button>
|
||||
|
||||
<Button
|
||||
@ -1139,6 +1160,7 @@ export const NotAuthenticated = ({
|
||||
</DialogActions>
|
||||
</Dialog>
|
||||
)}
|
||||
|
||||
<ButtonBase
|
||||
onClick={() => {
|
||||
showTutorial('create-account', true);
|
||||
@ -1157,6 +1179,7 @@ export const NotAuthenticated = ({
|
||||
</ButtonBase>
|
||||
|
||||
<LanguageSelector />
|
||||
|
||||
<ThemeSelector />
|
||||
</>
|
||||
);
|
||||
|
@ -11,7 +11,7 @@ import VisibilityIcon from '@mui/icons-material/Visibility';
|
||||
|
||||
export const CustomInput = styled(TextField)(({ theme }) => ({
|
||||
width: '183px',
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
backgroundColor: theme.palette.background.paper,
|
||||
outline: 'none',
|
||||
input: {
|
||||
@ -46,6 +46,12 @@ export const CustomInput = styled(TextField)(({ theme }) => ({
|
||||
'& .MuiInput-underline:after': {
|
||||
borderBottom: 'none',
|
||||
},
|
||||
'&:hover': {
|
||||
backgroundColor: theme.palette.background.surface,
|
||||
'svg path': {
|
||||
fill: theme.palette.secondary,
|
||||
},
|
||||
},
|
||||
}));
|
||||
|
||||
export const PasswordField = forwardRef<HTMLInputElement, TextFieldProps>(
|
||||
|
@ -1,9 +1,17 @@
|
||||
import { Box, useTheme } from '@mui/material';
|
||||
import { Box, CircularProgress, useTheme } from '@mui/material';
|
||||
import { useState } from 'react';
|
||||
import { TextP } from '../styles/App-styles';
|
||||
import {
|
||||
CustomButton,
|
||||
CustomInput,
|
||||
CustomLabel,
|
||||
TextP,
|
||||
} from '../styles/App-styles';
|
||||
import { Spacer } from '../common/Spacer';
|
||||
import { getFee } from '../background/background.ts';
|
||||
import { useTranslation } from 'react-i18next';
|
||||
import BoundedNumericTextField from '../common/BoundedNumericTextField.tsx';
|
||||
import { PasswordField } from './PasswordField/PasswordField.tsx';
|
||||
import { ErrorText } from './ErrorText/ErrorText.tsx';
|
||||
|
||||
export const QortPayment = ({ balance, show, onSuccess, defaultPaymentTo }) => {
|
||||
const theme = useTheme();
|
||||
|
@ -215,7 +215,19 @@ export const RegisterName = ({
|
||||
aria-labelledby="alert-dialog-title"
|
||||
aria-describedby="alert-dialog-description"
|
||||
>
|
||||
<DialogTitle id="alert-dialog-title">{'Register name'}</DialogTitle>
|
||||
<DialogTitle
|
||||
id="alert-dialog-title"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{t('core:action.register_name', {
|
||||
postProcess: 'capitalizeAll',
|
||||
})}
|
||||
</DialogTitle>
|
||||
|
||||
<DialogContent>
|
||||
<Box
|
||||
@ -236,6 +248,7 @@ export const RegisterName = ({
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
</Label>
|
||||
|
||||
<TextField
|
||||
autoComplete="off"
|
||||
autoFocus
|
||||
@ -261,6 +274,7 @@ export const RegisterName = ({
|
||||
color: theme.palette.text.primary,
|
||||
}}
|
||||
/>
|
||||
|
||||
<Typography>
|
||||
{t('core:message.generic.name_registration', {
|
||||
balance: balance ?? 0,
|
||||
|
@ -1,7 +1,6 @@
|
||||
import { useContext, useEffect, useMemo, useState } from 'react';
|
||||
import isEqual from 'lodash/isEqual'; // TODO Import deep comparison utility
|
||||
import {
|
||||
canSaveSettingToQdnAtom,
|
||||
hasSettingsChangedAtom,
|
||||
isUsingImportExportSettingsAtom,
|
||||
oldPinnedAppsAtom,
|
||||
@ -230,15 +229,7 @@ export const Save = ({ isDesktop, disableWidth, myName }) => {
|
||||
|
||||
return (
|
||||
<>
|
||||
<ButtonBase
|
||||
onClick={handlePopupClick}
|
||||
disabled={
|
||||
// !hasChanged ||
|
||||
// !canSave ||
|
||||
isLoading
|
||||
// settingsQdnLastUpdated === -100
|
||||
}
|
||||
>
|
||||
<ButtonBase onClick={handlePopupClick} disabled={isLoading}>
|
||||
{isDesktop ? (
|
||||
<IconWrapper
|
||||
disableWidth={disableWidth}
|
||||
|
@ -12,10 +12,13 @@ import {
|
||||
} from '@mui/material/styles';
|
||||
import { lightThemeOptions } from '../../styles/theme-light';
|
||||
import { darkThemeOptions } from '../../styles/theme-dark';
|
||||
import i18n from '../../i18n/i18n';
|
||||
|
||||
const defaultTheme = {
|
||||
id: 'default',
|
||||
name: 'Default Theme',
|
||||
name: i18n.t('core:theme.default', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
}),
|
||||
light: lightThemeOptions.palette,
|
||||
dark: darkThemeOptions.palette,
|
||||
};
|
||||
|
@ -15,6 +15,7 @@ import {
|
||||
Tabs,
|
||||
Tab,
|
||||
ListItemButton,
|
||||
useTheme,
|
||||
} from '@mui/material';
|
||||
import { Sketch } from '@uiw/react-color';
|
||||
import DeleteIcon from '@mui/icons-material/Delete';
|
||||
@ -71,6 +72,7 @@ const validateTheme = (theme) => {
|
||||
};
|
||||
|
||||
export default function ThemeManager() {
|
||||
const theme = useTheme();
|
||||
const { userThemes, addUserTheme, setUserTheme, currentThemeId } =
|
||||
useThemeContext();
|
||||
const [openEditor, setOpenEditor] = useState(false);
|
||||
@ -262,7 +264,7 @@ export default function ThemeManager() {
|
||||
{userThemes?.map((theme, index) => (
|
||||
<ListItemButton
|
||||
key={theme?.id || index}
|
||||
selected={theme?.id === currentThemeId}
|
||||
selected={theme?.id === currentThemeId} // TODO translate (current theme)
|
||||
>
|
||||
<ListItemText
|
||||
primary={`${theme?.name || `Theme ${index + 1}`} ${theme?.id === currentThemeId ? '(Current)' : ''}`}
|
||||
@ -295,7 +297,14 @@ export default function ThemeManager() {
|
||||
fullWidth
|
||||
maxWidth="md"
|
||||
>
|
||||
<DialogTitle>
|
||||
<DialogTitle
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{themeDraft.id
|
||||
? t('core:action.edit_theme', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
|
@ -193,6 +193,9 @@ export const UserLookup = ({ isOpenDrawerLookup, setIsOpenDrawerLookup }) => {
|
||||
}}
|
||||
id="controllable-states-demo"
|
||||
loading={isLoading}
|
||||
noOptionsText={t('core:option_no', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
options={options}
|
||||
sx={{ width: 300 }}
|
||||
renderInput={(params) => (
|
||||
|
@ -353,7 +353,15 @@ export const Wallets = ({ setExtState, setRawWallet, rawWallet }) => {
|
||||
}
|
||||
}}
|
||||
>
|
||||
<DialogTitle id="alert-dialog-title">
|
||||
<DialogTitle
|
||||
id="alert-dialog-title"
|
||||
sx={{
|
||||
textAlign: 'center',
|
||||
color: theme.palette.text.primary,
|
||||
fontWeight: 'bold',
|
||||
opacity: 1,
|
||||
}}
|
||||
>
|
||||
{t('auth:message.generic.type_seed', {
|
||||
postProcess: 'capitalizeFirstChar',
|
||||
})}
|
||||
|
@ -1,5 +1,4 @@
|
||||
//TODO
|
||||
|
||||
import { useRef, useState, useCallback, useMemo } from 'react';
|
||||
|
||||
interface State {
|
||||
|
@ -56,6 +56,8 @@ i18n
|
||||
defaultNS: 'core',
|
||||
interpolation: { escapeValue: false },
|
||||
react: { useSuspense: false },
|
||||
returnEmptyString: false, // return fallback instead of empty string
|
||||
returnNull: false, // return fallback instead of null
|
||||
debug: import.meta.env.MODE === 'development',
|
||||
});
|
||||
|
||||
|
@ -1,6 +1,6 @@
|
||||
{
|
||||
"account": {
|
||||
"your": "Ihr Konto",
|
||||
"your": "ihr Konto",
|
||||
"account_many": "Konten",
|
||||
"account_one": "Konto",
|
||||
"selected": "ausgewähltes Konto"
|
||||
@ -8,128 +8,129 @@
|
||||
"action": {
|
||||
"add": {
|
||||
"account": "Konto hinzufügen",
|
||||
"seed_phrase": "Saatgut hinzufügen"
|
||||
"seed_phrase": "saatgut hinzufügen"
|
||||
},
|
||||
"authenticate": "authentifizieren",
|
||||
"block": "Block",
|
||||
"block_all": "Block alle",
|
||||
"block_data": "Blockieren Sie QDN -Daten",
|
||||
"block_name": "Blockname",
|
||||
"block_txs": "Block TSX",
|
||||
"fetch_names": "Namen holen",
|
||||
"copy_address": "Adresse kopieren",
|
||||
"create_account": "Benutzerkonto erstellen",
|
||||
"create_qortal_account": "create your Qortal account by clicking <next>NEXT</next> below.",
|
||||
"choose_password": "Wählen Sie ein neues Passwort",
|
||||
"block": "block",
|
||||
"block_all": "block alle",
|
||||
"block_data": "blockieren Sie QDN -Daten",
|
||||
"block_name": "blockname",
|
||||
"block_txs": "block TSX",
|
||||
"fetch_names": "namen holen",
|
||||
"copy_address": "adresse kopieren",
|
||||
"create_account": "benutzerkonto erstellen",
|
||||
"create_qortal_account": "erstellen Sie Ihr Coral-Konto, indem Sie unten auf <next>NÄCHSTE</next> klicken",
|
||||
"choose_password": "wählen Sie ein neues Passwort",
|
||||
"download_account": "Konto herunterladen",
|
||||
"enter_amount": "Bitte geben Sie einen Betrag mehr als 0 ein",
|
||||
"enter_recipient": "Bitte geben Sie einen Empfänger ein",
|
||||
"enter_wallet_password": "Bitte geben Sie Ihr Brieftaschenkennwort ein",
|
||||
"export_seedphrase": "Saatgut exportieren",
|
||||
"insert_name_address": "Bitte geben Sie einen Namen oder eine Adresse ein",
|
||||
"publish_admin_secret_key": "Veröffentlichen Sie den Administrator -Geheimschlüssel",
|
||||
"publish_group_secret_key": "Gruppengeheimnis Key veröffentlichen",
|
||||
"reencrypt_key": "Taste neu entschlüsseln",
|
||||
"enter_amount": "bitte geben Sie einen Betrag mehr als 0 ein",
|
||||
"enter_recipient": "bitte geben Sie einen Empfänger ein",
|
||||
"enter_wallet_password": "bitte geben Sie Ihr Brieftaschenkennwort ein",
|
||||
"export_seedphrase": "saatgut exportieren",
|
||||
"insert_name_address": "bitte geben Sie einen Namen oder eine Adresse ein",
|
||||
"publish_admin_secret_key": "veröffentlichen Sie den Administrator -Geheimschlüssel",
|
||||
"publish_group_secret_key": "gruppengeheimnis Key veröffentlichen",
|
||||
"reencrypt_key": "taste neu entschlüsseln",
|
||||
"return_to_list": "Kehren Sie zur Liste zurück",
|
||||
"setup_qortal_account": "Richten Sie Ihr Qortal -Konto ein",
|
||||
"setup_qortal_account": "richten Sie Ihr Qortal -Konto ein",
|
||||
"unblock": "entsperren",
|
||||
"unblock_name": "Name entsperren"
|
||||
"unblock_name": "name entsperren"
|
||||
},
|
||||
"address": "Adresse",
|
||||
"address_name": "Adresse oder Name",
|
||||
"advanced_users": "Für fortgeschrittene Benutzer",
|
||||
"address": "adresse",
|
||||
"address_name": "adresse oder Name",
|
||||
"advanced_users": "für fortgeschrittene Benutzer",
|
||||
"apikey": {
|
||||
"alternative": "Alternative: Dateiauswahl",
|
||||
"alternative": "alternative: Dateiauswahl",
|
||||
"change": "apikey ändern",
|
||||
"enter": "Geben Sie Apikey ein",
|
||||
"import": "Apikey importieren",
|
||||
"key": "API -Schlüssel",
|
||||
"select_valid": "Wählen Sie einen gültigen Apikey aus"
|
||||
"enter": "geben Sie Apikey ein",
|
||||
"import": "apikey importieren",
|
||||
"key": "aPI -Schlüssel",
|
||||
"select_valid": "wählen Sie einen gültigen Apikey aus"
|
||||
},
|
||||
"blocked_users": "Blockierte Benutzer",
|
||||
"build_version": "Version erstellen",
|
||||
"authentication": "authentifizierung",
|
||||
"blocked_users": "blockierte Benutzer",
|
||||
"build_version": "version erstellen",
|
||||
"message": {
|
||||
"error": {
|
||||
"account_creation": "konnte kein Konto erstellen.",
|
||||
"address_not_existing": "Adresse existiert nicht auf Blockchain",
|
||||
"block_user": "Benutzer kann nicht blockieren",
|
||||
"address_not_existing": "adresse existiert nicht auf Blockchain",
|
||||
"block_user": "benutzer kann nicht blockieren",
|
||||
"create_simmetric_key": "kann nicht einen symmetrischen Schlüssel erstellen",
|
||||
"decrypt_data": "konnten keine Daten entschlüsseln",
|
||||
"decrypt": "nicht in der Lage zu entschlüsseln",
|
||||
"encrypt_content": "Inhalte kann nicht verschlüsseln",
|
||||
"fetch_user_account": "Benutzerkonto kann nicht abgerufen werden",
|
||||
"field_not_found_json": "{{ field }} not found in JSON",
|
||||
"encrypt_content": "inhalte kann nicht verschlüsseln",
|
||||
"fetch_user_account": "benutzerkonto kann nicht abgerufen werden",
|
||||
"field_not_found_json": "{{ field }} in JSON nicht gefunden",
|
||||
"find_secret_key": "kann nicht korrekte SecretKey finden",
|
||||
"incorrect_password": "Falsches Passwort",
|
||||
"invalid_qortal_link": "Ungültiger Qortal -Link",
|
||||
"invalid_secret_key": "SecretKey ist nicht gültig",
|
||||
"invalid_uint8": "Die von Ihnen eingereichte Uint8arrayData ist ungültig",
|
||||
"name_not_existing": "Name existiert nicht",
|
||||
"name_not_registered": "Name nicht registriert",
|
||||
"read_blob_base64": "Es konnte den Blob nicht als Basis 64-kodierter Zeichenfolge gelesen werden",
|
||||
"reencrypt_secret_key": "Der geheime Schlüssel kann nicht wieder entschlüsselt werden",
|
||||
"set_apikey": "Ich habe den API -Schlüssel nicht festgelegt:"
|
||||
"incorrect_password": "falsches Passwort",
|
||||
"invalid_qortal_link": "ungültiger Qortal -Link",
|
||||
"invalid_secret_key": "secretKey ist nicht gültig",
|
||||
"invalid_uint8": "die von Ihnen eingereichte Uint8arrayData ist ungültig",
|
||||
"name_not_existing": "name existiert nicht",
|
||||
"name_not_registered": "name nicht registriert",
|
||||
"read_blob_base64": "es konnte den Blob nicht als Basis 64-kodierter Zeichenfolge gelesen werden",
|
||||
"reencrypt_secret_key": "der geheime Schlüssel kann nicht wieder entschlüsselt werden",
|
||||
"set_apikey": "ich habe den API -Schlüssel nicht festgelegt:"
|
||||
},
|
||||
"generic": {
|
||||
"blocked_addresses": "Blockierte Adressen- Blöcke Verarbeitung von TXS",
|
||||
"blocked_names": "Blockierte Namen für QDN",
|
||||
"blocked_addresses": "blockierte Adressen- Blöcke Verarbeitung von TXS",
|
||||
"blocked_names": "blockierte Namen für QDN",
|
||||
"blocking": "blocking {{ name }}",
|
||||
"choose_block": "Wählen Sie 'Block TXS' oder 'All', um Chat -Nachrichten zu blockieren",
|
||||
"congrats_setup": "Herzlichen Glückwunsch, Sie sind alle eingerichtet!",
|
||||
"decide_block": "Entscheiden Sie, was zu blockieren soll",
|
||||
"name_address": "Name oder Adresse",
|
||||
"choose_block": "wählen Sie 'Block TXS' oder 'All', um Chat -Nachrichten zu blockieren",
|
||||
"congrats_setup": "herzlichen Glückwunsch, Sie sind alle eingerichtet!",
|
||||
"decide_block": "entscheiden Sie, was zu blockieren soll",
|
||||
"name_address": "name oder Adresse",
|
||||
"no_account": "Keine Konten gespeichert",
|
||||
"no_minimum_length": "Es gibt keine Mindestlänge -Anforderung",
|
||||
"no_secret_key_published": "Noch kein geheimes Schlüssel veröffentlicht",
|
||||
"fetching_admin_secret_key": "Administratoren geheimen Schlüssel holen",
|
||||
"fetching_group_secret_key": "Abrufen von Gruppengeheimnisschlüsselveröffentlichungen abrufen",
|
||||
"last_encryption_date": "last encryption date: {{ date }} by {{ name }}",
|
||||
"keep_secure": "Halten Sie Ihre Kontodatei sicher",
|
||||
"publishing_key": "Erinnerung: Nachdem der Schlüssel veröffentlicht wurde, dauert es ein paar Minuten, bis es angezeigt wird. Bitte warten Sie einfach.",
|
||||
"seedphrase_notice": "a <seed>SEEDPHRASE</seed> has been randomly generated in the background.",
|
||||
"turn_local_node": "Bitte schalten Sie Ihren lokalen Knoten ein",
|
||||
"type_seed": "Geben Sie in Ihre Saatgut-Phrase ein oder Einfügen",
|
||||
"your_accounts": "Ihre gespeicherten Konten"
|
||||
"no_minimum_length": "es gibt keine Mindestlänge -Anforderung",
|
||||
"no_secret_key_published": "noch kein geheimes Schlüssel veröffentlicht",
|
||||
"fetching_admin_secret_key": "administratoren geheimen Schlüssel holen",
|
||||
"fetching_group_secret_key": "abrufen von Gruppengeheimnisschlüsselveröffentlichungen abrufen",
|
||||
"last_encryption_date": "datum der letzten Verschlüsselung: {{ date }} nach {{ name }}",
|
||||
"keep_secure": "halten Sie Ihre Kontodatei sicher",
|
||||
"publishing_key": "erinnerung: Nachdem der Schlüssel veröffentlicht wurde, dauert es ein paar Minuten, bis es angezeigt wird. Bitte warten Sie einfach.",
|
||||
"seedphrase_notice": "eine <seed>SEEDPHRASE</seed> wurde zufällig im Hintergrund generiert",
|
||||
"turn_local_node": "bitte schalten Sie Ihren lokalen Knoten ein",
|
||||
"type_seed": "geben Sie in Ihre Saatgut-Phrase ein oder Einfügen",
|
||||
"your_accounts": "ihre gespeicherten Konten"
|
||||
},
|
||||
"success": {
|
||||
"reencrypted_secret_key": "erfolgreich neu verdrängte geheime Schlüssel. Es kann ein paar Minuten dauern, bis sich die Änderungen ausbreiten. Aktualisieren Sie die Gruppe in 5 Minuten."
|
||||
}
|
||||
},
|
||||
"node": {
|
||||
"choose": "Wählen Sie den benutzerdefinierten Knoten",
|
||||
"custom_many": "Benutzerdefinierte Knoten",
|
||||
"use_custom": "Verwenden Sie den benutzerdefinierten Knoten",
|
||||
"use_local": "Verwenden Sie den lokalen Knoten",
|
||||
"using": "Verwenden von Knoten",
|
||||
"choose": "wählen Sie den benutzerdefinierten Knoten",
|
||||
"custom_many": "benutzerdefinierte Knoten",
|
||||
"use_custom": "verwenden Sie den benutzerdefinierten Knoten",
|
||||
"use_local": "verwenden Sie den lokalen Knoten",
|
||||
"using": "verwenden von Knoten",
|
||||
"using_public": "mit öffentlichem Knoten",
|
||||
"using_public_gateway": "using public node: {{ gateway }}"
|
||||
"using_public_gateway": "öffentlichen Knoten verwenden: {{ gateway }}"
|
||||
},
|
||||
"note": "Notiz",
|
||||
"password": "Passwort",
|
||||
"password_confirmation": "Passwort bestätigen",
|
||||
"seed_phrase": "Samenphrase",
|
||||
"seed_your": "Ihr Saatgut",
|
||||
"note": "notiz",
|
||||
"password": "passwort",
|
||||
"password_confirmation": "passwort bestätigen",
|
||||
"seed_phrase": "samenphrase",
|
||||
"seed_your": "ihr Saatgut",
|
||||
"tips": {
|
||||
"additional_wallet": "Verwenden Sie diese Option, um zusätzliche Qortal -Wallets anzuschließen, die Sie bereits erstellt haben, um sich danach bei ihnen anzumelden. Um dies zu tun, benötigen Sie zu Zugriff auf Ihre Sicherungs -JSON -Datei.",
|
||||
"digital_id": "Ihre Brieftasche ist wie Ihre digitale ID auf Qortal und wie Sie sich an der Qortal -Benutzeroberfläche anmelden. Es enthält Ihre öffentliche Adresse und den Qortalnamen, den Sie irgendwann auswählen werden. Jede Transaktion, die Sie durchführen, ist mit Ihrer ID verknüpft, und hier verwalten Sie Ihre gesamte Qort- und andere handelbare Kryptowährungen auf Qortal.",
|
||||
"existing_account": "Haben Sie bereits ein Qortal -Konto? Geben Sie hier Ihre geheime Sicherungsphrase ein, um darauf zuzugreifen. Dieser Satz ist eine der Möglichkeiten, Ihr Konto wiederherzustellen.",
|
||||
"key_encrypt_admin": "Dieser Schlüssel besteht darin, den Inhalt des administratorischen verwandten Inhalts zu verschlüsseln. Nur Administratoren würden in den Inhalten damit verschlüsselt.",
|
||||
"key_encrypt_group": "Dieser Schlüssel besteht darin, Gruppeninhalte zu verschlüsseln. Dies ist der einzige, der ab sofort in dieser Benutzeroberfläche verwendet wird. Alle Gruppenmitglieder können inhaltlich mit diesem Schlüssel verschlüsselt werden.",
|
||||
"new_account": "Das Erstellen eines Kontos bedeutet, eine neue Brieftasche und eine digitale ID für die Verwendung von Qortal zu erstellen. Sobald Sie Ihr Konto erstellt haben, können Sie damit beginnen, Dinge wie ein Qort zu erhalten, einen Namen und Avatar zu kaufen, Videos und Blogs zu veröffentlichen und vieles mehr.",
|
||||
"new_users": "Neue Benutzer beginnen hier!",
|
||||
"safe_place": "Speichern Sie Ihr Konto an einem Ort, an dem Sie sich daran erinnern werden!",
|
||||
"view_seedphrase": "Wenn Sie die SeedPhrase anzeigen möchten, klicken Sie in diesem Text auf das Wort 'Seedphrase'. Saatgut werden verwendet, um den privaten Schlüssel für Ihr Qortal -Konto zu generieren. Für die Sicherheit standardmäßig werden Seedhrasen nicht angezeigt, wenn sie ausdrücklich ausgewählt werden.",
|
||||
"wallet_secure": "Halten Sie Ihre Brieftaschenakte sicher."
|
||||
"additional_wallet": "verwenden Sie diese Option, um zusätzliche Qortal -Wallets anzuschließen, die Sie bereits erstellt haben, um sich danach bei ihnen anzumelden. Um dies zu tun, benötigen Sie zu Zugriff auf Ihre Sicherungs -JSON -Datei.",
|
||||
"digital_id": "ihre Brieftasche ist wie Ihre digitale ID auf Qortal und wie Sie sich an der Qortal -Benutzeroberfläche anmelden. Es enthält Ihre öffentliche Adresse und den Qortalnamen, den Sie irgendwann auswählen werden. Jede Transaktion, die Sie durchführen, ist mit Ihrer ID verknüpft, und hier verwalten Sie Ihre gesamte Qort- und andere handelbare Kryptowährungen auf Qortal.",
|
||||
"existing_account": "haben Sie bereits ein Qortal -Konto? Geben Sie hier Ihre geheime Sicherungsphrase ein, um darauf zuzugreifen. Dieser Satz ist eine der Möglichkeiten, Ihr Konto wiederherzustellen.",
|
||||
"key_encrypt_admin": "dieser Schlüssel besteht darin, den Inhalt des administratorischen verwandten Inhalts zu verschlüsseln. Nur Administratoren würden in den Inhalten damit verschlüsselt.",
|
||||
"key_encrypt_group": "dieser Schlüssel besteht darin, Gruppeninhalte zu verschlüsseln. Dies ist der einzige, der ab sofort in dieser Benutzeroberfläche verwendet wird. Alle Gruppenmitglieder können inhaltlich mit diesem Schlüssel verschlüsselt werden.",
|
||||
"new_account": "das Erstellen eines Kontos bedeutet, eine neue Brieftasche und eine digitale ID für die Verwendung von Qortal zu erstellen. Sobald Sie Ihr Konto erstellt haben, können Sie damit beginnen, Dinge wie ein Qort zu erhalten, einen Namen und Avatar zu kaufen, Videos und Blogs zu veröffentlichen und vieles mehr.",
|
||||
"new_users": "neue Benutzer beginnen hier!",
|
||||
"safe_place": "speichern Sie Ihr Konto an einem Ort, an dem Sie sich daran erinnern werden!",
|
||||
"view_seedphrase": "wenn Sie die SeedPhrase anzeigen möchten, klicken Sie in diesem Text auf das Wort 'Seedphrase'. Saatgut werden verwendet, um den privaten Schlüssel für Ihr Qortal -Konto zu generieren. Für die Sicherheit standardmäßig werden Seedhrasen nicht angezeigt, wenn sie ausdrücklich ausgewählt werden.",
|
||||
"wallet_secure": "halten Sie Ihre Brieftaschenakte sicher."
|
||||
},
|
||||
"wallet": {
|
||||
"password_confirmation": "Brieftaschenkennwort bestätigen",
|
||||
"password": "Brieftaschenkennwort",
|
||||
"keep_password": "Halten Sie das aktuelle Passwort",
|
||||
"new_password": "Neues Passwort",
|
||||
"password_confirmation": "brieftaschenkennwort bestätigen",
|
||||
"password": "brieftaschenkennwort",
|
||||
"keep_password": "halten Sie das aktuelle Passwort",
|
||||
"new_password": "neues Passwort",
|
||||
"error": {
|
||||
"missing_new_password": "Bitte geben Sie ein neues Passwort ein",
|
||||
"missing_password": "Bitte geben Sie Ihr Passwort ein"
|
||||
"missing_new_password": "bitte geben Sie ein neues Passwort ein",
|
||||
"missing_password": "bitte geben Sie Ihr Passwort ein"
|
||||
}
|
||||
},
|
||||
"welcome": "Willkommen zu"
|
||||
}
|
||||
"welcome": "willkommen zu"
|
||||
}
|
||||
|
@ -1,336 +1,337 @@
|
||||
{
|
||||
"action": {
|
||||
"accept": "akzeptieren",
|
||||
"access": "Zugang",
|
||||
"access_app": "Zugangs -App",
|
||||
"access": "zugang",
|
||||
"access_app": "zugangs -App",
|
||||
"add": "hinzufügen",
|
||||
"add_custom_framework": "Fügen Sie benutzerdefiniertes Framework hinzu",
|
||||
"add_reaction": "Reaktion hinzufügen",
|
||||
"add_theme": "Thema hinzufügen",
|
||||
"backup_account": "Sicherungskonto",
|
||||
"backup_wallet": "Backup -Brieftasche",
|
||||
"add_custom_framework": "fügen Sie benutzerdefiniertes Framework hinzu",
|
||||
"add_reaction": "reaktion hinzufügen",
|
||||
"add_theme": "thema hinzufügen",
|
||||
"backup_account": "sicherungskonto",
|
||||
"backup_wallet": "backup -Brieftasche",
|
||||
"cancel": "stornieren",
|
||||
"cancel_invitation": "Einladung abbrechen",
|
||||
"cancel_invitation": "einladung abbrechen",
|
||||
"change": "ändern",
|
||||
"change_avatar": "Avatar ändern",
|
||||
"change_file": "Datei ändern",
|
||||
"change_language": "Sprache ändern",
|
||||
"change_avatar": "avatar ändern",
|
||||
"change_file": "datei ändern",
|
||||
"change_language": "sprache ändern",
|
||||
"choose": "wählen",
|
||||
"choose_file": "Datei wählen",
|
||||
"choose_image": "Wählen Sie Bild",
|
||||
"choose_logo": "Wählen Sie ein Logo",
|
||||
"choose_name": "Wählen Sie einen Namen",
|
||||
"choose_file": "datei wählen",
|
||||
"choose_image": "wählen Sie Bild",
|
||||
"choose_logo": "wählen Sie ein Logo",
|
||||
"choose_name": "wählen Sie einen Namen",
|
||||
"close": "schließen",
|
||||
"close_chat": "Direkten Chat schließen",
|
||||
"close_chat": "direkten Chat schließen",
|
||||
"continue": "weitermachen",
|
||||
"continue_logout": "Melden Sie sich weiter an",
|
||||
"copy_link": "Link kopieren",
|
||||
"create_apps": "Apps erstellen",
|
||||
"create_file": "Datei erstellen",
|
||||
"create_transaction": "Erstellen Sie Transaktionen auf der Qortal Blockchain",
|
||||
"create_thread": "Thread erstellen",
|
||||
"decline": "Abfall",
|
||||
"continue_logout": "melden Sie sich weiter an",
|
||||
"copy_link": "link kopieren",
|
||||
"create_apps": "apps erstellen",
|
||||
"create_file": "datei erstellen",
|
||||
"create_transaction": "erstellen Sie Transaktionen auf der Qortal Blockchain",
|
||||
"create_thread": "thread erstellen",
|
||||
"decline": "abfall",
|
||||
"decrypt": "entschlüsseln",
|
||||
"disable_enter": "Deaktivieren Sie die Eingabe",
|
||||
"disable_enter": "deaktivieren Sie die Eingabe",
|
||||
"download": "herunterladen",
|
||||
"download_file": "Datei herunterladen",
|
||||
"download_file": "datei herunterladen",
|
||||
"edit": "bearbeiten",
|
||||
"edit_theme": "Thema bearbeiten",
|
||||
"enable_dev_mode": "Dev -Modus aktivieren",
|
||||
"enter_name": "Geben Sie einen Namen ein",
|
||||
"export": "Export",
|
||||
"get_qort": "Holen Sie sich Qort",
|
||||
"get_qort_trade": "Holen Sie sich Qort bei Q-Trade",
|
||||
"edit_theme": "thema bearbeiten",
|
||||
"enable_dev_mode": "dev -Modus aktivieren",
|
||||
"enter_name": "geben Sie einen Namen ein",
|
||||
"export": "export",
|
||||
"get_qort": "holen Sie sich Qort",
|
||||
"get_qort_trade": "holen Sie sich Qort bei Q-Trade",
|
||||
"hide": "verstecken",
|
||||
"import": "Import",
|
||||
"import_theme": "Importthema",
|
||||
"import": "import",
|
||||
"import_theme": "importthema",
|
||||
"invite": "einladen",
|
||||
"invite_member": "ein neues Mitglied einladen",
|
||||
"join": "verbinden",
|
||||
"leave_comment": "Kommentar hinterlassen",
|
||||
"load_announcements": "ältere Ankündigungen laden",
|
||||
"login": "Login",
|
||||
"logout": "Abmelden",
|
||||
"login": "login",
|
||||
"logout": "abmelden",
|
||||
"new": {
|
||||
"chat": "neuer Chat",
|
||||
"post": "neuer Beitrag",
|
||||
"theme": "Neues Thema",
|
||||
"theme": "neues Thema",
|
||||
"thread": "neuer Thread"
|
||||
},
|
||||
"notify": "benachrichtigen",
|
||||
"open": "offen",
|
||||
"pin": "Stift",
|
||||
"pin_app": "Pin App",
|
||||
"pin_from_dashboard": "Pin vom Armaturenbrett",
|
||||
"post": "Post",
|
||||
"post_message": "Post Nachricht",
|
||||
"pin": "stift",
|
||||
"pin_app": "pin App",
|
||||
"pin_from_dashboard": "pin vom Armaturenbrett",
|
||||
"post": "post",
|
||||
"post_message": "post Nachricht",
|
||||
"publish": "veröffentlichen",
|
||||
"publish_app": "Veröffentlichen Sie Ihre App",
|
||||
"publish_app": "veröffentlichen Sie Ihre App",
|
||||
"publish_comment": "Kommentar veröffentlichen",
|
||||
"register_name": "Registrieren Sie den Namen",
|
||||
"register_name": "registrieren Sie den Namen",
|
||||
"remove": "entfernen",
|
||||
"remove_reaction": "Reaktion entfernen",
|
||||
"remove_reaction": "reaktion entfernen",
|
||||
"return_apps_dashboard": "Kehren Sie zu Apps Dashboard zurück",
|
||||
"save": "speichern",
|
||||
"save_disk": "Speichern auf der Festplatte",
|
||||
"save_disk": "speichern auf der Festplatte",
|
||||
"search": "suchen",
|
||||
"search_apps": "Suche nach Apps",
|
||||
"search_groups": "Suche nach Gruppen",
|
||||
"search_chat_text": "Chattext suchen",
|
||||
"select_app_type": "Wählen Sie App -Typ",
|
||||
"search_apps": "suche nach Apps",
|
||||
"search_groups": "suche nach Gruppen",
|
||||
"search_chat_text": "chattext suchen",
|
||||
"select_app_type": "wählen Sie App -Typ",
|
||||
"select_category": "Kategorie auswählen",
|
||||
"select_name_app": "Wählen Sie Name/App",
|
||||
"select_name_app": "wählen Sie Name/App",
|
||||
"send": "schicken",
|
||||
"send_qort": "Qort senden",
|
||||
"set_avatar": "Setzen Sie Avatar",
|
||||
"set_avatar": "setzen Sie Avatar",
|
||||
"show": "zeigen",
|
||||
"show_poll": "Umfrage zeigen",
|
||||
"start_minting": "Fangen Sie an, zu streiten",
|
||||
"start_typing": "Fangen Sie hier an, hier zu tippen ...",
|
||||
"trade_qort": "Handel Qort",
|
||||
"show_poll": "umfrage zeigen",
|
||||
"start_minting": "fangen Sie an, zu streiten",
|
||||
"start_typing": "fangen Sie hier an, hier zu tippen ...",
|
||||
"trade_qort": "handel Qort",
|
||||
"transfer_qort": "Qort übertragen",
|
||||
"unpin": "unpin",
|
||||
"unpin_app": "UNPIN App",
|
||||
"unpin_from_dashboard": "Unpin aus dem Dashboard",
|
||||
"unpin_app": "uNPIN App",
|
||||
"unpin_from_dashboard": "unpin aus dem Dashboard",
|
||||
"update": "aktualisieren",
|
||||
"update_app": "Aktualisieren Sie Ihre App",
|
||||
"vote": "Abstimmung"
|
||||
"update_app": "aktualisieren Sie Ihre App",
|
||||
"vote": "abstimmung"
|
||||
},
|
||||
"admin": "Administrator",
|
||||
"admin_other": "Administratoren",
|
||||
"admin": "administrator",
|
||||
"admin_other": "administratoren",
|
||||
"all": "alle",
|
||||
"amount": "Menge",
|
||||
"announcement": "Bekanntmachung",
|
||||
"announcement_other": "Ankündigungen",
|
||||
"amount": "menge",
|
||||
"announcement": "bekanntmachung",
|
||||
"announcement_other": "ankündigungen",
|
||||
"api": "API",
|
||||
"app": "App",
|
||||
"app_other": "Apps",
|
||||
"app_name": "App -Name",
|
||||
"app_service_type": "App -Service -Typ",
|
||||
"apps_dashboard": "Apps Dashboard",
|
||||
"app": "app",
|
||||
"app_other": "apps",
|
||||
"app_name": "aname der App",
|
||||
"app_private": "privat",
|
||||
"app_service_type": "app-Diensttyp",
|
||||
"apps_dashboard": "apps Dashboard",
|
||||
"apps_official": "offizielle Apps",
|
||||
"attachment": "Anhang",
|
||||
"balance": "Gleichgewicht:",
|
||||
"basic_tabs_example": "Basic Tabs Beispiel",
|
||||
"attachment": "anhang",
|
||||
"balance": "gleichgewicht:",
|
||||
"basic_tabs_example": "basic Tabs Beispiel",
|
||||
"category": "Kategorie",
|
||||
"category_other": "Kategorien",
|
||||
"chat": "Chat",
|
||||
"chat": "chat",
|
||||
"comment_other": "Kommentare",
|
||||
"contact_other": "Kontakte",
|
||||
"core": {
|
||||
"block_height": "Blockhöhe",
|
||||
"block_height": "blockhöhe",
|
||||
"information": "Kerninformationen",
|
||||
"peers": "verbundene Kollegen",
|
||||
"version": "Kernversion"
|
||||
},
|
||||
"current_language": "current language: {{ language }}",
|
||||
"dev": "Dev",
|
||||
"dev_mode": "Dev -Modus",
|
||||
"domain": "Domain",
|
||||
"dev": "dev",
|
||||
"dev_mode": "dev -Modus",
|
||||
"domain": "domain",
|
||||
"ui": {
|
||||
"version": "UI -Version"
|
||||
"version": "uI -Version"
|
||||
},
|
||||
"count": {
|
||||
"none": "keiner",
|
||||
"one": "eins"
|
||||
},
|
||||
"description": "Beschreibung",
|
||||
"devmode_apps": "Dev -Modus -Apps",
|
||||
"directory": "Verzeichnis",
|
||||
"downloading_qdn": "Herunterladen von QDN",
|
||||
"description": "beschreibung",
|
||||
"devmode_apps": "dev -Modus -Apps",
|
||||
"directory": "verzeichnis",
|
||||
"downloading_qdn": "herunterladen von QDN",
|
||||
"fee": {
|
||||
"payment": "Zahlungsgebühr",
|
||||
"publish": "Gebühr veröffentlichen"
|
||||
"payment": "zahlungsgebühr",
|
||||
"publish": "gebühr veröffentlichen"
|
||||
},
|
||||
"for": "für",
|
||||
"general": "allgemein",
|
||||
"general_settings": "Allgemeine Einstellungen",
|
||||
"general_settings": "allgemeine Einstellungen",
|
||||
"home": "heim",
|
||||
"identifier": "Kennung",
|
||||
"image_embed": "Bildbett",
|
||||
"image_embed": "bildbett",
|
||||
"last_height": "letzte Höhe",
|
||||
"level": "Ebene",
|
||||
"library": "Bibliothek",
|
||||
"level": "ebene",
|
||||
"library": "bibliothek",
|
||||
"list": {
|
||||
"bans": "Liste der Verbote",
|
||||
"groups": "Liste der Gruppen",
|
||||
"invite": "Liste einladen",
|
||||
"invites": "Liste der Einladungen",
|
||||
"join_request": "Schließen Sie die Anforderungsliste an",
|
||||
"member": "Mitgliedsliste",
|
||||
"members": "Liste der Mitglieder"
|
||||
"bans": "liste der Verbote",
|
||||
"groups": "liste der Gruppen",
|
||||
"invites": "liste der Einladungen",
|
||||
"join_request": "schließen Sie die Anforderungsliste an",
|
||||
"member": "mitgliedsliste",
|
||||
"members": "liste der Mitglieder"
|
||||
},
|
||||
"loading": {
|
||||
"announcements": "Laden von Ankündigungen",
|
||||
"generic": "Laden...",
|
||||
"chat": "Chat beladen ... Bitte warten Sie.",
|
||||
"announcements": "laden von Ankündigungen",
|
||||
"generic": "laden...",
|
||||
"chat": "chat beladen ... Bitte warten Sie.",
|
||||
"comments": "Kommentare laden ... bitte warten.",
|
||||
"posts": "Beiträge laden ... bitte warten."
|
||||
"posts": "beiträge laden ... bitte warten."
|
||||
},
|
||||
"member": "Mitglied",
|
||||
"member_other": "Mitglieder",
|
||||
"message_us": "Bitte senden Sie uns eine Nachricht in Telegramm oder Discord, wenn Sie 4 Qort benötigen, um ohne Einschränkungen zu chatten",
|
||||
"member": "mitglied",
|
||||
"member_other": "mitglieder",
|
||||
"message_us": "bitte senden Sie uns eine Nachricht in Telegramm oder Discord, wenn Sie 4 Qort benötigen, um ohne Einschränkungen zu chatten",
|
||||
"message": {
|
||||
"error": {
|
||||
"address_not_found": "Ihre Adresse wurde nicht gefunden",
|
||||
"app_need_name": "Ihre App benötigt einen Namen",
|
||||
"build_app": "Private App kann nicht erstellen",
|
||||
"decrypt_app": "Private App kann nicht entschlüsseln '",
|
||||
"download_image": "Image kann nicht heruntergeladen werden. Bitte versuchen Sie es später erneut, indem Sie auf die Schaltfläche Aktualisieren klicken",
|
||||
"download_private_app": "Private App kann nicht heruntergeladen werden",
|
||||
"encrypt_app": "App kann nicht verschlüsseln. App nicht veröffentlicht '",
|
||||
"fetch_app": "App kann nicht abrufen",
|
||||
"fetch_publish": "Veröffentlichung kann nicht abrufen",
|
||||
"address_not_found": "ihre Adresse wurde nicht gefunden",
|
||||
"app_need_name": "ihre App benötigt einen Namen",
|
||||
"build_app": "private App kann nicht erstellen",
|
||||
"decrypt_app": "private App kann nicht entschlüsseln '",
|
||||
"download_image": "image kann nicht heruntergeladen werden. Bitte versuchen Sie es später erneut, indem Sie auf die Schaltfläche Aktualisieren klicken",
|
||||
"download_private_app": "private App kann nicht heruntergeladen werden",
|
||||
"encrypt_app": "app kann nicht verschlüsseln. App nicht veröffentlicht '",
|
||||
"fetch_app": "app kann nicht abrufen",
|
||||
"fetch_publish": "veröffentlichung kann nicht abrufen",
|
||||
"file_too_large": "file {{ filename }} is too large. Max size allowed is {{ size }} MB.",
|
||||
"generic": "Es ist ein Fehler aufgetreten",
|
||||
"initiate_download": "Download nicht einleiten",
|
||||
"generic": "es ist ein Fehler aufgetreten",
|
||||
"initiate_download": "download nicht einleiten",
|
||||
"invalid_amount": "ungültiger Betrag",
|
||||
"invalid_base64": "Ungültige Base64 -Daten",
|
||||
"invalid_embed_link": "Ungültiger Einbettverbindung",
|
||||
"invalid_image_embed_link_name": "Ungültiges Bild -Einbettungs -Link. Fehlender Param.",
|
||||
"invalid_poll_embed_link_name": "Ungültige Umfrage -Einbettungsverbindung. Fehlender Name.",
|
||||
"invalid_signature": "Ungültige Signatur",
|
||||
"invalid_theme_format": "Ungültiges Themenformat",
|
||||
"invalid_zip": "Ungültiges Reißverschluss",
|
||||
"message_loading": "Fehlerladelademeldung.",
|
||||
"invalid_base64": "ungültige Base64 -Daten",
|
||||
"invalid_embed_link": "ungültiger Einbettverbindung",
|
||||
"invalid_image_embed_link_name": "ungültiges Bild -Einbettungs -Link. Fehlender Param.",
|
||||
"invalid_poll_embed_link_name": "ungültige Umfrage -Einbettungsverbindung. Fehlender Name.",
|
||||
"invalid_signature": "ungültige Signatur",
|
||||
"invalid_theme_format": "ungültiges Themenformat",
|
||||
"invalid_zip": "ungültiges Reißverschluss",
|
||||
"message_loading": "fehlerladelademeldung.",
|
||||
"message_size": "your message size is of {{ size }} bytes out of a maximum of {{ maximum }}",
|
||||
"minting_account_add": "Münzkonto kann nicht hinzugefügt werden",
|
||||
"minting_account_remove": "Münzkonto kann nicht entfernen",
|
||||
"minting_account_add": "münzkonto kann nicht hinzugefügt werden",
|
||||
"minting_account_remove": "münzkonto kann nicht entfernen",
|
||||
"missing_fields": "missing: {{ fields }}",
|
||||
"navigation_timeout": "Navigationszeitüberschreitung",
|
||||
"network_generic": "Netzwerkfehler",
|
||||
"password_not_matching": "Passwortfelder stimmen nicht überein!",
|
||||
"navigation_timeout": "navigationszeitüberschreitung",
|
||||
"network_generic": "netzwerkfehler",
|
||||
"password_not_matching": "passwortfelder stimmen nicht überein!",
|
||||
"password_wrong": "authentifizieren nicht. Falsches Passwort",
|
||||
"publish_app": "App kann nicht veröffentlichen",
|
||||
"publish_image": "Image kann nicht veröffentlichen",
|
||||
"publish_app": "app kann nicht veröffentlichen",
|
||||
"publish_image": "image kann nicht veröffentlichen",
|
||||
"rate": "bewerten nicht",
|
||||
"rating_option": "Bewertungsoption kann nicht finden",
|
||||
"rating_option": "bewertungsoption kann nicht finden",
|
||||
"save_qdn": "qdn kann nicht speichern",
|
||||
"send_failed": "nicht senden",
|
||||
"update_failed": "nicht aktualisiert",
|
||||
"vote": "nicht stimmen können"
|
||||
},
|
||||
"generic": {
|
||||
"already_voted": "Sie haben bereits gestimmt.",
|
||||
"already_voted": "sie haben bereits gestimmt.",
|
||||
"avatar_size": "{{ size }} KB max. for GIFS",
|
||||
"benefits_qort": "Vorteile von Qort",
|
||||
"building": "Gebäude",
|
||||
"building_app": "App -App",
|
||||
"benefits_qort": "vorteile von Qort",
|
||||
"building": "gebäude",
|
||||
"building_app": "app -App",
|
||||
"created_by": "created by {{ owner }}",
|
||||
"buy_order_request": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting {{count}} buy order</span>",
|
||||
"buy_order_request_other": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting {{count}} buy orders</span>",
|
||||
"devmode_local_node": "Bitte verwenden Sie Ihren lokalen Knoten für den Dev -Modus! Melden Sie sich an und verwenden Sie den lokalen Knoten.",
|
||||
"downloading": "Herunterladen",
|
||||
"devmode_local_node": "bitte verwenden Sie Ihren lokalen Knoten für den Dev -Modus! Melden Sie sich an und verwenden Sie den lokalen Knoten.",
|
||||
"downloading": "herunterladen",
|
||||
"downloading_decrypting_app": "private App herunterladen und entschlüsseln.",
|
||||
"edited": "bearbeitet",
|
||||
"editing_message": "Bearbeitungsnachricht",
|
||||
"editing_message": "bearbeitungsnachricht",
|
||||
"encrypted": "verschlüsselt",
|
||||
"encrypted_not": "nicht verschlüsselt",
|
||||
"fee_qort": "fee: {{ message }} QORT",
|
||||
"fetching_data": "App -Daten abrufen",
|
||||
"fetching_data": "app -Daten abrufen",
|
||||
"foreign_fee": "foreign fee: {{ message }}",
|
||||
"get_qort_trade_portal": "Holen Sie sich QORT mit dem CrossChain -Handelsportal von Qortal",
|
||||
"get_qort_trade_portal": "holen Sie sich QORT mit dem CrossChain -Handelsportal von Qortal",
|
||||
"minimal_qort_balance": "having at least {{ quantity }} QORT in your balance (4 qort balance for chat, 1.25 for name, 0.75 for some transactions)",
|
||||
"mentioned": "erwähnt",
|
||||
"message_with_image": "Diese Nachricht hat bereits ein Bild",
|
||||
"message_with_image": "diese Nachricht hat bereits ein Bild",
|
||||
"most_recent_payment": "{{ count }} most recent payment",
|
||||
"name_available": "{{ name }} is available",
|
||||
"name_benefits": "Vorteile eines Namens",
|
||||
"name_benefits": "vorteile eines Namens",
|
||||
"name_checking": "Überprüfen Sie, ob der Name bereits vorhanden ist",
|
||||
"name_preview": "Sie benötigen einen Namen, um die Vorschau zu verwenden",
|
||||
"name_publish": "Sie benötigen einen Qortalnamen, um zu veröffentlichen",
|
||||
"name_rate": "Sie benötigen einen Namen, um zu bewerten.",
|
||||
"name_preview": "sie benötigen einen Namen, um die Vorschau zu verwenden",
|
||||
"name_publish": "sie benötigen einen Qortalnamen, um zu veröffentlichen",
|
||||
"name_rate": "sie benötigen einen Namen, um zu bewerten.",
|
||||
"name_registration": "your balance is {{ balance }} QORT. A name registration requires a {{ fee }} QORT fee",
|
||||
"name_unavailable": "{{ name }} is unavailable",
|
||||
"no_data_image": "Keine Daten für das Bild",
|
||||
"no_description": "Keine Beschreibung",
|
||||
"no_messages": "Keine Nachrichten",
|
||||
"no_minting_details": "Müngungsdetails auf dem Gateway können nicht angezeigt werden",
|
||||
"no_minting_details": "müngungsdetails auf dem Gateway können nicht angezeigt werden",
|
||||
"no_notifications": "Keine neuen Benachrichtigungen",
|
||||
"no_payments": "Keine Zahlungen",
|
||||
"no_pinned_changes": "Sie haben derzeit keine Änderungen an Ihren angestellten Apps",
|
||||
"no_pinned_changes": "sie haben derzeit keine Änderungen an Ihren angestellten Apps",
|
||||
"no_results": "Keine Ergebnisse",
|
||||
"one_app_per_name": "Hinweis: Derzeit ist pro Namen nur eine App und Website zulässig.",
|
||||
"one_app_per_name": "hinweis: Derzeit ist pro Namen nur eine App und Website zulässig.",
|
||||
"opened": "geöffnet",
|
||||
"overwrite_qdn": "überschreiben zu QDN",
|
||||
"password_confirm": "Bitte bestätigen Sie ein Passwort",
|
||||
"password_enter": "Bitte geben Sie ein Passwort ein",
|
||||
"payment_request": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting a payment</span>",
|
||||
"people_reaction": "people who reacted with {{ reaction }}",
|
||||
"processing_transaction": "Ist die Verarbeitung von Transaktionen, bitte warten ...",
|
||||
"publish_data": "Veröffentlichung von Daten an Qortal: Alles, von Apps bis hin zu Videos. Voll dezentral!",
|
||||
"publishing": "Veröffentlichung ... bitte warten.",
|
||||
"qdn": "Verwenden Sie QDN Saving",
|
||||
"rating": "rating for {{ service }} {{ name }}",
|
||||
"register_name": "Sie benötigen einen registrierten Qortal -Namen, um Ihre angestellten Apps vor QDN zu speichern.",
|
||||
"replied_to": "replied to {{ person }}",
|
||||
"revert_default": "Umzug zurück",
|
||||
"password_confirm": "bitte bestätigen Sie ein Passwort",
|
||||
"password_enter": "bitte geben Sie ein Passwort ein",
|
||||
"payment_request": "die Anwendung <br/><italic>{{hostname}}</italic> <br/><span>fordert eine Zahlung an</span>",
|
||||
"people_reaction": "menschen, die mit reagierten{{ reaction }}",
|
||||
"processing_transaction": "ist die Verarbeitung von Transaktionen, bitte warten ...",
|
||||
"publish_data": "veröffentlichung von Daten an Qortal: Alles, von Apps bis hin zu Videos. Voll dezentral!",
|
||||
"publishing": "veröffentlichung ... bitte warten.",
|
||||
"qdn": "verwenden Sie QDN Saving",
|
||||
"rating": "bewertung für {{ service }} {{ name }}",
|
||||
"register_name": "sie benötigen einen registrierten Qortal -Namen, um Ihre angestellten Apps vor QDN zu speichern.",
|
||||
"replied_to": "antwortete auf {{ person }}",
|
||||
"revert_default": "umzug zurück",
|
||||
"revert_qdn": "zurück zu QDN zurückkehren",
|
||||
"save_qdn": "speichern auf qdn",
|
||||
"secure_ownership": "Sicheres Eigentum an Daten, die mit Ihrem Namen veröffentlicht wurden. Sie können Ihren Namen sogar zusammen mit Ihren Daten an einen Dritten verkaufen.",
|
||||
"select_file": "Bitte wählen Sie eine Datei aus",
|
||||
"select_image": "Bitte wählen Sie ein Bild für ein Logo",
|
||||
"select_zip": "Wählen Sie .ZIP -Datei mit statischen Inhalten:",
|
||||
"sending": "Senden ...",
|
||||
"settings": "Sie verwenden den Export-/Import -Weg zum Speichern von Einstellungen.",
|
||||
"space_for_admins": "Entschuldigung, dieser Raum gilt nur für Administratoren.",
|
||||
"secure_ownership": "sicheres Eigentum an Daten, die mit Ihrem Namen veröffentlicht wurden. Sie können Ihren Namen sogar zusammen mit Ihren Daten an einen Dritten verkaufen.",
|
||||
"select_file": "bitte wählen Sie eine Datei aus",
|
||||
"select_image": "bitte wählen Sie ein Bild für ein Logo",
|
||||
"select_zip": "wählen Sie .ZIP -Datei mit statischen Inhalten:",
|
||||
"sending": "senden ...",
|
||||
"settings": "sie verwenden den Export-/Import -Weg zum Speichern von Einstellungen.",
|
||||
"space_for_admins": "entschuldigung, dieser Raum gilt nur für Administratoren.",
|
||||
"unread_messages": "ungelesene Nachrichten unten",
|
||||
"unsaved_changes": "Sie haben nicht gespeicherte Änderungen an Ihren angestellten Apps. Speichern Sie sie bei QDN.",
|
||||
"updating": "Aktualisierung"
|
||||
"unsaved_changes": "sie haben nicht gespeicherte Änderungen an Ihren angestellten Apps. Speichern Sie sie bei QDN.",
|
||||
"updating": "aktualisierung"
|
||||
},
|
||||
"message": "Nachricht",
|
||||
"promotion_text": "Promotionstext",
|
||||
"message": "nachricht",
|
||||
"promotion_text": "promotionstext",
|
||||
"question": {
|
||||
"accept_vote_on_poll": "Akzeptieren Sie diese VOTE_ON_POLL -Transaktion? Umfragen sind öffentlich!",
|
||||
"logout": "Sind Sie sicher, dass Sie sich abmelden möchten?",
|
||||
"new_user": "Sind Sie ein neuer Benutzer?",
|
||||
"delete_chat_image": "Möchten Sie Ihr vorheriges Chat -Bild löschen?",
|
||||
"accept_vote_on_poll": "akzeptieren Sie diese VOTE_ON_POLL -Transaktion? Umfragen sind öffentlich!",
|
||||
"logout": "sind Sie sicher, dass Sie sich abmelden möchten?",
|
||||
"new_user": "sind Sie ein neuer Benutzer?",
|
||||
"delete_chat_image": "möchten Sie Ihr vorheriges Chat -Bild löschen?",
|
||||
"perform_transaction": "would you like to perform a {{action}} transaction?",
|
||||
"provide_thread": "Bitte geben Sie einen Thread -Titel an",
|
||||
"publish_app": "Möchten Sie diese App veröffentlichen?",
|
||||
"publish_avatar": "Möchten Sie einen Avatar veröffentlichen?",
|
||||
"publish_qdn": "Möchten Sie Ihre Einstellungen an QDN veröffentlichen (verschlüsselt)?",
|
||||
"overwrite_changes": "Die App konnte Ihre vorhandenen QDN-Saved-Apps nicht herunterladen. Möchten Sie diese Änderungen überschreiben?",
|
||||
"rate_app": "would you like to rate this app a rating of {{ rate }}?. It will create a POLL tx.",
|
||||
"register_name": "Möchten Sie diesen Namen registrieren?",
|
||||
"reset_pinned": "Mögen Sie Ihre aktuellen lokalen Änderungen nicht? Möchten Sie auf die standardmäßigen angestellten Apps zurücksetzen?",
|
||||
"reset_qdn": "Mögen Sie Ihre aktuellen lokalen Änderungen nicht? Möchten Sie auf Ihre gespeicherten QDN -Apps zurücksetzen?",
|
||||
"transfer_qort": "would you like to transfer {{ amount }} QORT"
|
||||
"provide_thread": "bitte geben Sie einen Thread -Titel an",
|
||||
"publish_app": "möchten Sie diese App veröffentlichen?",
|
||||
"publish_avatar": "möchten Sie einen Avatar veröffentlichen?",
|
||||
"publish_qdn": "möchten Sie Ihre Einstellungen an QDN veröffentlichen (verschlüsselt)?",
|
||||
"overwrite_changes": "die App konnte Ihre vorhandenen QDN-Saved-Apps nicht herunterladen. Möchten Sie diese Änderungen überschreiben?",
|
||||
"rate_app": "möchten Sie dieser App eine Bewertung von {{rate}} geben?. Es wird eine POLL -Transaktion erstellt.",
|
||||
"register_name": "möchten Sie diesen Namen registrieren?",
|
||||
"reset_pinned": "mögen Sie Ihre aktuellen lokalen Änderungen nicht? Möchten Sie auf die standardmäßigen angestellten Apps zurücksetzen?",
|
||||
"reset_qdn": "mögen Sie Ihre aktuellen lokalen Änderungen nicht? Möchten Sie auf Ihre gespeicherten QDN -Apps zurücksetzen?",
|
||||
"transfer_qort": "möchten Sie übertragen {{ amount }} QORT"
|
||||
},
|
||||
"status": {
|
||||
"minting": "(Prägung)",
|
||||
"not_minting": "(nicht punktieren)",
|
||||
"synchronized": "synchronisiert",
|
||||
"synchronizing": "Synchronisierung"
|
||||
"synchronizing": "synchronisierung"
|
||||
},
|
||||
"success": {
|
||||
"order_submitted": "Ihre Kaufbestellung wurde eingereicht",
|
||||
"order_submitted": "ihre Kaufbestellung wurde eingereicht",
|
||||
"published": "erfolgreich veröffentlicht. Bitte warten Sie ein paar Minuten, bis das Netzwerk die Änderungen vorschreibt.",
|
||||
"published_qdn": "erfolgreich in QDN veröffentlicht",
|
||||
"rated_app": "erfolgreich bewertet. Bitte warten Sie ein paar Minuten, bis das Netzwerk die Änderungen vorschreibt.",
|
||||
"request_read": "Ich habe diese Anfrage gelesen",
|
||||
"transfer": "Die Übertragung war erfolgreich!",
|
||||
"request_read": "ich habe diese Anfrage gelesen",
|
||||
"transfer": "die Übertragung war erfolgreich!",
|
||||
"voted": "erfolgreich abgestimmt. Bitte warten Sie ein paar Minuten, bis das Netzwerk die Änderungen vorschreibt."
|
||||
}
|
||||
},
|
||||
"minting_status": "Münzstatus",
|
||||
"name": "Name",
|
||||
"name_app": "Name/App",
|
||||
"new_post_in": "new post in {{ title }}",
|
||||
"minting_status": "münzstatus",
|
||||
"name": "name",
|
||||
"name_app": "name/App",
|
||||
"new_post_in": "neuer Beitrag in {{ title }}",
|
||||
"none": "keiner",
|
||||
"note": "Notiz",
|
||||
"option": "Option",
|
||||
"option_other": "Optionen",
|
||||
"note": "notiz",
|
||||
"option": "option",
|
||||
"option_no": "keine Optionen",
|
||||
"option_other": "optionen",
|
||||
"page": {
|
||||
"last": "zuletzt",
|
||||
"first": "Erste",
|
||||
"first": "erste",
|
||||
"next": "nächste",
|
||||
"previous": "vorherige"
|
||||
},
|
||||
"payment_notification": "Zahlungsbenachrichtigung",
|
||||
"poll_embed": "Umfrage Einbettung",
|
||||
"port": "Hafen",
|
||||
"price": "Preis",
|
||||
"payment_notification": "zahlungsbenachrichtigung",
|
||||
"poll_embed": "umfrage Einbettung",
|
||||
"port": "hafen",
|
||||
"price": "preis",
|
||||
"q_apps": {
|
||||
"about": "über diese Q-App",
|
||||
"q_mail": "Q-Mail",
|
||||
@ -338,50 +339,51 @@
|
||||
"q_sandbox": "q-sandbox",
|
||||
"q_wallets": "q-wallets"
|
||||
},
|
||||
"receiver": "Empfänger",
|
||||
"sender": "Absender",
|
||||
"server": "Server",
|
||||
"service_type": "Service -Typ",
|
||||
"settings": "Einstellungen",
|
||||
"receiver": "empfänger",
|
||||
"sender": "absender",
|
||||
"server": "server",
|
||||
"service_type": "service -Typ",
|
||||
"settings": "einstellungen",
|
||||
"sort": {
|
||||
"by_member": "von Mitglied"
|
||||
},
|
||||
"supply": "liefern",
|
||||
"tags": "Tags",
|
||||
"tags": "tags",
|
||||
"theme": {
|
||||
"dark": "dunkel",
|
||||
"dark_mode": "Dunkler Modus",
|
||||
"light": "Licht",
|
||||
"light_mode": "Lichtmodus",
|
||||
"manager": "Themenmanager",
|
||||
"name": "Themenname"
|
||||
"dark_mode": "dunkler Modus",
|
||||
"default": "default theme",
|
||||
"light": "licht",
|
||||
"light_mode": "lichtmodus",
|
||||
"manager": "themenmanager",
|
||||
"name": "themenname"
|
||||
},
|
||||
"thread": "Faden",
|
||||
"thread_other": "Themen",
|
||||
"thread_title": "Threadtitel",
|
||||
"thread": "faden",
|
||||
"thread_other": "themen",
|
||||
"thread_title": "threadtitel",
|
||||
"time": {
|
||||
"day_one": "{{count}} day",
|
||||
"day_other": "{{count}} days",
|
||||
"hour_one": "{{count}} hour",
|
||||
"hour_other": "{{count}} hours",
|
||||
"minute_one": "{{count}} minute",
|
||||
"minute_other": "{{count}} minutes",
|
||||
"time": "Zeit"
|
||||
"day_one": "{{count}} tag",
|
||||
"day_other": "{{count}} tage",
|
||||
"hour_one": "{{count}} Stunden",
|
||||
"hour_other": "{{count}} Stunden",
|
||||
"minute_one": "{{count}} Minute",
|
||||
"minute_other": "{{count}} Minuten",
|
||||
"time": "zeit"
|
||||
},
|
||||
"title": "Titel",
|
||||
"to": "Zu",
|
||||
"tutorial": "Tutorial",
|
||||
"url": "URL",
|
||||
"user_lookup": "Benutzer suchen",
|
||||
"vote": "Abstimmung",
|
||||
"title": "titel",
|
||||
"to": "zu",
|
||||
"tutorial": "tutorial",
|
||||
"url": "uRL",
|
||||
"user_lookup": "benutzer suchen",
|
||||
"vote": "abstimmung",
|
||||
"vote_other": "{{ count }} votes",
|
||||
"zip": "Reißverschluss",
|
||||
"zip": "reißverschluss",
|
||||
"wallet": {
|
||||
"litecoin": "Litecoin -Brieftasche",
|
||||
"litecoin": "litecoin -Brieftasche",
|
||||
"qortal": "Qortal Wallet",
|
||||
"wallet": "Geldbörse",
|
||||
"wallet_other": "Brieftaschen"
|
||||
"wallet": "geldbörse",
|
||||
"wallet_other": "brieftaschen"
|
||||
},
|
||||
"website": "Webseite",
|
||||
"welcome": "Willkommen"
|
||||
}
|
||||
"website": "webseite",
|
||||
"welcome": "willkommen"
|
||||
}
|
||||
|
@ -1,135 +1,134 @@
|
||||
{
|
||||
"action": {
|
||||
"add_promotion": "Werbung hinzufügen",
|
||||
"ban": "Verbot Mitglied aus der Gruppe",
|
||||
"cancel_ban": "Verbot abbrechen",
|
||||
"add_promotion": "werbung hinzufügen",
|
||||
"ban": "verbot Mitglied aus der Gruppe",
|
||||
"cancel_ban": "verbot abbrechen",
|
||||
"copy_private_key": "Kopieren Sie den privaten Schlüssel",
|
||||
"create_group": "Gruppe erstellen",
|
||||
"disable_push_notifications": "Deaktivieren Sie alle Push -Benachrichtigungen",
|
||||
"export_password": "Passwort exportieren",
|
||||
"export_private_key": "Private Schlüssel exportieren",
|
||||
"find_group": "Gruppe finden",
|
||||
"create_group": "gruppe erstellen",
|
||||
"disable_push_notifications": "deaktivieren Sie alle Push -Benachrichtigungen",
|
||||
"export_password": "passwort exportieren",
|
||||
"export_private_key": "private Schlüssel exportieren",
|
||||
"find_group": "gruppe finden",
|
||||
"join_group": "sich der Gruppe anschließen",
|
||||
"kick_member": "Kick -Mitglied aus der Gruppe",
|
||||
"invite_member": "Mitglied einladen",
|
||||
"leave_group": "Gruppe verlassen",
|
||||
"load_members": "Laden Sie Mitglieder mit Namen",
|
||||
"invite_member": "mitglied einladen",
|
||||
"leave_group": "gruppe verlassen",
|
||||
"load_members": "laden Sie Mitglieder mit Namen",
|
||||
"make_admin": "einen Administrator machen",
|
||||
"manage_members": "Mitglieder verwalten",
|
||||
"promote_group": "Fördern Sie Ihre Gruppe zu Nichtmitgliedern",
|
||||
"publish_announcement": "Ankündigung veröffentlichen",
|
||||
"publish_avatar": "Avatar veröffentlichen",
|
||||
"refetch_page": "Refetch -Seite",
|
||||
"manage_members": "mitglieder verwalten",
|
||||
"promote_group": "fördern Sie Ihre Gruppe zu Nichtmitgliedern",
|
||||
"publish_announcement": "ankündigung veröffentlichen",
|
||||
"publish_avatar": "avatar veröffentlichen",
|
||||
"refetch_page": "refetch -Seite",
|
||||
"remove_admin": "als Administrator entfernen",
|
||||
"remove_minting_account": "Münzkonto entfernen",
|
||||
"remove_minting_account": "münzkonto entfernen",
|
||||
"return_to_thread": "Kehren Sie zu Threads zurück",
|
||||
"scroll_bottom": "Scrollen Sie nach unten",
|
||||
"scroll_unread_messages": "Scrollen Sie zu ungelesenen Nachrichten",
|
||||
"select_group": "Wählen Sie eine Gruppe aus",
|
||||
"visit_q_mintership": "Besuchen Sie Q-Mintership"
|
||||
"scroll_bottom": "scrollen Sie nach unten",
|
||||
"scroll_unread_messages": "scrollen Sie zu ungelesenen Nachrichten",
|
||||
"select_group": "wählen Sie eine Gruppe aus",
|
||||
"visit_q_mintership": "besuchen Sie Q-Mintership"
|
||||
},
|
||||
"advanced_options": "Erweiterte Optionen",
|
||||
"ban_list": "Verbotliste",
|
||||
"advanced_options": "erweiterte Optionen",
|
||||
"block_delay": {
|
||||
"minimum": "Mindestblockverzögerung",
|
||||
"maximum": "Maximale Blockverzögerung"
|
||||
"minimum": "mindestblockverzögerung",
|
||||
"maximum": "maximale Blockverzögerung"
|
||||
},
|
||||
"group": {
|
||||
"approval_threshold": "Gruppengenehmigungsschwelle",
|
||||
"avatar": "Gruppe Avatar",
|
||||
"approval_threshold": "gruppengenehmigungsschwelle",
|
||||
"avatar": "gruppe Avatar",
|
||||
"closed": "geschlossen (privat) - Benutzer benötigen die Erlaubnis, sich anzuschließen",
|
||||
"description": "Beschreibung der Gruppe",
|
||||
"id": "Gruppen -ID",
|
||||
"invites": "Gruppe lädt ein",
|
||||
"group": "Gruppe",
|
||||
"description": "beschreibung der Gruppe",
|
||||
"id": "gruppen -ID",
|
||||
"invites": "gruppe lädt ein",
|
||||
"group": "gruppe",
|
||||
"group_name": "group: {{ name }}",
|
||||
"group_other": "Gruppen",
|
||||
"groups_admin": "Gruppen, in denen Sie Administrator sind",
|
||||
"management": "Gruppenmanagement",
|
||||
"member_number": "Anzahl der Mitglieder",
|
||||
"messaging": "Nachrichten",
|
||||
"name": "Gruppenname",
|
||||
"group_other": "gruppen",
|
||||
"groups_admin": "gruppen, in denen Sie Administrator sind",
|
||||
"management": "gruppenmanagement",
|
||||
"member_number": "anzahl der Mitglieder",
|
||||
"messaging": "nachrichten",
|
||||
"name": "gruppenname",
|
||||
"open": "offen (öffentlich)",
|
||||
"private": "Privatgruppe",
|
||||
"promotions": "Gruppenförderungen",
|
||||
"private": "privatgruppe",
|
||||
"promotions": "gruppenförderungen",
|
||||
"public": "öffentliche Gruppe",
|
||||
"type": "Gruppentyp"
|
||||
"type": "gruppentyp"
|
||||
},
|
||||
"invitation_expiry": "Einladungszeit",
|
||||
"invitation_expiry": "einladungszeit",
|
||||
"invitees_list": "lädt die Liste ein",
|
||||
"join_link": "Gruppenverbindung beibringen",
|
||||
"join_requests": "Schließen Sie Anfragen an",
|
||||
"join_link": "gruppenverbindung beibringen",
|
||||
"join_requests": "schließen Sie Anfragen an",
|
||||
"last_message": "letzte Nachricht",
|
||||
"last_message_date": "last message: {{date }}",
|
||||
"latest_mails": "Letzte Q-Mails",
|
||||
"latest_mails": "letzte Q-Mails",
|
||||
"message": {
|
||||
"generic": {
|
||||
"avatar_publish_fee": "publishing an Avatar requires {{ fee }}",
|
||||
"avatar_registered_name": "Ein registrierter Name ist erforderlich, um einen Avatar festzulegen",
|
||||
"admin_only": "Es werden nur Gruppen angezeigt, in denen Sie ein Administrator sind",
|
||||
"already_in_group": "Sie sind bereits in dieser Gruppe!",
|
||||
"block_delay_minimum": "Mindestblockverzögerung für Gruppentransaktionsgenehmigungen",
|
||||
"block_delay_maximum": "Maximale Blockverzögerung für Gruppentransaktionsgenehmigungen",
|
||||
"closed_group": "Dies ist eine geschlossene/private Gruppe, daher müssen Sie warten, bis ein Administrator Ihre Anfrage annimmt",
|
||||
"descrypt_wallet": "Brieftasche entschlüsseln ...",
|
||||
"encryption_key": "Der erste gemeinsame Verschlüsselungsschlüssel der Gruppe befindet sich im Erstellungsprozess. Bitte warten Sie ein paar Minuten, bis es vom Netzwerk abgerufen wird. Alle 2 Minuten überprüfen ...",
|
||||
"group_announcement": "Gruppenankündigungen",
|
||||
"group_approval_threshold": "Gruppengenehmigungsschwelle (Anzahl / Prozentsatz der Administratoren, die eine Transaktion genehmigen müssen)",
|
||||
"group_encrypted": "Gruppe verschlüsselt",
|
||||
"avatar_registered_name": "ein registrierter Name ist erforderlich, um einen Avatar festzulegen",
|
||||
"admin_only": "es werden nur Gruppen angezeigt, in denen Sie ein Administrator sind",
|
||||
"already_in_group": "sie sind bereits in dieser Gruppe!",
|
||||
"block_delay_minimum": "mindestblockverzögerung für Gruppentransaktionsgenehmigungen",
|
||||
"block_delay_maximum": "maximale Blockverzögerung für Gruppentransaktionsgenehmigungen",
|
||||
"closed_group": "dies ist eine geschlossene/private Gruppe, daher müssen Sie warten, bis ein Administrator Ihre Anfrage annimmt",
|
||||
"descrypt_wallet": "brieftasche entschlüsseln ...",
|
||||
"encryption_key": "der erste gemeinsame Verschlüsselungsschlüssel der Gruppe befindet sich im Erstellungsprozess. Bitte warten Sie ein paar Minuten, bis es vom Netzwerk abgerufen wird. Alle 2 Minuten überprüfen ...",
|
||||
"group_announcement": "gruppenankündigungen",
|
||||
"group_approval_threshold": "gruppengenehmigungsschwelle (Anzahl / Prozentsatz der Administratoren, die eine Transaktion genehmigen müssen)",
|
||||
"group_encrypted": "gruppe verschlüsselt",
|
||||
"group_invited_you": "{{group}} has invited you",
|
||||
"group_key_created": "Erster Gruppenschlüssel erstellt.",
|
||||
"group_member_list_changed": "Die Gruppenmitglied -Liste hat sich geändert. Bitte entschlüsseln Sie den geheimen Schlüssel erneut.",
|
||||
"group_no_secret_key": "Es gibt keinen Gruppengeheimnis. Seien Sie der erste Administrator, der einen veröffentlicht!",
|
||||
"group_secret_key_no_owner": "Der neueste Gruppengeheimnis wurde von einem Nichtbesitzer veröffentlicht. Als Eigentümer der Gruppe können Sie bitte den Schlüssel als Sicherheitsgrad erneut entschlüsseln.",
|
||||
"invalid_content": "Ungültiger Inhalt, Absender oder Zeitstempel in Reaktionsdaten",
|
||||
"invalid_data": "Fehler laden Inhalt: Ungültige Daten",
|
||||
"latest_promotion": "Für Ihre Gruppe wird nur die letzte Aktion der Woche angezeigt.",
|
||||
"loading_members": "Laden Sie die Mitgliedsliste mit Namen ... Bitte warten Sie.",
|
||||
"group_key_created": "erster Gruppenschlüssel erstellt.",
|
||||
"group_member_list_changed": "die Gruppenmitglied -Liste hat sich geändert. Bitte entschlüsseln Sie den geheimen Schlüssel erneut.",
|
||||
"group_no_secret_key": "es gibt keinen Gruppengeheimnis. Seien Sie der erste Administrator, der einen veröffentlicht!",
|
||||
"group_secret_key_no_owner": "der neueste Gruppengeheimnis wurde von einem Nichtbesitzer veröffentlicht. Als Eigentümer der Gruppe können Sie bitte den Schlüssel als Sicherheitsgrad erneut entschlüsseln.",
|
||||
"invalid_content": "ungültiger Inhalt, Absender oder Zeitstempel in Reaktionsdaten",
|
||||
"invalid_data": "fehler laden Inhalt: Ungültige Daten",
|
||||
"latest_promotion": "für Ihre Gruppe wird nur die letzte Aktion der Woche angezeigt.",
|
||||
"loading_members": "laden Sie die Mitgliedsliste mit Namen ... Bitte warten Sie.",
|
||||
"max_chars": "max. 200 Zeichen. Gebühr veröffentlichen",
|
||||
"manage_minting": "Verwalten Sie Ihr Pressen",
|
||||
"minter_group": "Sie sind derzeit nicht Teil der Minter -Gruppe",
|
||||
"mintership_app": "Besuchen Sie die Q-Mintership-App, um sich als Minter zu bewerben",
|
||||
"minting_account": "Meilenkonto:",
|
||||
"minting_keys_per_node": "Per Knoten sind nur 2 Münzschlüssel zulässig. Bitte entfernen Sie eine, wenn Sie mit diesem Konto minken möchten.",
|
||||
"minting_keys_per_node_different": "Per Knoten sind nur 2 Münzschlüssel zulässig. Bitte entfernen Sie eines, wenn Sie ein anderes Konto hinzufügen möchten.",
|
||||
"next_level": "Blöcke verbleiben bis zum nächsten Level:",
|
||||
"node_minting": "Dieser Knoten spielt:",
|
||||
"node_minting_account": "Node's Pinning Accounts",
|
||||
"node_minting_key": "Sie haben derzeit einen Müngungsschlüssel für dieses Konto an diesem Knoten beigefügt",
|
||||
"manage_minting": "verwalten Sie Ihr Pressen",
|
||||
"minter_group": "sie sind derzeit nicht Teil der Minter -Gruppe",
|
||||
"mintership_app": "besuchen Sie die Q-Mintership-App, um sich als Minter zu bewerben",
|
||||
"minting_account": "meilenkonto:",
|
||||
"minting_keys_per_node": "per Knoten sind nur 2 Münzschlüssel zulässig. Bitte entfernen Sie eine, wenn Sie mit diesem Konto minken möchten.",
|
||||
"minting_keys_per_node_different": "per Knoten sind nur 2 Münzschlüssel zulässig. Bitte entfernen Sie eines, wenn Sie ein anderes Konto hinzufügen möchten.",
|
||||
"next_level": "blöcke verbleiben bis zum nächsten Level:",
|
||||
"node_minting": "dieser Knoten spielt:",
|
||||
"node_minting_account": "node's Pinning Accounts",
|
||||
"node_minting_key": "sie haben derzeit einen Müngungsschlüssel für dieses Konto an diesem Knoten beigefügt",
|
||||
"no_announcement": "Keine Ankündigungen",
|
||||
"no_display": "Nichts zu zeigen",
|
||||
"no_display": "nichts zu zeigen",
|
||||
"no_selection": "Keine Gruppe ausgewählt",
|
||||
"not_part_group": "Sie sind nicht Teil der verschlüsselten Gruppe von Mitgliedern. Warten Sie, bis ein Administrator die Schlüssel erneut entschlüsselt.",
|
||||
"only_encrypted": "Es werden nur unverschlüsselte Nachrichten angezeigt.",
|
||||
"only_private_groups": "Es werden nur private Gruppen gezeigt",
|
||||
"not_part_group": "sie sind nicht Teil der verschlüsselten Gruppe von Mitgliedern. Warten Sie, bis ein Administrator die Schlüssel erneut entschlüsselt.",
|
||||
"only_encrypted": "es werden nur unverschlüsselte Nachrichten angezeigt.",
|
||||
"only_private_groups": "es werden nur private Gruppen gezeigt",
|
||||
"pending_join_requests": "{{ group }} has {{ count }} pending join requests",
|
||||
"private_key_copied": "Privatschlüssel kopiert",
|
||||
"provide_message": "Bitte geben Sie dem Thread eine erste Nachricht an",
|
||||
"secure_place": "Halten Sie Ihren privaten Schlüssel an einem sicheren Ort. Teilen Sie nicht!",
|
||||
"setting_group": "Gruppe einrichten ... bitte warten."
|
||||
"private_key_copied": "privatschlüssel kopiert",
|
||||
"provide_message": "bitte geben Sie dem Thread eine erste Nachricht an",
|
||||
"secure_place": "halten Sie Ihren privaten Schlüssel an einem sicheren Ort. Teilen Sie nicht!",
|
||||
"setting_group": "gruppe einrichten ... bitte warten."
|
||||
},
|
||||
"error": {
|
||||
"access_name": "Eine Nachricht kann nicht ohne Zugriff auf Ihren Namen gesendet werden",
|
||||
"descrypt_wallet": "error decrypting wallet {{ :errorMessage }}",
|
||||
"description_required": "Bitte geben Sie eine Beschreibung an",
|
||||
"access_name": "eine Nachricht kann nicht ohne Zugriff auf Ihren Namen gesendet werden",
|
||||
"descrypt_wallet": "error decrypting wallet {{ message }}",
|
||||
"description_required": "bitte geben Sie eine Beschreibung an",
|
||||
"group_info": "kann nicht auf Gruppeninformationen zugreifen",
|
||||
"group_join": "versäumte es, sich der Gruppe anzuschließen",
|
||||
"group_promotion": "Fehler veröffentlichen die Promotion. Bitte versuchen Sie es erneut",
|
||||
"group_promotion": "fehler veröffentlichen die Promotion. Bitte versuchen Sie es erneut",
|
||||
"group_secret_key": "kann Gruppengeheimschlüssel nicht bekommen",
|
||||
"name_required": "Bitte geben Sie einen Namen an",
|
||||
"notify_admins": "Versuchen Sie, einen Administrator aus der Liste der folgenden Administratoren zu benachrichtigen:",
|
||||
"name_required": "bitte geben Sie einen Namen an",
|
||||
"notify_admins": "versuchen Sie, einen Administrator aus der Liste der folgenden Administratoren zu benachrichtigen:",
|
||||
"qortals_required": "you need at least {{ quantity }} QORT to send a message",
|
||||
"timeout_reward": "Auszeitlimitwartung auf Belohnung Aktienbestätigung",
|
||||
"thread_id": "Thread -ID kann nicht suchen",
|
||||
"timeout_reward": "auszeitlimitwartung auf Belohnung Aktienbestätigung",
|
||||
"thread_id": "thread -ID kann nicht suchen",
|
||||
"unable_determine_group_private": "kann nicht feststellen, ob die Gruppe privat ist",
|
||||
"unable_minting": "Es kann nicht mit dem Messen beginnen"
|
||||
"unable_minting": "es kann nicht mit dem Messen beginnen"
|
||||
},
|
||||
"success": {
|
||||
"group_ban": "erfolgreich verbotenes Mitglied von Group. Es kann ein paar Minuten dauern, bis sich die Änderungen der Verbreitung verbreiten",
|
||||
"group_creation": "erfolgreich erstellte Gruppe. Es kann ein paar Minuten dauern, bis sich die Änderungen der Verbreitung verbreiten",
|
||||
"group_creation_name": "created group {{group_name}}: awaiting confirmation",
|
||||
"group_creation_label": "created group {{name}}: success!",
|
||||
"group_invite": "successfully invited {{value}}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_invite": "successfully invited {{ invitee }}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_join": "erfolgreich gebeten, sich der Gruppe anzuschließen. Es kann ein paar Minuten dauern, bis sich die Änderungen der Verbreitung verbreiten",
|
||||
"group_join_name": "joined group {{group_name}}: awaiting confirmation",
|
||||
"group_join_label": "joined group {{name}}: success!",
|
||||
@ -143,24 +142,24 @@
|
||||
"group_promotion": "erfolgreich veröffentlichte Promotion. Es kann ein paar Minuten dauern, bis die Beförderung erscheint",
|
||||
"group_remove_member": "erfolgreich als Administrator entfernt. Es kann ein paar Minuten dauern, bis sich die Änderungen der Verbreitung verbreiten",
|
||||
"invitation_cancellation": "erfolgreich stornierte Einladung. Es kann ein paar Minuten dauern, bis sich die Änderungen der Verbreitung verbreiten",
|
||||
"invitation_request": "Akzeptierte Join -Anfrage: Warten auf Bestätigung",
|
||||
"loading_threads": "Threads laden ... bitte warten.",
|
||||
"invitation_request": "akzeptierte Join -Anfrage: Warten auf Bestätigung",
|
||||
"loading_threads": "threads laden ... bitte warten.",
|
||||
"post_creation": "erfolgreich erstellte Post. Es kann einige Zeit dauern, bis sich die Veröffentlichung vermehrt",
|
||||
"published_secret_key": "published secret key for group {{ group_id }}: awaiting confirmation",
|
||||
"published_secret_key_label": "published secret key for group {{ group_id }}: success!",
|
||||
"registered_name": "erfolgreich registriert. Es kann ein paar Minuten dauern, bis sich die Änderungen der Verbreitung verbreiten",
|
||||
"registered_name_label": "Registrierter Name: Warten auf Bestätigung. Dies kann ein paar Minuten dauern.",
|
||||
"registered_name_success": "Registrierter Name: Erfolg!",
|
||||
"rewardshare_add": "Fügen Sie Belohnung hinzu: Warten auf Bestätigung",
|
||||
"rewardshare_add_label": "Fügen Sie Belohnungen hinzu: Erfolg!",
|
||||
"rewardshare_creation": "Bestätigung der Schaffung von Belohnungen in der Kette. Bitte sei geduldig, dies könnte bis zu 90 Sekunden dauern.",
|
||||
"rewardshare_confirmed": "Belohnung bestätigt. Bitte klicken Sie auf Weiter.",
|
||||
"rewardshare_remove": "Entfernen Sie Belohnungen: Warten auf Bestätigung",
|
||||
"rewardshare_remove_label": "Entfernen Sie Belohnung: Erfolg!",
|
||||
"registered_name_label": "registrierter Name: Warten auf Bestätigung. Dies kann ein paar Minuten dauern.",
|
||||
"registered_name_success": "registrierter Name: Erfolg!",
|
||||
"rewardshare_add": "fügen Sie Belohnung hinzu: Warten auf Bestätigung",
|
||||
"rewardshare_add_label": "fügen Sie Belohnungen hinzu: Erfolg!",
|
||||
"rewardshare_creation": "bestätigung der Schaffung von Belohnungen in der Kette. Bitte sei geduldig, dies könnte bis zu 90 Sekunden dauern.",
|
||||
"rewardshare_confirmed": "belohnung bestätigt. Bitte klicken Sie auf Weiter.",
|
||||
"rewardshare_remove": "entfernen Sie Belohnungen: Warten auf Bestätigung",
|
||||
"rewardshare_remove_label": "entfernen Sie Belohnung: Erfolg!",
|
||||
"thread_creation": "erfolgreich erstellter Thread. Es kann einige Zeit dauern, bis sich die Veröffentlichung vermehrt",
|
||||
"unbanned_user": "erfolgreich ungebannter Benutzer. Es kann ein paar Minuten dauern, bis sich die Änderungen der Verbreitung verbreiten",
|
||||
"user_joined": "Benutzer erfolgreich beigetreten!"
|
||||
"user_joined": "benutzer erfolgreich beigetreten!"
|
||||
}
|
||||
},
|
||||
"thread_posts": "Neue Thread -Beiträge"
|
||||
}
|
||||
"thread_posts": "neue Thread -Beiträge"
|
||||
}
|
||||
|
@ -1,184 +1,184 @@
|
||||
{
|
||||
"accept_app_fee": "App -Gebühr akzeptieren",
|
||||
"always_authenticate": "Immer automatisch authentifizieren",
|
||||
"always_chat_messages": "Erlauben Sie immer Chat -Nachrichten von dieser App",
|
||||
"always_retrieve_balance": "Lassen Sie das Gleichgewicht immer automatisch abgerufen",
|
||||
"always_retrieve_list": "Lassen Sie die Listen immer automatisch abgerufen",
|
||||
"always_retrieve_wallet": "Lassen Sie die Brieftasche immer automatisch abgerufen",
|
||||
"always_retrieve_wallet_transactions": "Lassen Sie die Brieftaschentransaktionen immer automatisch abgerufen",
|
||||
"accept_app_fee": "app -Gebühr akzeptieren",
|
||||
"always_authenticate": "immer automatisch authentifizieren",
|
||||
"always_chat_messages": "erlauben Sie immer Chat -Nachrichten von dieser App",
|
||||
"always_retrieve_balance": "lassen Sie das Gleichgewicht immer automatisch abgerufen",
|
||||
"always_retrieve_list": "lassen Sie die Listen immer automatisch abgerufen",
|
||||
"always_retrieve_wallet": "lassen Sie die Brieftasche immer automatisch abgerufen",
|
||||
"always_retrieve_wallet_transactions": "lassen Sie die Brieftaschentransaktionen immer automatisch abgerufen",
|
||||
"amount_qty": "amount: {{ quantity }}",
|
||||
"asset_name": "asset: {{ asset }}",
|
||||
"assets_used_pay": "asset used in payments: {{ asset }}",
|
||||
"coin": "coin: {{ coin }}",
|
||||
"description": "description: {{ description }}",
|
||||
"deploy_at": "Möchten Sie dies einsetzen?",
|
||||
"download_file": "Möchten Sie herunterladen:",
|
||||
"deploy_at": "möchten Sie dies einsetzen?",
|
||||
"download_file": "möchten Sie herunterladen:",
|
||||
"message": {
|
||||
"error": {
|
||||
"add_to_list": "fehlgeschlagen zur Liste",
|
||||
"at_info": "kann bei Info nicht finden.",
|
||||
"buy_order": "Versäumnis, Handelsbestellung einzureichen",
|
||||
"cancel_sell_order": "Die Verkaufsbestellung nicht kündigte. Versuchen Sie es erneut!",
|
||||
"copy_clipboard": "Versäumt, in die Zwischenablage zu kopieren",
|
||||
"create_sell_order": "Die Verkaufsbestellung nicht erstellt. Versuchen Sie es erneut!",
|
||||
"create_tradebot": "TradeBot kann nicht erstellen",
|
||||
"decode_transaction": "Transaktion nicht dekodieren",
|
||||
"buy_order": "versäumnis, Handelsbestellung einzureichen",
|
||||
"cancel_sell_order": "die Verkaufsbestellung nicht kündigte. Versuchen Sie es erneut!",
|
||||
"copy_clipboard": "versäumt, in die Zwischenablage zu kopieren",
|
||||
"create_sell_order": "die Verkaufsbestellung nicht erstellt. Versuchen Sie es erneut!",
|
||||
"create_tradebot": "tradeBot kann nicht erstellen",
|
||||
"decode_transaction": "transaktion nicht dekodieren",
|
||||
"decrypt": "nicht in der Lage zu entschlüsseln",
|
||||
"decrypt_message": "Die Nachricht nicht entschlüsselt. Stellen Sie sicher, dass die Daten und Schlüssel korrekt sind",
|
||||
"decryption_failed": "Die Entschlüsselung fehlgeschlagen",
|
||||
"empty_receiver": "Der Empfänger kann nicht leer sein!",
|
||||
"encrypt": "Verschlüsseln nicht in der Lage",
|
||||
"encryption_failed": "Verschlüsselung fehlgeschlagen",
|
||||
"encryption_requires_public_key": "Die Verschlüsselung von Daten erfordert öffentliche Schlüssel",
|
||||
"decrypt_message": "die Nachricht nicht entschlüsselt. Stellen Sie sicher, dass die Daten und Schlüssel korrekt sind",
|
||||
"decryption_failed": "die Entschlüsselung fehlgeschlagen",
|
||||
"empty_receiver": "der Empfänger kann nicht leer sein!",
|
||||
"encrypt": "verschlüsseln nicht in der Lage",
|
||||
"encryption_failed": "verschlüsselung fehlgeschlagen",
|
||||
"encryption_requires_public_key": "die Verschlüsselung von Daten erfordert öffentliche Schlüssel",
|
||||
"fetch_balance_token": "failed to fetch {{ token }} Balance. Try again!",
|
||||
"fetch_balance": "Gleichgewicht kann nicht abrufen",
|
||||
"fetch_connection_history": "Der Serververbindungsverlauf fehlte nicht",
|
||||
"fetch_balance": "gleichgewicht kann nicht abrufen",
|
||||
"fetch_connection_history": "der Serververbindungsverlauf fehlte nicht",
|
||||
"fetch_generic": "kann nicht holen",
|
||||
"fetch_group": "versäumte die Gruppe, die Gruppe zu holen",
|
||||
"fetch_list": "Die Liste versäumt es, die Liste zu holen",
|
||||
"fetch_poll": "Umfrage nicht abzuholen",
|
||||
"fetch_list": "die Liste versäumt es, die Liste zu holen",
|
||||
"fetch_poll": "umfrage nicht abzuholen",
|
||||
"fetch_recipient_public_key": "versäumte es, den öffentlichen Schlüssel des Empfängers zu holen",
|
||||
"fetch_wallet_info": "Wallet -Informationen können nicht abrufen",
|
||||
"fetch_wallet_transactions": "Brieftaschentransaktionen können nicht abrufen",
|
||||
"fetch_wallet": "Fetch Wallet fehlgeschlagen. Bitte versuchen Sie es erneut",
|
||||
"file_extension": "Eine Dateierweiterung konnte nicht abgeleitet werden",
|
||||
"fetch_wallet_info": "wallet -Informationen können nicht abrufen",
|
||||
"fetch_wallet_transactions": "brieftaschentransaktionen können nicht abrufen",
|
||||
"fetch_wallet": "fetch Wallet fehlgeschlagen. Bitte versuchen Sie es erneut",
|
||||
"file_extension": "eine Dateierweiterung konnte nicht abgeleitet werden",
|
||||
"gateway_balance_local_node": "cannot view {{ token }} balance through the gateway. Please use your local node.",
|
||||
"gateway_non_qort_local_node": "Eine Nicht-Qort-Münze kann nicht durch das Gateway schicken. Bitte benutzen Sie Ihren lokalen Knoten.",
|
||||
"gateway_non_qort_local_node": "eine Nicht-Qort-Münze kann nicht durch das Gateway schicken. Bitte benutzen Sie Ihren lokalen Knoten.",
|
||||
"gateway_retrieve_balance": "retrieving {{ token }} balance is not allowed through a gateway",
|
||||
"gateway_wallet_local_node": "cannot view {{ token }} wallet through the gateway. Please use your local node.",
|
||||
"get_foreign_fee": "Fehler in der Auslandsgebühr erhalten",
|
||||
"insufficient_balance_qort": "Ihr Qortenbilanz ist unzureichend",
|
||||
"insufficient_balance": "Ihr Vermögensguthaben ist nicht ausreichend",
|
||||
"get_foreign_fee": "fehler in der Auslandsgebühr erhalten",
|
||||
"insufficient_balance_qort": "ihr Qortenbilanz ist unzureichend",
|
||||
"insufficient_balance": "ihr Vermögensguthaben ist nicht ausreichend",
|
||||
"insufficient_funds": "unzureichende Mittel",
|
||||
"invalid_encryption_iv": "Ungültiges IV: AES-GCM benötigt einen 12-Byte IV",
|
||||
"invalid_encryption_key": "Ungültiger Schlüssel: AES-GCM erfordert einen 256-Bit-Schlüssel.",
|
||||
"invalid_fullcontent": "Field Fullcontent befindet sich in einem ungültigen Format. Verwenden Sie entweder eine Zeichenfolge, Base64 oder ein Objekt",
|
||||
"invalid_encryption_iv": "ungültiges IV: AES-GCM benötigt einen 12-Byte IV",
|
||||
"invalid_encryption_key": "ungültiger Schlüssel: AES-GCM erfordert einen 256-Bit-Schlüssel.",
|
||||
"invalid_fullcontent": "field Fullcontent befindet sich in einem ungültigen Format. Verwenden Sie entweder eine Zeichenfolge, Base64 oder ein Objekt",
|
||||
"invalid_receiver": "ungültige Empfängeradresse oder Name",
|
||||
"invalid_type": "Ungültiger Typ",
|
||||
"mime_type": "Ein Mimetyp konnte nicht abgeleitet werden",
|
||||
"invalid_type": "ungültiger Typ",
|
||||
"mime_type": "ein Mimetyp konnte nicht abgeleitet werden",
|
||||
"missing_fields": "missing fields: {{ fields }}",
|
||||
"name_already_for_sale": "Dieser Name steht bereits zum Verkauf an",
|
||||
"name_not_for_sale": "Dieser Name steht nicht zum Verkauf",
|
||||
"name_already_for_sale": "dieser Name steht bereits zum Verkauf an",
|
||||
"name_not_for_sale": "dieser Name steht nicht zum Verkauf",
|
||||
"no_api_found": "Keine nutzbare API gefunden",
|
||||
"no_data_encrypted_resource": "Keine Daten in der verschlüsselten Ressource",
|
||||
"no_data_file_submitted": "Es wurden keine Daten oder Dateien eingereicht",
|
||||
"no_group_found": "Gruppe nicht gefunden",
|
||||
"no_data_file_submitted": "es wurden keine Daten oder Dateien eingereicht",
|
||||
"no_group_found": "gruppe nicht gefunden",
|
||||
"no_group_key": "Kein Gruppenschlüssel gefunden",
|
||||
"no_poll": "Umfrage nicht gefunden",
|
||||
"no_poll": "umfrage nicht gefunden",
|
||||
"no_resources_publish": "Keine Ressourcen für die Veröffentlichung",
|
||||
"node_info": "Nicht abrufen Knoteninformationen",
|
||||
"node_status": "Der Status des Knotens konnte nicht abgerufen werden",
|
||||
"only_encrypted_data": "Nur verschlüsselte Daten können in private Dienste eingehen",
|
||||
"perform_request": "Die Anfrage versäumte es, Anfrage auszuführen",
|
||||
"poll_create": "Umfrage nicht zu erstellen",
|
||||
"node_info": "nicht abrufen Knoteninformationen",
|
||||
"node_status": "der Status des Knotens konnte nicht abgerufen werden",
|
||||
"only_encrypted_data": "nur verschlüsselte Daten können in private Dienste eingehen",
|
||||
"perform_request": "die Anfrage versäumte es, Anfrage auszuführen",
|
||||
"poll_create": "umfrage nicht zu erstellen",
|
||||
"poll_vote": "versäumte es, über die Umfrage abzustimmen",
|
||||
"process_transaction": "Transaktion kann nicht verarbeitet werden",
|
||||
"provide_key_shared_link": "Für eine verschlüsselte Ressource müssen Sie den Schlüssel zum Erstellen des freigegebenen Links bereitstellen",
|
||||
"registered_name": "Für die Veröffentlichung ist ein registrierter Name erforderlich",
|
||||
"resources_publish": "Einige Ressourcen haben nicht veröffentlicht",
|
||||
"process_transaction": "transaktion kann nicht verarbeitet werden",
|
||||
"provide_key_shared_link": "für eine verschlüsselte Ressource müssen Sie den Schlüssel zum Erstellen des freigegebenen Links bereitstellen",
|
||||
"registered_name": "für die Veröffentlichung ist ein registrierter Name erforderlich",
|
||||
"resources_publish": "einige Ressourcen haben nicht veröffentlicht",
|
||||
"retrieve_file": "fehlgeschlagene Datei abrufen",
|
||||
"retrieve_keys": "Schlüsseln können nicht abgerufen werden",
|
||||
"retrieve_summary": "Die Zusammenfassung versäumte es nicht, eine Zusammenfassung abzurufen",
|
||||
"retrieve_keys": "schlüsseln können nicht abgerufen werden",
|
||||
"retrieve_summary": "die Zusammenfassung versäumte es nicht, eine Zusammenfassung abzurufen",
|
||||
"retrieve_sync_status": "error in retrieving {{ token }} sync status",
|
||||
"same_foreign_blockchain": "Alle angeforderten ATs müssen die gleiche fremde Blockchain haben.",
|
||||
"same_foreign_blockchain": "alle angeforderten ATs müssen die gleiche fremde Blockchain haben.",
|
||||
"send": "nicht senden",
|
||||
"server_current_add": "Der aktuelle Server fügte nicht hinzu",
|
||||
"server_current_set": "Der aktuelle Server hat nicht festgelegt",
|
||||
"server_info": "Fehler beim Abrufen von Serverinformationen",
|
||||
"server_remove": "Server nicht entfernen",
|
||||
"submit_sell_order": "Die Verkaufsbestellung versäumte es nicht",
|
||||
"server_current_add": "der aktuelle Server fügte nicht hinzu",
|
||||
"server_current_set": "der aktuelle Server hat nicht festgelegt",
|
||||
"server_info": "fehler beim Abrufen von Serverinformationen",
|
||||
"server_remove": "server nicht entfernen",
|
||||
"submit_sell_order": "die Verkaufsbestellung versäumte es nicht",
|
||||
"synchronization_attempts": "failed to synchronize after {{ quantity }} attempts",
|
||||
"timeout_request": "zeitlich anfordern",
|
||||
"token_not_supported": "{{ token }} is not supported for this call",
|
||||
"transaction_activity_summary": "Fehler in der Transaktionsaktivitätszusammenfassung",
|
||||
"unknown_error": "Unbekannter Fehler",
|
||||
"transaction_activity_summary": "fehler in der Transaktionsaktivitätszusammenfassung",
|
||||
"unknown_error": "unbekannter Fehler",
|
||||
"unknown_admin_action_type": "unknown admin action type: {{ type }}",
|
||||
"update_foreign_fee": "Versäumte Aktualisierung der Auslandsgebühr",
|
||||
"update_tradebot": "TradeBot kann nicht aktualisiert werden",
|
||||
"upload_encryption": "Der Upload ist aufgrund fehlgeschlagener Verschlüsselung fehlgeschlagen",
|
||||
"upload": "Upload fehlgeschlagen",
|
||||
"use_private_service": "Für eine verschlüsselte Veröffentlichung verwenden Sie bitte einen Dienst, der mit _Private endet",
|
||||
"user_qortal_name": "Der Benutzer hat keinen Qortalnamen"
|
||||
"update_foreign_fee": "versäumte Aktualisierung der Auslandsgebühr",
|
||||
"update_tradebot": "tradeBot kann nicht aktualisiert werden",
|
||||
"upload_encryption": "der Upload ist aufgrund fehlgeschlagener Verschlüsselung fehlgeschlagen",
|
||||
"upload": "upload fehlgeschlagen",
|
||||
"use_private_service": "für eine verschlüsselte Veröffentlichung verwenden Sie bitte einen Dienst, der mit _Private endet",
|
||||
"user_qortal_name": "der Benutzer hat keinen Qortalnamen"
|
||||
},
|
||||
"generic": {
|
||||
"calculate_fee": "*the {{ amount }} sats fee is derived from {{ rate }} sats per kb, for a transaction that is approximately 300 bytes in size.",
|
||||
"confirm_join_group": "Bestätigen Sie, sich der Gruppe anzuschließen:",
|
||||
"include_data_decrypt": "Bitte geben Sie Daten zum Entschlüsseln ein",
|
||||
"include_data_encrypt": "Bitte geben Sie Daten zum Verschlüsseln ein",
|
||||
"max_retry_transaction": "Max -Wiederholungen erreichten. Transaktion überspringen.",
|
||||
"no_action_public_node": "Diese Aktion kann nicht über einen öffentlichen Knoten durchgeführt werden",
|
||||
"private_service": "Bitte nutzen Sie einen privaten Service",
|
||||
"provide_group_id": "Bitte geben Sie eine GroupID an",
|
||||
"read_transaction_carefully": "Lesen Sie die Transaktion sorgfältig durch, bevor Sie akzeptieren!",
|
||||
"user_declined_add_list": "Der Benutzer lehnte es ab, zur Liste hinzugefügt zu werden",
|
||||
"user_declined_delete_from_list": "Der Benutzer lehnte es ab, aus der Liste zu löschen",
|
||||
"user_declined_delete_hosted_resources": "Der Benutzer lehnte ab löschte gehostete Ressourcen",
|
||||
"user_declined_join": "Der Benutzer lehnte es ab, sich der Gruppe anzuschließen",
|
||||
"user_declined_list": "Der Benutzer lehnte es ab, eine Liste der gehosteten Ressourcen zu erhalten",
|
||||
"user_declined_request": "Der Benutzer lehnte die Anfrage ab",
|
||||
"user_declined_save_file": "Der Benutzer lehnte es ab, Datei zu speichern",
|
||||
"user_declined_send_message": "Der Benutzer lehnte es ab, eine Nachricht zu senden",
|
||||
"user_declined_share_list": "Der Benutzer lehnte es ab, die Liste zu teilen"
|
||||
"confirm_join_group": "bestätigen Sie, sich der Gruppe anzuschließen:",
|
||||
"include_data_decrypt": "bitte geben Sie Daten zum Entschlüsseln ein",
|
||||
"include_data_encrypt": "bitte geben Sie Daten zum Verschlüsseln ein",
|
||||
"max_retry_transaction": "max -Wiederholungen erreichten. Transaktion überspringen.",
|
||||
"no_action_public_node": "diese Aktion kann nicht über einen öffentlichen Knoten durchgeführt werden",
|
||||
"private_service": "bitte nutzen Sie einen privaten Service",
|
||||
"provide_group_id": "bitte geben Sie eine GroupID an",
|
||||
"read_transaction_carefully": "lesen Sie die Transaktion sorgfältig durch, bevor Sie akzeptieren!",
|
||||
"user_declined_add_list": "der Benutzer lehnte es ab, zur Liste hinzugefügt zu werden",
|
||||
"user_declined_delete_from_list": "der Benutzer lehnte es ab, aus der Liste zu löschen",
|
||||
"user_declined_delete_hosted_resources": "der Benutzer lehnte ab löschte gehostete Ressourcen",
|
||||
"user_declined_join": "der Benutzer lehnte es ab, sich der Gruppe anzuschließen",
|
||||
"user_declined_list": "der Benutzer lehnte es ab, eine Liste der gehosteten Ressourcen zu erhalten",
|
||||
"user_declined_request": "der Benutzer lehnte die Anfrage ab",
|
||||
"user_declined_save_file": "der Benutzer lehnte es ab, Datei zu speichern",
|
||||
"user_declined_send_message": "der Benutzer lehnte es ab, eine Nachricht zu senden",
|
||||
"user_declined_share_list": "der Benutzer lehnte es ab, die Liste zu teilen"
|
||||
}
|
||||
},
|
||||
"name": "name: {{ name }}",
|
||||
"option": "option: {{ option }}",
|
||||
"options": "options: {{ optionList }}",
|
||||
"permission": {
|
||||
"access_list": "Geben Sie dieser Bewerbung Erlaubnis, auf die Liste zuzugreifen?",
|
||||
"access_list": "geben Sie dieser Bewerbung Erlaubnis, auf die Liste zuzugreifen?",
|
||||
"add_admin": "do you give this application permission to add user {{ invitee }} as an admin?",
|
||||
"all_item_list": "do you give this application permission to add the following to the list {{ name }}:",
|
||||
"authenticate": "Geben Sie diese Bewerbung Erlaubnis zur Authentifizierung?",
|
||||
"authenticate": "geben Sie diese Bewerbung Erlaubnis zur Authentifizierung?",
|
||||
"ban": "do you give this application permission to ban {{ partecipant }} from the group?",
|
||||
"buy_name_detail": "buying {{ name }} for {{ price }} QORT",
|
||||
"buy_name": "Geben Sie dieser Bewerbung Erlaubnis, einen Namen zu kaufen?",
|
||||
"buy_name": "geben Sie dieser Bewerbung Erlaubnis, einen Namen zu kaufen?",
|
||||
"buy_order_fee_estimation_one": "this fee is an estimate based on {{ quantity }} order, assuming a 300-byte size at a rate of {{ fee }} {{ ticker }} per KB.",
|
||||
"buy_order_fee_estimation_other": "this fee is an estimate based on {{ quantity }} orders, assuming a 300-byte size at a rate of {{ fee }} {{ ticker }} per KB.",
|
||||
"buy_order_per_kb": "{{ fee }} {{ ticker }} per kb",
|
||||
"buy_order_quantity_one": "{{ quantity }} buy order",
|
||||
"buy_order_quantity_other": "{{ quantity }} buy orders",
|
||||
"buy_order_ticker": "{{ qort_amount }} QORT for {{ foreign_amount }} {{ ticker }}",
|
||||
"buy_order": "Geben Sie dieser Bewerbung die Erlaubnis zur Durchführung einer Kaufbestellung?",
|
||||
"buy_order": "geben Sie dieser Bewerbung die Erlaubnis zur Durchführung einer Kaufbestellung?",
|
||||
"cancel_ban": "do you give this application permission to cancel the group ban for user {{ partecipant }}?",
|
||||
"cancel_group_invite": "do you give this application permission to cancel the group invite for {{ invitee }}?",
|
||||
"cancel_sell_order": "Geben Sie dieser Bewerbung die Erlaubnis zur Ausführung: Stornieren Sie eine Verkaufsbestellung?",
|
||||
"create_group": "Geben Sie dieser Bewerbung Erlaubnis, eine Gruppe zu erstellen?",
|
||||
"cancel_sell_order": "geben Sie dieser Bewerbung die Erlaubnis zur Ausführung: Stornieren Sie eine Verkaufsbestellung?",
|
||||
"create_group": "geben Sie dieser Bewerbung Erlaubnis, eine Gruppe zu erstellen?",
|
||||
"delete_hosts_resources": "do you give this application permission to delete {{ size }} hosted resources?",
|
||||
"fetch_balance": "do you give this application permission to fetch your {{ coin }} balance",
|
||||
"get_wallet_info": "Geben Sie dieser Bewerbung Erlaubnis, um Ihre Brieftascheninformationen zu erhalten?",
|
||||
"get_wallet_transactions": "Geben Sie dieser Bewerbung Erlaubnis, Ihre Brieftaschentransaktionen abzurufen?",
|
||||
"get_wallet_info": "geben Sie dieser Bewerbung Erlaubnis, um Ihre Brieftascheninformationen zu erhalten?",
|
||||
"get_wallet_transactions": "geben Sie dieser Bewerbung Erlaubnis, Ihre Brieftaschentransaktionen abzurufen?",
|
||||
"invite": "do you give this application permission to invite {{ invitee }}?",
|
||||
"kick": "do you give this application permission to kick {{ partecipant }} from the group?",
|
||||
"leave_group": "Geben Sie dieser Bewerbung Erlaubnis, die folgende Gruppe zu verlassen?",
|
||||
"list_hosted_data": "Geben Sie dieser Bewerbung die Erlaubnis, eine Liste Ihrer gehosteten Daten zu erhalten?",
|
||||
"leave_group": "geben Sie dieser Bewerbung Erlaubnis, die folgende Gruppe zu verlassen?",
|
||||
"list_hosted_data": "geben Sie dieser Bewerbung die Erlaubnis, eine Liste Ihrer gehosteten Daten zu erhalten?",
|
||||
"order_detail": "{{ qort_amount }} QORT for {{ foreign_amount }} {{ ticker }}",
|
||||
"pay_publish": "Geben Sie dieser Bewerbung die Erlaubnis, die folgenden Zahlungen und Veröffentlichungen zu leisten?",
|
||||
"pay_publish": "geben Sie dieser Bewerbung die Erlaubnis, die folgenden Zahlungen und Veröffentlichungen zu leisten?",
|
||||
"perform_admin_action_with_value": "with value: {{ value }}",
|
||||
"perform_admin_action": "do you give this application permission to perform the admin action: {{ type }}",
|
||||
"publish_qdn": "Geben Sie diese Bewerbung Erlaubnis zur Veröffentlichung an QDN?",
|
||||
"register_name": "Geben Sie dieser Bewerbung die Erlaubnis, diesen Namen zu registrieren?",
|
||||
"publish_qdn": "geben Sie diese Bewerbung Erlaubnis zur Veröffentlichung an QDN?",
|
||||
"register_name": "geben Sie dieser Bewerbung die Erlaubnis, diesen Namen zu registrieren?",
|
||||
"remove_admin": "do you give this application permission to remove user {{ partecipant }} as an admin?",
|
||||
"remove_from_list": "do you give this application permission to remove the following from the list {{ name }}:",
|
||||
"sell_name_cancel": "Geben Sie dieser Bewerbung Erlaubnis, den Verkauf eines Namens zu stornieren?",
|
||||
"sell_name_cancel": "geben Sie dieser Bewerbung Erlaubnis, den Verkauf eines Namens zu stornieren?",
|
||||
"sell_name_transaction_detail": "sell {{ name }} for {{ price }} QORT",
|
||||
"sell_name_transaction": "Geben Sie dieser Bewerbung Erlaubnis, eine Verkaufsname -Transaktion zu erstellen?",
|
||||
"sell_order": "Geben Sie dieser Bewerbung Erlaubnis zur Ausführung einer Verkaufsbestellung?",
|
||||
"send_chat_message": "Geben Sie diese Bewerbung Erlaubnis, diese Chat -Nachricht zu senden?",
|
||||
"send_coins": "Geben Sie diese Bewerbung Erlaubnis zum Senden von Münzen?",
|
||||
"server_add": "Geben Sie dieser Anwendungsberechtigung, einen Server hinzuzufügen?",
|
||||
"server_remove": "Geben Sie dieser Anwendungsberechtigung, um einen Server zu entfernen?",
|
||||
"set_current_server": "Geben Sie dieser Anwendungsberechtigung, um den aktuellen Server festzulegen?",
|
||||
"sign_fee": "Geben Sie diese Bewerbung Erlaubnis, die erforderlichen Gebühren für alle Ihre Handelsangebote zu unterschreiben?",
|
||||
"sign_process_transaction": "Geben Sie dieser Bewerbung die Erlaubnis, eine Transaktion zu unterschreiben und zu verarbeiten?",
|
||||
"sign_transaction": "Geben Sie dieser Bewerbung Erlaubnis, eine Transaktion zu unterschreiben?",
|
||||
"transfer_asset": "Geben Sie diese Bewerbung Erlaubnis zur Übertragung des folgenden Vermögenswerts?",
|
||||
"update_foreign_fee": "Geben Sie dieser Bewerbung Erlaubnis, ausländische Gebühren auf Ihrem Knoten zu aktualisieren?",
|
||||
"sell_name_transaction": "geben Sie dieser Bewerbung Erlaubnis, eine Verkaufsname -Transaktion zu erstellen?",
|
||||
"sell_order": "geben Sie dieser Bewerbung Erlaubnis zur Ausführung einer Verkaufsbestellung?",
|
||||
"send_chat_message": "geben Sie diese Bewerbung Erlaubnis, diese Chat -Nachricht zu senden?",
|
||||
"send_coins": "geben Sie diese Bewerbung Erlaubnis zum Senden von Münzen?",
|
||||
"server_add": "geben Sie dieser Anwendungsberechtigung, einen Server hinzuzufügen?",
|
||||
"server_remove": "geben Sie dieser Anwendungsberechtigung, um einen Server zu entfernen?",
|
||||
"set_current_server": "geben Sie dieser Anwendungsberechtigung, um den aktuellen Server festzulegen?",
|
||||
"sign_fee": "geben Sie diese Bewerbung Erlaubnis, die erforderlichen Gebühren für alle Ihre Handelsangebote zu unterschreiben?",
|
||||
"sign_process_transaction": "geben Sie dieser Bewerbung die Erlaubnis, eine Transaktion zu unterschreiben und zu verarbeiten?",
|
||||
"sign_transaction": "geben Sie dieser Bewerbung Erlaubnis, eine Transaktion zu unterschreiben?",
|
||||
"transfer_asset": "geben Sie diese Bewerbung Erlaubnis zur Übertragung des folgenden Vermögenswerts?",
|
||||
"update_foreign_fee": "geben Sie dieser Bewerbung Erlaubnis, ausländische Gebühren auf Ihrem Knoten zu aktualisieren?",
|
||||
"update_group_detail": "new owner: {{ owner }}",
|
||||
"update_group": "Geben Sie dieser Bewerbung die Erlaubnis, diese Gruppe zu aktualisieren?"
|
||||
"update_group": "geben Sie dieser Bewerbung die Erlaubnis, diese Gruppe zu aktualisieren?"
|
||||
},
|
||||
"poll": "poll: {{ name }}",
|
||||
"provide_recipient_group_id": "Bitte geben Sie einen Empfänger oder eine Gruppe an",
|
||||
"request_create_poll": "Sie bitten um die Erstellung der folgenden Umfrage:",
|
||||
"provide_recipient_group_id": "bitte geben Sie einen Empfänger oder eine Gruppe an",
|
||||
"request_create_poll": "sie bitten um die Erstellung der folgenden Umfrage:",
|
||||
"request_vote_poll": "you are being requested to vote on the poll below:",
|
||||
"sats_per_kb": "{{ amount }} sats per KB",
|
||||
"sats": "{{ amount }} sats",
|
||||
@ -189,4 +189,4 @@
|
||||
"total_locking_fee": "total Locking Fee:",
|
||||
"total_unlocking_fee": "total Unlocking Fee:",
|
||||
"value": "value: {{ value }}"
|
||||
}
|
||||
}
|
||||
|
@ -4,7 +4,7 @@
|
||||
"3_groups": "3. Qortalgruppen",
|
||||
"4_obtain_qort": "4. Qort erhalten",
|
||||
"account_creation": "Kontoerstellung",
|
||||
"important_info": "Wichtige Informationen!",
|
||||
"important_info": "wichtige Informationen",
|
||||
"apps": {
|
||||
"dashboard": "1. Apps Dashboard",
|
||||
"navigation": "2. Apps Navigation"
|
||||
@ -12,10 +12,10 @@
|
||||
"initial": {
|
||||
"recommended_qort_qty": "have at least {{ quantity }} QORT in your wallet",
|
||||
"explore": "erkunden",
|
||||
"general_chat": "Allgemeiner Chat",
|
||||
"getting_started": "Erste Schritte",
|
||||
"register_name": "Registrieren Sie einen Namen",
|
||||
"see_apps": "Siehe Apps",
|
||||
"trade_qort": "Handel Qort"
|
||||
"general_chat": "allgemeiner Chat",
|
||||
"getting_started": "erste Schritte",
|
||||
"register_name": "registrieren Sie einen Namen",
|
||||
"see_apps": "siehe Apps",
|
||||
"trade_qort": "handel Qort"
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -46,6 +46,7 @@
|
||||
"key": "API key",
|
||||
"select_valid": "select a valid apikey"
|
||||
},
|
||||
"authentication": "authentication",
|
||||
"blocked_users": "blocked users",
|
||||
"build_version": "build version",
|
||||
"message": {
|
||||
@ -77,14 +78,16 @@
|
||||
"choose_block": "choose 'block txs' or 'all' to block chat messages",
|
||||
"congrats_setup": "congrats, you’re all set up!",
|
||||
"decide_block": "decide what to block",
|
||||
"downloading_encryption_keys": "downloading encryption keys",
|
||||
"fetching_admin_secret_key": "fetching Admins secret key",
|
||||
"fetching_group_secret_key": "fetching Group secret key publishes",
|
||||
"keep_secure": "keep your account file secure",
|
||||
"last_encryption_date": "last encryption date: {{ date }} by {{ name }}",
|
||||
"locating_encryption_keys": "locating encryption keys",
|
||||
"name_address": "name or address",
|
||||
"no_account": "no accounts saved",
|
||||
"no_minimum_length": "there is no minimum length requirement",
|
||||
"no_secret_key_published": "no secret key published yet",
|
||||
"fetching_admin_secret_key": "fetching Admins secret key",
|
||||
"fetching_group_secret_key": "fetching Group secret key publishes",
|
||||
"last_encryption_date": "last encryption date: {{ date }} by {{ name }}",
|
||||
"keep_secure": "keep your account file secure",
|
||||
"publishing_key": "reminder: After publishing the key, it will take a couple of minutes for it to appear. Please just wait.",
|
||||
"seedphrase_notice": "a <seed>SEEDPHRASE</seed> has been randomly generated in the background.",
|
||||
"turn_local_node": "please turn on your local node",
|
||||
|
@ -90,7 +90,7 @@
|
||||
"start_minting": "start minting",
|
||||
"start_typing": "start typing here...",
|
||||
"trade_qort": "trade QORT",
|
||||
"transfer_qort": "Transfer QORT",
|
||||
"transfer_qort": "transfer QORT",
|
||||
"unpin": "unpin",
|
||||
"unpin_app": "unpin app",
|
||||
"unpin_from_dashboard": "unpin from dashboard",
|
||||
@ -109,6 +109,7 @@
|
||||
"app": "app",
|
||||
"app_other": "apps",
|
||||
"app_name": "app name",
|
||||
"app_private": "private",
|
||||
"app_service_type": "app service type",
|
||||
"apps_dashboard": "apps Dashboard",
|
||||
"apps_official": "official Apps",
|
||||
@ -131,7 +132,7 @@
|
||||
"dev_mode": "dev Mode",
|
||||
"domain": "domain",
|
||||
"ui": {
|
||||
"version": "UI version"
|
||||
"version": "uI version"
|
||||
},
|
||||
"count": {
|
||||
"none": "none",
|
||||
@ -157,7 +158,6 @@
|
||||
"list": {
|
||||
"bans": "list of bans",
|
||||
"groups": "list of groups",
|
||||
"invite": "invite list",
|
||||
"invites": "list of invites",
|
||||
"join_request": "join request list",
|
||||
"member": "member list",
|
||||
@ -282,7 +282,7 @@
|
||||
"updating": "updating"
|
||||
},
|
||||
"message": "message",
|
||||
"promotion_text": "Promotion text",
|
||||
"promotion_text": "promotion text",
|
||||
"question": {
|
||||
"accept_vote_on_poll": "do you accept this VOTE_ON_POLL transaction? POLLS are public!",
|
||||
"logout": "are you sure you would like to logout?",
|
||||
@ -311,7 +311,7 @@
|
||||
"published": "successfully published. Please wait a couple minutes for the network to propogate the changes.",
|
||||
"published_qdn": "successfully published to QDN",
|
||||
"rated_app": "successfully rated. Please wait a couple minutes for the network to propogate the changes.",
|
||||
"request_read": "I have read this request",
|
||||
"request_read": "i have read this request",
|
||||
"transfer": "the transfer was succesful!",
|
||||
"voted": "successfully voted. Please wait a couple minutes for the network to propogate the changes."
|
||||
}
|
||||
@ -323,6 +323,7 @@
|
||||
"none": "none",
|
||||
"note": "note",
|
||||
"option": "option",
|
||||
"option_no": "no options",
|
||||
"option_other": "options",
|
||||
"page": {
|
||||
"last": "last",
|
||||
@ -331,9 +332,11 @@
|
||||
"previous": "previous"
|
||||
},
|
||||
"payment_notification": "payment notification",
|
||||
"payment": "payment",
|
||||
"poll_embed": "poll embed",
|
||||
"port": "port",
|
||||
"price": "price",
|
||||
"publish": "publish",
|
||||
"q_apps": {
|
||||
"about": "about this Q-App",
|
||||
"q_mail": "q-mail",
|
||||
@ -354,6 +357,7 @@
|
||||
"theme": {
|
||||
"dark": "dark",
|
||||
"dark_mode": "dark mode",
|
||||
"default": "default theme",
|
||||
"light": "light",
|
||||
"light_mode": "light mode",
|
||||
"manager": "theme Manager",
|
||||
|
@ -29,10 +29,9 @@
|
||||
"visit_q_mintership": "visit Q-Mintership"
|
||||
},
|
||||
"advanced_options": "advanced options",
|
||||
"ban_list": "ban list",
|
||||
"block_delay": {
|
||||
"minimum": "Minimum Block delay",
|
||||
"maximum": "Maximum Block delay"
|
||||
"minimum": "minimum Block delay",
|
||||
"maximum": "maximum Block delay"
|
||||
},
|
||||
"group": {
|
||||
"approval_threshold": "group Approval Threshold",
|
||||
@ -93,7 +92,7 @@
|
||||
"minting_keys_per_node": "only 2 minting keys are allowed per node. Please remove one if you would like to mint with this account.",
|
||||
"minting_keys_per_node_different": "only 2 minting keys are allowed per node. Please remove one if you would like to add a different account.",
|
||||
"next_level": "blocks remaining until next level:",
|
||||
"node_minting": "This node is minting:",
|
||||
"node_minting": "this node is minting:",
|
||||
"node_minting_account": "node's minting accounts",
|
||||
"node_minting_key": "you currently have a minting key for this account attached to this node",
|
||||
"no_announcement": "no announcements",
|
||||
@ -110,7 +109,7 @@
|
||||
},
|
||||
"error": {
|
||||
"access_name": "cannot send a message without a access to your name",
|
||||
"descrypt_wallet": "error decrypting wallet {{ :errorMessage }}",
|
||||
"descrypt_wallet": "error decrypting wallet {{ message }}",
|
||||
"description_required": "please provide a description",
|
||||
"group_info": "cannot access group information",
|
||||
"group_join": "failed to join the group",
|
||||
@ -129,7 +128,7 @@
|
||||
"group_creation": "successfully created group. It may take a couple of minutes for the changes to propagate",
|
||||
"group_creation_name": "created group {{group_name}}: awaiting confirmation",
|
||||
"group_creation_label": "created group {{name}}: success!",
|
||||
"group_invite": "successfully invited {{value}}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_invite": "successfully invited {{invitee}}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_join": "successfully requested to join group. It may take a couple of minutes for the changes to propagate",
|
||||
"group_join_name": "joined group {{group_name}}: awaiting confirmation",
|
||||
"group_join_label": "joined group {{name}}: success!",
|
||||
|
@ -111,7 +111,7 @@
|
||||
"provide_group_id": "please provide a groupId",
|
||||
"read_transaction_carefully": "read the transaction carefully before accepting!",
|
||||
"user_declined_add_list": "user declined add to list",
|
||||
"user_declined_delete_from_list": "User declined delete from list",
|
||||
"user_declined_delete_from_list": "user declined delete from list",
|
||||
"user_declined_delete_hosted_resources": "user declined delete hosted resources",
|
||||
"user_declined_join": "user declined to join group",
|
||||
"user_declined_list": "user declined to get list of hosted resources",
|
||||
|
@ -4,7 +4,7 @@
|
||||
"3_groups": "3. Qortal Groups",
|
||||
"4_obtain_qort": "4. Obtaining Qort",
|
||||
"account_creation": "account creation",
|
||||
"important_info": "important information!",
|
||||
"important_info": "important information",
|
||||
"apps": {
|
||||
"dashboard": "1. Apps Dashboard",
|
||||
"navigation": "2. Apps Navigation"
|
||||
|
@ -1,135 +1,138 @@
|
||||
{
|
||||
"account": {
|
||||
"your": "Tu cuenta",
|
||||
"your": "tu cuenta",
|
||||
"account_many": "cuentas",
|
||||
"account_one": "cuenta",
|
||||
"selected": "cuenta seleccionada"
|
||||
},
|
||||
"action": {
|
||||
"add": {
|
||||
"account": "Agregar cuenta",
|
||||
"seed_phrase": "Agregar frase de semillas"
|
||||
"account": "agregar cuenta",
|
||||
"seed_phrase": "agregar frase de semillas"
|
||||
},
|
||||
"authenticate": "autenticar",
|
||||
"block": "bloquear",
|
||||
"block_all": "bloquear todo",
|
||||
"block_data": "Bloquear datos de QDN",
|
||||
"block_data": "bloquear datos de QDN",
|
||||
"block_name": "nombre de bloqueo",
|
||||
"block_txs": "Bloquear TSX",
|
||||
"block_txs": "bloquear TSX",
|
||||
"fetch_names": "buscar nombres",
|
||||
"copy_address": "dirección de copia",
|
||||
"create_account": "crear una cuenta",
|
||||
"create_qortal_account": "create your Qortal account by clicking <next>NEXT</next> below.",
|
||||
"choose_password": "Elija una nueva contraseña",
|
||||
"choose_password": "elija una nueva contraseña",
|
||||
"download_account": "cuenta de descarga",
|
||||
"enter_amount": "Ingrese una cantidad mayor que 0",
|
||||
"enter_recipient": "Por favor ingrese a un destinatario",
|
||||
"enter_wallet_password": "Ingrese su contraseña de billetera",
|
||||
"enter_amount": "ingrese una cantidad mayor que 0",
|
||||
"enter_recipient": "por favor ingrese a un destinatario",
|
||||
"enter_wallet_password": "ingrese su contraseña de billetera",
|
||||
"export_seedphrase": "exportar frase de semillas",
|
||||
"insert_name_address": "Inserte un nombre o dirección",
|
||||
"publish_admin_secret_key": "Publicar la clave secreta de administración",
|
||||
"publish_group_secret_key": "Publicar la clave secreta del grupo",
|
||||
"reencrypt_key": "Reencietar la tecla",
|
||||
"insert_name_address": "inserte un nombre o dirección",
|
||||
"publish_admin_secret_key": "publicar la clave secreta de administración",
|
||||
"publish_group_secret_key": "publicar la clave secreta del grupo",
|
||||
"reencrypt_key": "reencietar la tecla",
|
||||
"return_to_list": "volver a la lista",
|
||||
"setup_qortal_account": "Configure su cuenta de Qortal",
|
||||
"setup_qortal_account": "configure su cuenta de Qortal",
|
||||
"unblock": "desatascar",
|
||||
"unblock_name": "nombre de desbloqueo"
|
||||
},
|
||||
"address": "DIRECCIÓN",
|
||||
"address": "dIRECCIÓN",
|
||||
"address_name": "dirección o nombre",
|
||||
"advanced_users": "para usuarios avanzados",
|
||||
"apikey": {
|
||||
"alternative": "Alternativa: Archivo Seleccionar",
|
||||
"change": "Cambiar apikey",
|
||||
"enter": "Ingresa apikey",
|
||||
"alternative": "alternativa: Archivo Seleccionar",
|
||||
"change": "cambiar apikey",
|
||||
"enter": "ingresa apikey",
|
||||
"import": "importar apikey",
|
||||
"key": "Llave de API",
|
||||
"select_valid": "Seleccione un apikey válido"
|
||||
"key": "llave de API",
|
||||
"select_valid": "seleccione un apikey válido"
|
||||
},
|
||||
"authentication": "autenticación",
|
||||
"blocked_users": "usuarios bloqueados",
|
||||
"build_version": "versión de compilación",
|
||||
"message": {
|
||||
"error": {
|
||||
"account_creation": "no pudo crear cuenta.",
|
||||
"address_not_existing": "La dirección no existe en blockchain",
|
||||
"block_user": "No se puede bloquear el usuario",
|
||||
"create_simmetric_key": "No se puede crear una clave simétrica",
|
||||
"address_not_existing": "la dirección no existe en blockchain",
|
||||
"block_user": "no se puede bloquear el usuario",
|
||||
"create_simmetric_key": "no se puede crear una clave simétrica",
|
||||
"decrypt_data": "no pudo descifrar datos",
|
||||
"decrypt": "Incifto de descifrar",
|
||||
"encrypt_content": "No se puede cifrar contenido",
|
||||
"fetch_user_account": "No se puede obtener una cuenta de usuario",
|
||||
"decrypt": "incifto de descifrar",
|
||||
"encrypt_content": "no se puede cifrar contenido",
|
||||
"fetch_user_account": "no se puede obtener una cuenta de usuario",
|
||||
"field_not_found_json": "{{ field }} not found in JSON",
|
||||
"find_secret_key": "No puedo encontrar correcto secretkey",
|
||||
"find_secret_key": "no puedo encontrar correcto secretkey",
|
||||
"incorrect_password": "contraseña incorrecta",
|
||||
"invalid_qortal_link": "enlace Qortal no válido",
|
||||
"invalid_secret_key": "SecretKey no es válido",
|
||||
"invalid_uint8": "El Uint8ArrayData que ha enviado no es válido",
|
||||
"invalid_secret_key": "secretKey no es válido",
|
||||
"invalid_uint8": "el Uint8ArrayData que ha enviado no es válido",
|
||||
"name_not_existing": "el nombre no existe",
|
||||
"name_not_registered": "Nombre no registrado",
|
||||
"read_blob_base64": "No se pudo leer el blob como una cadena codificada de base64",
|
||||
"reencrypt_secret_key": "Incapaz de volver a encriptar la clave secreta",
|
||||
"set_apikey": "No se pudo establecer la tecla API:"
|
||||
"name_not_registered": "nombre no registrado",
|
||||
"read_blob_base64": "no se pudo leer el blob como una cadena codificada de base64",
|
||||
"reencrypt_secret_key": "incapaz de volver a encriptar la clave secreta",
|
||||
"set_apikey": "no se pudo establecer la tecla API:"
|
||||
},
|
||||
"generic": {
|
||||
"blocked_addresses": "Direcciones bloqueadas: procesamiento de bloques de TXS",
|
||||
"blocked_names": "Nombres bloqueados para QDN",
|
||||
"blocked_addresses": "direcciones bloqueadas: procesamiento de bloques de TXS",
|
||||
"blocked_names": "nombres bloqueados para QDN",
|
||||
"blocking": "blocking {{ name }}",
|
||||
"choose_block": "Elija 'Bloquear TXS' o 'Todo' para bloquear los mensajes de chat",
|
||||
"congrats_setup": "Felicidades, ¡estás listo!",
|
||||
"decide_block": "Decide qué bloquear",
|
||||
"choose_block": "elija 'Bloquear TXS' o 'Todo' para bloquear los mensajes de chat",
|
||||
"congrats_setup": "felicidades, ¡estás listo!",
|
||||
"decide_block": "decide qué bloquear",
|
||||
"downloading_encryption_keys": "downloading encryption keys",
|
||||
"name_address": "nombre o dirección",
|
||||
"no_account": "No hay cuentas guardadas",
|
||||
"no_minimum_length": "No hay requisito de longitud mínima",
|
||||
"no_secret_key_published": "No hay clave secreta publicada todavía",
|
||||
"fetching_admin_secret_key": "Llave secreta de los administradores de administradores",
|
||||
"fetching_group_secret_key": "Obtener publicaciones de Key Secret Group Secret",
|
||||
"no_account": "no hay cuentas guardadas",
|
||||
"no_minimum_length": "no hay requisito de longitud mínima",
|
||||
"no_secret_key_published": "no hay clave secreta publicada todavía",
|
||||
"fetching_admin_secret_key": "llave secreta de los administradores de administradores",
|
||||
"fetching_group_secret_key": "obtener publicaciones de Key Secret Group Secret",
|
||||
"last_encryption_date": "last encryption date: {{ date }} by {{ name }}",
|
||||
"keep_secure": "Mantenga su archivo de cuenta seguro",
|
||||
"publishing_key": "Recordatorio: después de publicar la llave, tardará un par de minutos en aparecer. Por favor, solo espera.",
|
||||
"locating_encryption_keys": "locating encryption keys",
|
||||
"keep_secure": "mantenga su archivo de cuenta seguro",
|
||||
"publishing_key": "recordatorio: después de publicar la llave, tardará un par de minutos en aparecer. Por favor, solo espera.",
|
||||
"seedphrase_notice": "a <seed>SEEDPHRASE</seed> has been randomly generated in the background.",
|
||||
"turn_local_node": "Encienda su nodo local",
|
||||
"type_seed": "Escriba o pegue en su frase de semillas",
|
||||
"your_accounts": "Tus cuentas guardadas"
|
||||
"turn_local_node": "encienda su nodo local",
|
||||
"type_seed": "escriba o pegue en su frase de semillas",
|
||||
"your_accounts": "tus cuentas guardadas"
|
||||
},
|
||||
"success": {
|
||||
"reencrypted_secret_key": "Clave secreta reinscritada con éxito. Puede tomar un par de minutos para que los cambios se propagen. Actualice el grupo en 5 minutos."
|
||||
"reencrypted_secret_key": "clave secreta reinscritada con éxito. Puede tomar un par de minutos para que los cambios se propagen. Actualice el grupo en 5 minutos."
|
||||
}
|
||||
},
|
||||
"node": {
|
||||
"choose": "Elija el nodo personalizado",
|
||||
"choose": "elija el nodo personalizado",
|
||||
"custom_many": "nodos personalizados",
|
||||
"use_custom": "Usar nodo personalizado",
|
||||
"use_local": "Use el nodo local",
|
||||
"using": "Usando nodo",
|
||||
"using_public": "Usando el nodo público",
|
||||
"use_custom": "usar nodo personalizado",
|
||||
"use_local": "use el nodo local",
|
||||
"using": "usando nodo",
|
||||
"using_public": "usando el nodo público",
|
||||
"using_public_gateway": "using public node: {{ gateway }}"
|
||||
},
|
||||
"note": "nota",
|
||||
"password": "contraseña",
|
||||
"password_confirmation": "confirmar Contraseña",
|
||||
"seed_phrase": "frase de semillas",
|
||||
"seed_your": "Tu frase de semillas",
|
||||
"seed_your": "tu frase de semillas",
|
||||
"tips": {
|
||||
"additional_wallet": "Use esta opción para conectar las billeteras de Qortal adicionales que ya ha realizado para iniciar sesión con ellas después. Necesitará acceso a su archivo JSON de copia de seguridad para hacerlo.",
|
||||
"digital_id": "Su billetera es como su ID digital en Qortal, y es cómo iniciará sesión en la interfaz de usuario de Qortal. Sostiene su dirección pública y el nombre Qortal que eventualmente elegirá. Cada transacción que realice está vinculada a su ID, y aquí es donde administra todos sus Qort y otras criptomonedas comercializables en Qortal.",
|
||||
"additional_wallet": "use esta opción para conectar las billeteras de Qortal adicionales que ya ha realizado para iniciar sesión con ellas después. Necesitará acceso a su archivo JSON de copia de seguridad para hacerlo.",
|
||||
"digital_id": "su billetera es como su ID digital en Qortal, y es cómo iniciará sesión en la interfaz de usuario de Qortal. Sostiene su dirección pública y el nombre Qortal que eventualmente elegirá. Cada transacción que realice está vinculada a su ID, y aquí es donde administra todos sus Qort y otras criptomonedas comercializables en Qortal.",
|
||||
"existing_account": "¿Ya tienes una cuenta Qortal? Ingrese su frase de copia de seguridad secreta aquí para acceder a ella. Esta frase es una de las formas de recuperar su cuenta.",
|
||||
"key_encrypt_admin": "Esta clave es cifrar el contenido relacionado con el administrador. Solo los administradores verían contenido encriptado con él.",
|
||||
"key_encrypt_group": "Esta clave es cifrar contenido relacionado con el grupo. Este es el único utilizado en esta interfaz de usuario a partir de ahora. Todos los miembros del grupo podrán ver contenido encriptado con esta clave.",
|
||||
"new_account": "Crear una cuenta significa crear una nueva billetera e ID digital para comenzar a usar Qortal. Una vez que haya hecho su cuenta, puede comenzar a hacer cosas como obtener algo de Qort, comprar un nombre y avatar, publicar videos y blogs, y mucho más.",
|
||||
"key_encrypt_admin": "esta clave es cifrar el contenido relacionado con el administrador. Solo los administradores verían contenido encriptado con él.",
|
||||
"key_encrypt_group": "esta clave es cifrar contenido relacionado con el grupo. Este es el único utilizado en esta interfaz de usuario a partir de ahora. Todos los miembros del grupo podrán ver contenido encriptado con esta clave.",
|
||||
"new_account": "crear una cuenta significa crear una nueva billetera e ID digital para comenzar a usar Qortal. Una vez que haya hecho su cuenta, puede comenzar a hacer cosas como obtener algo de Qort, comprar un nombre y avatar, publicar videos y blogs, y mucho más.",
|
||||
"new_users": "¡Los nuevos usuarios comienzan aquí!",
|
||||
"safe_place": "¡Guarde su cuenta en un lugar donde la recordará!",
|
||||
"view_seedphrase": "Si desea ver la Phrause de semillas, haga clic en la palabra 'Semilla Phrase' en este texto. Las frases de semillas se utilizan para generar la clave privada para su cuenta de Qortal. Para la seguridad de forma predeterminada, las frases de semillas no se muestran a menos que se elijan específicamente.",
|
||||
"wallet_secure": "Mantenga su archivo de billetera seguro."
|
||||
"view_seedphrase": "si desea ver la Phrause de semillas, haga clic en la palabra 'Semilla Phrase' en este texto. Las frases de semillas se utilizan para generar la clave privada para su cuenta de Qortal. Para la seguridad de forma predeterminada, las frases de semillas no se muestran a menos que se elijan específicamente.",
|
||||
"wallet_secure": "mantenga su archivo de billetera seguro."
|
||||
},
|
||||
"wallet": {
|
||||
"password_confirmation": "Confirmar contraseña de billetera",
|
||||
"password_confirmation": "confirmar contraseña de billetera",
|
||||
"password": "contraseña de billetera",
|
||||
"keep_password": "Mantenga la contraseña actual",
|
||||
"new_password": "Nueva contraseña",
|
||||
"keep_password": "mantenga la contraseña actual",
|
||||
"new_password": "nueva contraseña",
|
||||
"error": {
|
||||
"missing_new_password": "Ingrese una nueva contraseña",
|
||||
"missing_password": "Ingrese su contraseña"
|
||||
"missing_new_password": "ingrese una nueva contraseña",
|
||||
"missing_password": "ingrese su contraseña"
|
||||
}
|
||||
},
|
||||
"welcome": "bienvenido"
|
||||
}
|
||||
}
|
||||
|
@ -4,31 +4,31 @@
|
||||
"access": "acceso",
|
||||
"access_app": "aplicación de acceso",
|
||||
"add": "agregar",
|
||||
"add_custom_framework": "Agregar marco personalizado",
|
||||
"add_reaction": "Agregar reacción",
|
||||
"add_theme": "Agregar tema",
|
||||
"add_custom_framework": "agregar marco personalizado",
|
||||
"add_reaction": "agregar reacción",
|
||||
"add_theme": "agregar tema",
|
||||
"backup_account": "cuenta de respaldo",
|
||||
"backup_wallet": "billetera de respaldo",
|
||||
"cancel": "Cancelar",
|
||||
"cancel_invitation": "Cancelar invitación",
|
||||
"cancel": "cancelar",
|
||||
"cancel_invitation": "cancelar invitación",
|
||||
"change": "cambiar",
|
||||
"change_avatar": "Cambiar avatar",
|
||||
"change_file": "Cambiar archivo",
|
||||
"change_language": "Cambiar lenguaje",
|
||||
"change_avatar": "cambiar avatar",
|
||||
"change_file": "cambiar archivo",
|
||||
"change_language": "cambiar lenguaje",
|
||||
"choose": "elegir",
|
||||
"choose_file": "Elija archivo",
|
||||
"choose_image": "Elija imagen",
|
||||
"choose_logo": "Elija un logotipo",
|
||||
"choose_name": "Elige un nombre",
|
||||
"choose_file": "elija archivo",
|
||||
"choose_image": "elija imagen",
|
||||
"choose_logo": "elija un logotipo",
|
||||
"choose_name": "elige un nombre",
|
||||
"close": "cerca",
|
||||
"close_chat": "Cerrar chat directo",
|
||||
"close_chat": "cerrar chat directo",
|
||||
"continue": "continuar",
|
||||
"continue_logout": "Continuar inicio de sesión",
|
||||
"continue_logout": "continuar inicio de sesión",
|
||||
"copy_link": "enlace de copia",
|
||||
"create_apps": "Crear aplicaciones",
|
||||
"create_file": "Crear archivo",
|
||||
"create_transaction": "Crear transacciones en la cadena de bloques Qortal",
|
||||
"create_thread": "Crear hilo",
|
||||
"create_apps": "crear aplicaciones",
|
||||
"create_file": "crear archivo",
|
||||
"create_transaction": "crear transacciones en la cadena de bloques Qortal",
|
||||
"create_thread": "crear hilo",
|
||||
"decline": "rechazar",
|
||||
"decrypt": "descifrar",
|
||||
"disable_enter": "deshabilitar Enter",
|
||||
@ -36,19 +36,19 @@
|
||||
"download_file": "descargar archivo",
|
||||
"edit": "editar",
|
||||
"edit_theme": "editar tema",
|
||||
"enable_dev_mode": "Habilitar el modo de desarrollo",
|
||||
"enter_name": "Ingrese un nombre",
|
||||
"enable_dev_mode": "habilitar el modo de desarrollo",
|
||||
"enter_name": "ingrese un nombre",
|
||||
"export": "exportar",
|
||||
"get_qort": "Obtener Qort",
|
||||
"get_qort_trade": "Obtenga Qort en Q-Trade",
|
||||
"get_qort": "obtener Qort",
|
||||
"get_qort_trade": "obtenga Qort en Q-Trade",
|
||||
"hide": "esconder",
|
||||
"import": "importar",
|
||||
"import_theme": "tema de importación",
|
||||
"invite": "invitar",
|
||||
"invite_member": "Invitar a un nuevo miembro",
|
||||
"invite_member": "invitar a un nuevo miembro",
|
||||
"join": "unirse",
|
||||
"leave_comment": "hacer comentarios",
|
||||
"load_announcements": "Cargar anuncios más antiguos",
|
||||
"load_announcements": "cargar anuncios más antiguos",
|
||||
"login": "acceso",
|
||||
"logout": "cierre de sesión",
|
||||
"new": {
|
||||
@ -61,39 +61,39 @@
|
||||
"open": "abierto",
|
||||
"pin": "alfiler",
|
||||
"pin_app": "aplicación PIN",
|
||||
"pin_from_dashboard": "Pin del tablero",
|
||||
"pin_from_dashboard": "pin del tablero",
|
||||
"post": "correo",
|
||||
"post_message": "mensaje de publicación",
|
||||
"publish": "publicar",
|
||||
"publish_app": "Publica tu aplicación",
|
||||
"publish_app": "publica tu aplicación",
|
||||
"publish_comment": "publicar comentario",
|
||||
"register_name": "Nombre de registro",
|
||||
"register_name": "nombre de registro",
|
||||
"remove": "eliminar",
|
||||
"remove_reaction": "eliminar la reacción",
|
||||
"return_apps_dashboard": "Volver al tablero de aplicaciones",
|
||||
"return_apps_dashboard": "volver al tablero de aplicaciones",
|
||||
"save": "ahorrar",
|
||||
"save_disk": "Guardar en el disco",
|
||||
"save_disk": "guardar en el disco",
|
||||
"search": "buscar",
|
||||
"search_apps": "Buscar aplicaciones",
|
||||
"search_apps": "buscar aplicaciones",
|
||||
"search_groups": "buscar grupos",
|
||||
"search_chat_text": "Search Chat Text",
|
||||
"select_app_type": "Seleccionar el tipo de aplicación",
|
||||
"select_category": "Seleccionar categoría",
|
||||
"select_name_app": "Seleccionar nombre/aplicación",
|
||||
"search_chat_text": "search Chat Text",
|
||||
"select_app_type": "seleccionar el tipo de aplicación",
|
||||
"select_category": "seleccionar categoría",
|
||||
"select_name_app": "seleccionar nombre/aplicación",
|
||||
"send": "enviar",
|
||||
"send_qort": "Enviar Qort",
|
||||
"send_qort": "enviar Qort",
|
||||
"set_avatar": "establecer avatar",
|
||||
"show": "espectáculo",
|
||||
"show_poll": "encuesta",
|
||||
"start_minting": "Empiece a acuñar",
|
||||
"start_typing": "Empiece a escribir aquí ...",
|
||||
"start_minting": "empiece a acuñar",
|
||||
"start_typing": "empiece a escribir aquí ...",
|
||||
"trade_qort": "comercio Qort",
|
||||
"transfer_qort": "Transferir Qort",
|
||||
"transfer_qort": "transferir Qort",
|
||||
"unpin": "desprender",
|
||||
"unpin_app": "Aplicación de desgaste",
|
||||
"unpin_from_dashboard": "Desvinar del tablero",
|
||||
"unpin_app": "aplicación de desgaste",
|
||||
"unpin_from_dashboard": "cesvinar del tablero",
|
||||
"update": "actualizar",
|
||||
"update_app": "Actualiza tu aplicación",
|
||||
"update_app": "actualiza tu aplicación",
|
||||
"vote": "votar"
|
||||
},
|
||||
"admin": "administración",
|
||||
@ -102,16 +102,17 @@
|
||||
"amount": "cantidad",
|
||||
"announcement": "anuncio",
|
||||
"announcement_other": "anuncios",
|
||||
"api": "API",
|
||||
"api": "aPI",
|
||||
"app": "aplicación",
|
||||
"app_other": "aplicaciones",
|
||||
"app_name": "nombre de la aplicación",
|
||||
"app_service_type": "Tipo de servicio de aplicaciones",
|
||||
"apps_dashboard": "Panel de aplicaciones",
|
||||
"app_private": "privada",
|
||||
"app_service_type": "tipo de servicio de aplicaciones",
|
||||
"apps_dashboard": "panel de aplicaciones",
|
||||
"apps_official": "aplicaciones oficiales",
|
||||
"attachment": "adjunto",
|
||||
"balance": "balance:",
|
||||
"basic_tabs_example": "Ejemplo de pestañas básicas",
|
||||
"basic_tabs_example": "ejemplo de pestañas básicas",
|
||||
"category": "categoría",
|
||||
"category_other": "categorías",
|
||||
"chat": "charlar",
|
||||
@ -128,7 +129,7 @@
|
||||
"dev_mode": "modo de desarrollo",
|
||||
"domain": "dominio",
|
||||
"ui": {
|
||||
"version": "Versión de interfaz de usuario"
|
||||
"version": "versión de interfaz de usuario"
|
||||
},
|
||||
"count": {
|
||||
"none": "ninguno",
|
||||
@ -137,14 +138,14 @@
|
||||
"description": "descripción",
|
||||
"devmode_apps": "aplicaciones en modo de desarrollo",
|
||||
"directory": "directorio",
|
||||
"downloading_qdn": "Descarga de QDN",
|
||||
"downloading_qdn": "cescarga de QDN",
|
||||
"fee": {
|
||||
"payment": "tarifa de pago",
|
||||
"publish": "publicar tarifa"
|
||||
},
|
||||
"for": "para",
|
||||
"general": "general",
|
||||
"general_settings": "Configuración general",
|
||||
"general_settings": "configuración general",
|
||||
"home": "hogar",
|
||||
"identifier": "identificador",
|
||||
"image_embed": "inserción de la imagen",
|
||||
@ -152,145 +153,144 @@
|
||||
"level": "nivel",
|
||||
"library": "biblioteca",
|
||||
"list": {
|
||||
"bans": "Lista de prohibiciones",
|
||||
"groups": "Lista de grupos",
|
||||
"invite": "lista de invitaciones",
|
||||
"invites": "Lista de invitaciones",
|
||||
"join_request": "Lista de solicitudes de unión",
|
||||
"bans": "lista de prohibiciones",
|
||||
"groups": "lista de grupos",
|
||||
"invites": "lista de invitaciones",
|
||||
"join_request": "lista de solicitudes de unión",
|
||||
"member": "lista de miembros",
|
||||
"members": "Lista de miembros"
|
||||
"members": "lista de miembros"
|
||||
},
|
||||
"loading": {
|
||||
"announcements": "Cargando anuncios",
|
||||
"announcements": "cargando anuncios",
|
||||
"generic": "cargando...",
|
||||
"chat": "Cargando chat ... por favor espera.",
|
||||
"comments": "Cargando comentarios ... por favor espere.",
|
||||
"posts": "Cargando publicaciones ... por favor espere."
|
||||
"chat": "cargando chat ... por favor espera.",
|
||||
"comments": "cargando comentarios ... por favor espere.",
|
||||
"posts": "cargando publicaciones ... por favor espere."
|
||||
},
|
||||
"member": "miembro",
|
||||
"member_other": "miembros",
|
||||
"message_us": "Envíenos un mensaje en Telegram o Discord si necesita 4 Qort para comenzar a chatear sin limitaciones",
|
||||
"message_us": "envíenos un mensaje en Telegram o Discord si necesita 4 Qort para comenzar a chatear sin limitaciones",
|
||||
"message": {
|
||||
"error": {
|
||||
"address_not_found": "No se encontró su dirección",
|
||||
"app_need_name": "Tu aplicación necesita un nombre",
|
||||
"build_app": "Incapaz de crear una aplicación privada",
|
||||
"decrypt_app": "No se puede descifrar la aplicación privada '",
|
||||
"download_image": "No se puede descargar la imagen. Vuelva a intentarlo más tarde haciendo clic en el botón Actualizar",
|
||||
"download_private_app": "No se puede descargar la aplicación privada",
|
||||
"encrypt_app": "No se puede cifrar la aplicación. Aplicación no publicada '",
|
||||
"fetch_app": "Incapaz de buscar la aplicación",
|
||||
"fetch_publish": "Incapaz de buscar publicar",
|
||||
"address_not_found": "no se encontró su dirección",
|
||||
"app_need_name": "tu aplicación necesita un nombre",
|
||||
"build_app": "incapaz de crear una aplicación privada",
|
||||
"decrypt_app": "no se puede descifrar la aplicación privada '",
|
||||
"download_image": "no se puede descargar la imagen. Vuelva a intentarlo más tarde haciendo clic en el botón Actualizar",
|
||||
"download_private_app": "no se puede descargar la aplicación privada",
|
||||
"encrypt_app": "no se puede cifrar la aplicación. Aplicación no publicada '",
|
||||
"fetch_app": "incapaz de buscar la aplicación",
|
||||
"fetch_publish": "incapaz de buscar publicar",
|
||||
"file_too_large": "file {{ filename }} is too large. Max size allowed is {{ size }} MB.",
|
||||
"generic": "Ocurrió un error",
|
||||
"initiate_download": "No se pudo iniciar la descarga",
|
||||
"generic": "ocurrió un error",
|
||||
"initiate_download": "no se pudo iniciar la descarga",
|
||||
"invalid_amount": "cantidad no válida",
|
||||
"invalid_base64": "datos no válidos de base64",
|
||||
"invalid_embed_link": "enlace de inserción no válido",
|
||||
"invalid_image_embed_link_name": "Enlace de incrustación de imagen no válida. Falta Param.",
|
||||
"invalid_poll_embed_link_name": "Enlace de incrustación de encuesta inválida. Nombre faltante.",
|
||||
"invalid_image_embed_link_name": "enlace de incrustación de imagen no válida. Falta Param.",
|
||||
"invalid_poll_embed_link_name": "enlace de incrustación de encuesta inválida. Nombre faltante.",
|
||||
"invalid_signature": "firma no válida",
|
||||
"invalid_theme_format": "formato de tema no válido",
|
||||
"invalid_zip": "zip no válido",
|
||||
"message_loading": "Error de carga de mensaje.",
|
||||
"message_loading": "error de carga de mensaje.",
|
||||
"message_size": "your message size is of {{ size }} bytes out of a maximum of {{ maximum }}",
|
||||
"minting_account_add": "No se puede agregar una cuenta de menta",
|
||||
"minting_account_remove": "No se puede eliminar la cuenta de acuñación",
|
||||
"minting_account_add": "no se puede agregar una cuenta de menta",
|
||||
"minting_account_remove": "no se puede eliminar la cuenta de acuñación",
|
||||
"missing_fields": "missing: {{ fields }}",
|
||||
"navigation_timeout": "tiempo de espera de navegación",
|
||||
"network_generic": "error de red",
|
||||
"password_not_matching": "¡Los campos de contraseña no coinciden!",
|
||||
"password_wrong": "incapaz de autenticarse. Contraseña incorrecta",
|
||||
"publish_app": "Incapaz de publicar la aplicación",
|
||||
"publish_image": "Incapaz de publicar imagen",
|
||||
"publish_app": "incapaz de publicar la aplicación",
|
||||
"publish_image": "incapaz de publicar imagen",
|
||||
"rate": "incapaz de calificar",
|
||||
"rating_option": "No se puede encontrar la opción de calificación",
|
||||
"save_qdn": "No se puede guardar en QDN",
|
||||
"send_failed": "No se pudo enviar",
|
||||
"update_failed": "No se pudo actualizar",
|
||||
"vote": "Incapaz de votar"
|
||||
"rating_option": "no se puede encontrar la opción de calificación",
|
||||
"save_qdn": "no se puede guardar en QDN",
|
||||
"send_failed": "no se pudo enviar",
|
||||
"update_failed": "no se pudo actualizar",
|
||||
"vote": "incapaz de votar"
|
||||
},
|
||||
"generic": {
|
||||
"already_voted": "ya has votado.",
|
||||
"avatar_size": "{{ size }} KB max. for GIFS",
|
||||
"benefits_qort": "beneficios de tener Qort",
|
||||
"building": "edificio",
|
||||
"building_app": "Aplicación de construcción",
|
||||
"building_app": "aplicación de construcción",
|
||||
"created_by": "created by {{ owner }}",
|
||||
"buy_order_request": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting {{count}} buy order</span>",
|
||||
"buy_order_request_other": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting {{count}} buy orders</span>",
|
||||
"devmode_local_node": "¡Utilice su nodo local para el modo Dev! INCOGAR y USAR NODO LOCAL.",
|
||||
"downloading": "descarga",
|
||||
"downloading_decrypting_app": "Descarga y descifrado de la aplicación privada.",
|
||||
"downloading_decrypting_app": "cescarga y descifrado de la aplicación privada.",
|
||||
"edited": "editado",
|
||||
"editing_message": "mensaje de edición",
|
||||
"encrypted": "encriptado",
|
||||
"encrypted_not": "no encriptado",
|
||||
"fee_qort": "fee: {{ message }} QORT",
|
||||
"fetching_data": "Obtener datos de aplicaciones",
|
||||
"fetching_data": "obtener datos de aplicaciones",
|
||||
"foreign_fee": "foreign fee: {{ message }}",
|
||||
"get_qort_trade_portal": "Obtenga Qort usando el portal de comercio Crosschain de Qortalal",
|
||||
"get_qort_trade_portal": "obtenga Qort usando el portal de comercio Crosschain de Qortalal",
|
||||
"minimal_qort_balance": "having at least {{ quantity }} QORT in your balance (4 qort balance for chat, 1.25 for name, 0.75 for some transactions)",
|
||||
"mentioned": "mencionado",
|
||||
"message_with_image": "Este mensaje ya tiene una imagen",
|
||||
"message_with_image": "este mensaje ya tiene una imagen",
|
||||
"most_recent_payment": "{{ count }} most recent payment",
|
||||
"name_available": "{{ name }} is available",
|
||||
"name_benefits": "Beneficios de un nombre",
|
||||
"name_checking": "Verificar si el nombre ya existe",
|
||||
"name_preview": "Necesita un nombre para usar la vista previa",
|
||||
"name_publish": "Necesita un nombre de Qortal para publicar",
|
||||
"name_rate": "Necesitas un nombre para calificar.",
|
||||
"name_benefits": "beneficios de un nombre",
|
||||
"name_checking": "verificar si el nombre ya existe",
|
||||
"name_preview": "necesita un nombre para usar la vista previa",
|
||||
"name_publish": "necesita un nombre de Qortal para publicar",
|
||||
"name_rate": "necesitas un nombre para calificar.",
|
||||
"name_registration": "your balance is {{ balance }} QORT. A name registration requires a {{ fee }} QORT fee",
|
||||
"name_unavailable": "{{ name }} is unavailable",
|
||||
"no_data_image": "No hay datos para la imagen",
|
||||
"no_description": "Sin descripción",
|
||||
"no_messages": "Sin mensajes",
|
||||
"no_minting_details": "No se puede ver los detalles de acuñado en la puerta de enlace",
|
||||
"no_notifications": "No hay nuevas notificaciones",
|
||||
"no_payments": "Sin pagos",
|
||||
"no_pinned_changes": "Actualmente no tiene ningún cambio en sus aplicaciones fijadas",
|
||||
"no_results": "Sin resultados",
|
||||
"one_app_per_name": "Nota: Actualmente, solo se permite una aplicación y un sitio web por nombre.",
|
||||
"no_data_image": "no hay datos para la imagen",
|
||||
"no_description": "sin descripción",
|
||||
"no_messages": "sin mensajes",
|
||||
"no_minting_details": "no se puede ver los detalles de acuñado en la puerta de enlace",
|
||||
"no_notifications": "no hay nuevas notificaciones",
|
||||
"no_payments": "sin pagos",
|
||||
"no_pinned_changes": "actualmente no tiene ningún cambio en sus aplicaciones fijadas",
|
||||
"no_results": "sin resultados",
|
||||
"one_app_per_name": "nota: Actualmente, solo se permite una aplicación y un sitio web por nombre.",
|
||||
"opened": "abierto",
|
||||
"overwrite_qdn": "sobrescribir a QDN",
|
||||
"password_confirm": "Confirme una contraseña",
|
||||
"password_enter": "Ingrese una contraseña",
|
||||
"password_confirm": "confirme una contraseña",
|
||||
"password_enter": "ingrese una contraseña",
|
||||
"payment_request": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting a payment</span>",
|
||||
"people_reaction": "people who reacted with {{ reaction }}",
|
||||
"processing_transaction": "está procesando transacciones, espere ...",
|
||||
"publish_data": "Publicar datos en Qortal: cualquier cosa, desde aplicaciones hasta videos. Totalmente descentralizado!",
|
||||
"publishing": "Publicación ... por favor espera.",
|
||||
"qdn": "Use el ahorro de QDN",
|
||||
"publish_data": "publicar datos en Qortal: cualquier cosa, desde aplicaciones hasta videos. Totalmente descentralizado!",
|
||||
"publishing": "publicación ... por favor espera.",
|
||||
"qdn": "use el ahorro de QDN",
|
||||
"rating": "rating for {{ service }} {{ name }}",
|
||||
"register_name": "Necesita un nombre de Qortal registrado para guardar sus aplicaciones fijadas en QDN.",
|
||||
"register_name": "necesita un nombre de Qortal registrado para guardar sus aplicaciones fijadas en QDN.",
|
||||
"replied_to": "replied to {{ person }}",
|
||||
"revert_default": "Volver al valor predeterminado",
|
||||
"revert_default": "volver al valor predeterminado",
|
||||
"revert_qdn": "volver a QDN",
|
||||
"save_qdn": "Guardar en QDN",
|
||||
"secure_ownership": "Asegure la propiedad de los datos publicados por su nombre. Incluso puede vender su nombre, junto con sus datos a un tercero.",
|
||||
"select_file": "Seleccione un archivo",
|
||||
"select_image": "Seleccione una imagen para un logotipo",
|
||||
"select_zip": "Seleccione el archivo .zip que contenga contenido estático:",
|
||||
"save_qdn": "guardar en QDN",
|
||||
"secure_ownership": "asegure la propiedad de los datos publicados por su nombre. Incluso puede vender su nombre, junto con sus datos a un tercero.",
|
||||
"select_file": "seleccione un archivo",
|
||||
"select_image": "seleccione una imagen para un logotipo",
|
||||
"select_zip": "seleccione el archivo .zip que contenga contenido estático:",
|
||||
"sending": "envío...",
|
||||
"settings": "Está utilizando la forma de exportación/importación de la configuración de ahorro.",
|
||||
"space_for_admins": "Lo siento, este espacio es solo para administradores.",
|
||||
"unread_messages": "Mensajes no leídos a continuación",
|
||||
"unsaved_changes": "Tiene cambios no salvos en sus aplicaciones fijadas. Guárdelos a QDN.",
|
||||
"settings": "está utilizando la forma de exportación/importación de la configuración de ahorro.",
|
||||
"space_for_admins": "lo siento, este espacio es solo para administradores.",
|
||||
"unread_messages": "mensajes no leídos a continuación",
|
||||
"unsaved_changes": "tiene cambios no salvos en sus aplicaciones fijadas. Guárdelos a QDN.",
|
||||
"updating": "actualización"
|
||||
},
|
||||
"message": "mensaje",
|
||||
"promotion_text": "Texto de promoción",
|
||||
"promotion_text": "texto de promoción",
|
||||
"question": {
|
||||
"accept_vote_on_poll": "¿Acepta esta transacción votante_on_poll? ¡Las encuestas son públicas!",
|
||||
"logout": "¿Estás seguro de que te gustaría cerrar sesión?",
|
||||
"new_user": "¿Eres un nuevo usuario?",
|
||||
"delete_chat_image": "¿Le gustaría eliminar su imagen de chat anterior?",
|
||||
"perform_transaction": "would you like to perform a {{action}} transaction?",
|
||||
"provide_thread": "Proporcione un título de hilo",
|
||||
"provide_thread": "proporcione un título de hilo",
|
||||
"publish_app": "¿Le gustaría publicar esta aplicación?",
|
||||
"publish_avatar": "¿Le gustaría publicar un avatar?",
|
||||
"publish_qdn": "¿Le gustaría publicar su configuración en QDN (cifrado)?",
|
||||
"overwrite_changes": "La aplicación no pudo descargar sus aplicaciones fijadas existentes de QDN. ¿Le gustaría sobrescribir esos cambios?",
|
||||
"overwrite_changes": "la aplicación no pudo descargar sus aplicaciones fijadas existentes de QDN. ¿Le gustaría sobrescribir esos cambios?",
|
||||
"rate_app": "would you like to rate this app a rating of {{ rate }}?. It will create a POLL tx.",
|
||||
"register_name": "¿Le gustaría registrar este nombre?",
|
||||
"reset_pinned": "¿No te gustan tus cambios locales actuales? ¿Le gustaría restablecer las aplicaciones fijadas predeterminadas?",
|
||||
@ -304,11 +304,11 @@
|
||||
"synchronizing": "sincronización"
|
||||
},
|
||||
"success": {
|
||||
"order_submitted": "Su pedido de compra fue enviado",
|
||||
"order_submitted": "su pedido de compra fue enviado",
|
||||
"published": "publicado con éxito. Espere un par de minutos para que la red propoque los cambios.",
|
||||
"published_qdn": "publicado con éxito a QDN",
|
||||
"rated_app": "calificado con éxito. Espere un par de minutos para que la red propoque los cambios.",
|
||||
"request_read": "He leído esta solicitud",
|
||||
"request_read": "he leído esta solicitud",
|
||||
"transfer": "¡La transferencia fue exitosa!",
|
||||
"voted": "votado con éxito. Espere un par de minutos para que la red propoque los cambios."
|
||||
}
|
||||
@ -320,6 +320,7 @@
|
||||
"none": "ninguno",
|
||||
"note": "nota",
|
||||
"option": "opción",
|
||||
"option_no": "sin opción",
|
||||
"option_other": "opción",
|
||||
"page": {
|
||||
"last": "último",
|
||||
@ -328,15 +329,17 @@
|
||||
"previous": "anterior"
|
||||
},
|
||||
"payment_notification": "notificación de pago",
|
||||
"payment": "pago",
|
||||
"poll_embed": "encuesta",
|
||||
"port": "puerto",
|
||||
"price": "precio",
|
||||
"publish": "publicación",
|
||||
"q_apps": {
|
||||
"about": "Sobre este Q-App",
|
||||
"about": "sobre este Q-App",
|
||||
"q_mail": "QAIL",
|
||||
"q_manager": "manager",
|
||||
"q_sandbox": "Q-Sandbox",
|
||||
"q_wallets": "Medillas Q"
|
||||
"q_wallets": "medillas Q"
|
||||
},
|
||||
"receiver": "receptor",
|
||||
"sender": "remitente",
|
||||
@ -351,8 +354,9 @@
|
||||
"theme": {
|
||||
"dark": "oscuro",
|
||||
"dark_mode": "modo oscuro",
|
||||
"default": "tema predeterminado",
|
||||
"light": "luz",
|
||||
"light_mode": "modo de luz",
|
||||
"light_mode": "modo claro",
|
||||
"manager": "gerente de tema",
|
||||
"name": "nombre del tema"
|
||||
},
|
||||
@ -384,4 +388,4 @@
|
||||
},
|
||||
"website": "sitio web",
|
||||
"welcome": "bienvenido"
|
||||
}
|
||||
}
|
||||
|
@ -1,45 +1,44 @@
|
||||
{
|
||||
"action": {
|
||||
"add_promotion": "Agregar promoción",
|
||||
"ban": "Prohibir miembro del grupo",
|
||||
"cancel_ban": "Cancelar prohibición",
|
||||
"copy_private_key": "Copiar clave privada",
|
||||
"add_promotion": "agregar promoción",
|
||||
"ban": "prohibir miembro del grupo",
|
||||
"cancel_ban": "cancelar prohibición",
|
||||
"copy_private_key": "copiar clave privada",
|
||||
"create_group": "crear grupo",
|
||||
"disable_push_notifications": "Deshabilitar todas las notificaciones push",
|
||||
"export_password": "Exportar contraseña",
|
||||
"export_private_key": "Exportar clave privada",
|
||||
"disable_push_notifications": "deshabilitar todas las notificaciones push",
|
||||
"export_password": "exportar contraseña",
|
||||
"export_private_key": "exportar clave privada",
|
||||
"find_group": "encontrar grupo",
|
||||
"join_group": "unirse al grupo",
|
||||
"kick_member": "patear miembro del grupo",
|
||||
"invite_member": "Invitar miembro",
|
||||
"invite_member": "invitar miembro",
|
||||
"leave_group": "dejar el grupo",
|
||||
"load_members": "Cargar miembros con nombres",
|
||||
"load_members": "cargar miembros con nombres",
|
||||
"make_admin": "hacer un administrador",
|
||||
"manage_members": "administrar miembros",
|
||||
"promote_group": "Promocione a su grupo a los no miembros",
|
||||
"promote_group": "promocione a su grupo a los no miembros",
|
||||
"publish_announcement": "publicar el anuncio",
|
||||
"publish_avatar": "publicar avatar",
|
||||
"refetch_page": "Página de reacondicionamiento",
|
||||
"refetch_page": "página de reacondicionamiento",
|
||||
"remove_admin": "eliminar como administrador",
|
||||
"remove_minting_account": "Eliminar la cuenta de acuñación",
|
||||
"remove_minting_account": "eliminar la cuenta de acuñación",
|
||||
"return_to_thread": "volver a los hilos",
|
||||
"scroll_bottom": "desplazarse hacia abajo",
|
||||
"scroll_unread_messages": "Desplácese a mensajes no leídos",
|
||||
"select_group": "Seleccione un grupo",
|
||||
"visit_q_mintership": "Visite Q-Mintership"
|
||||
"scroll_unread_messages": "desplácese a mensajes no leídos",
|
||||
"select_group": "seleccione un grupo",
|
||||
"visit_q_mintership": "visite Q-Mintership"
|
||||
},
|
||||
"advanced_options": "Opciones avanzadas",
|
||||
"ban_list": "lista de prohibición",
|
||||
"advanced_options": "opciones avanzadas",
|
||||
"block_delay": {
|
||||
"minimum": "Retraso de bloque mínimo",
|
||||
"maximum": "Retraso de bloque máximo"
|
||||
"minimum": "retraso de bloque mínimo",
|
||||
"maximum": "retraso de bloque máximo"
|
||||
},
|
||||
"group": {
|
||||
"approval_threshold": "umbral de aprobación del grupo",
|
||||
"avatar": "avatar de grupo",
|
||||
"closed": "Cerrado (privado) - Los usuarios necesitan permiso para unirse",
|
||||
"description": "Descripción del grupo",
|
||||
"id": "ID de grupo",
|
||||
"closed": "cerrado (privado) - Los usuarios necesitan permiso para unirse",
|
||||
"description": "descripción del grupo",
|
||||
"id": "iD de grupo",
|
||||
"invites": "invitaciones grupales",
|
||||
"group": "grupo",
|
||||
"group_name": "group: {{ name }}",
|
||||
@ -49,13 +48,13 @@
|
||||
"member_number": "número de miembros",
|
||||
"messaging": "mensajería",
|
||||
"name": "nombre de grupo",
|
||||
"open": "Abierto (público)",
|
||||
"open": "abierto (público)",
|
||||
"private": "grupo privado",
|
||||
"promotions": "promociones grupales",
|
||||
"public": "grupo público",
|
||||
"type": "tipo de grupo"
|
||||
},
|
||||
"invitation_expiry": "Tiempo de vencimiento de la invitación",
|
||||
"invitation_expiry": "tiempo de vencimiento de la invitación",
|
||||
"invitees_list": "lista de invitados",
|
||||
"join_link": "unir el enlace grupal",
|
||||
"join_requests": "unir las solicitudes",
|
||||
@ -65,102 +64,102 @@
|
||||
"message": {
|
||||
"generic": {
|
||||
"avatar_publish_fee": "publishing an Avatar requires {{ fee }}",
|
||||
"avatar_registered_name": "Se requiere un nombre registrado para establecer un avatar",
|
||||
"admin_only": "Solo se mostrarán grupos donde se encuentre un administrador",
|
||||
"avatar_registered_name": "se requiere un nombre registrado para establecer un avatar",
|
||||
"admin_only": "solo se mostrarán grupos donde se encuentre un administrador",
|
||||
"already_in_group": "¡Ya estás en este grupo!",
|
||||
"block_delay_minimum": "Retraso de bloque mínimo para las aprobaciones de transacciones grupales",
|
||||
"block_delay_maximum": "Retraso de bloque máximo para las aprobaciones de transacciones grupales",
|
||||
"closed_group": "Este es un grupo cerrado/privado, por lo que deberá esperar hasta que un administrador acepte su solicitud.",
|
||||
"block_delay_minimum": "retraso de bloque mínimo para las aprobaciones de transacciones grupales",
|
||||
"block_delay_maximum": "retraso de bloque máximo para las aprobaciones de transacciones grupales",
|
||||
"closed_group": "este es un grupo cerrado/privado, por lo que deberá esperar hasta que un administrador acepte su solicitud.",
|
||||
"descrypt_wallet": "descifrando la billetera ...",
|
||||
"encryption_key": "La primera clave de cifrado común del grupo está en el proceso de creación. Espere unos minutos para que la red recupere la red. Revisando cada 2 minutos ...",
|
||||
"group_announcement": "Anuncios grupales",
|
||||
"group_approval_threshold": "Umbral de aprobación del grupo (número / porcentaje de administradores que deben aprobar una transacción)",
|
||||
"encryption_key": "la primera clave de cifrado común del grupo está en el proceso de creación. Espere unos minutos para que la red recupere la red. Revisando cada 2 minutos ...",
|
||||
"group_announcement": "anuncios grupales",
|
||||
"group_approval_threshold": "umbral de aprobación del grupo (número / porcentaje de administradores que deben aprobar una transacción)",
|
||||
"group_encrypted": "grupo encriptado",
|
||||
"group_invited_you": "{{group}} has invited you",
|
||||
"group_key_created": "Primera clave de grupo creada.",
|
||||
"group_member_list_changed": "La lista de miembros del grupo ha cambiado. Vuelva a encriptar la clave secreta.",
|
||||
"group_no_secret_key": "No hay una clave secreta grupal. ¡Sea el primer administrador en publicar uno!",
|
||||
"group_secret_key_no_owner": "El último grupo Secret Key fue publicado por un no propietario. Como propietario del grupo, vuelva a encriptar la clave como salvaguardia.",
|
||||
"invalid_content": "Contenido no válido, remitente o marca de tiempo en datos de reacción",
|
||||
"invalid_data": "Error de carga de contenido: datos no válidos",
|
||||
"latest_promotion": "Solo la última promoción de la semana se mostrará para su grupo.",
|
||||
"loading_members": "Cargando la lista de miembros con nombres ... por favor espere.",
|
||||
"max_chars": "Max 200 caracteres. Publicar tarifa",
|
||||
"manage_minting": "Administre su menta",
|
||||
"minter_group": "Actualmente no eres parte del grupo Minter",
|
||||
"mintership_app": "Visite la aplicación Q-Mintership para aplicar a un Minter",
|
||||
"minting_account": "Cuenta de acuñado:",
|
||||
"minting_keys_per_node": "Solo se permiten 2 claves de acuñación por nodo. Eliminar uno si desea acomodar con esta cuenta.",
|
||||
"minting_keys_per_node_different": "Solo se permiten 2 claves de acuñación por nodo. Elimine uno si desea agregar una cuenta diferente.",
|
||||
"next_level": "Bloques restantes hasta el siguiente nivel:",
|
||||
"node_minting": "Este nodo está acuñado:",
|
||||
"node_minting_account": "Cuentas de menta de nodo",
|
||||
"node_minting_key": "Actualmente tiene una clave de menta para esta cuenta adjunta a este nodo",
|
||||
"no_announcement": "Sin anuncios",
|
||||
"group_key_created": "primera clave de grupo creada.",
|
||||
"group_member_list_changed": "la lista de miembros del grupo ha cambiado. Vuelva a encriptar la clave secreta.",
|
||||
"group_no_secret_key": "no hay una clave secreta grupal. ¡Sea el primer administrador en publicar uno!",
|
||||
"group_secret_key_no_owner": "el último grupo Secret Key fue publicado por un no propietario. Como propietario del grupo, vuelva a encriptar la clave como salvaguardia.",
|
||||
"invalid_content": "contenido no válido, remitente o marca de tiempo en datos de reacción",
|
||||
"invalid_data": "error de carga de contenido: datos no válidos",
|
||||
"latest_promotion": "solo la última promoción de la semana se mostrará para su grupo.",
|
||||
"loading_members": "cargando la lista de miembros con nombres ... por favor espere.",
|
||||
"max_chars": "max 200 caracteres. Publicar tarifa",
|
||||
"manage_minting": "administre su menta",
|
||||
"minter_group": "actualmente no eres parte del grupo Minter",
|
||||
"mintership_app": "visite la aplicación Q-Mintership para aplicar a un Minter",
|
||||
"minting_account": "cuenta de acuñado:",
|
||||
"minting_keys_per_node": "solo se permiten 2 claves de acuñación por nodo. Eliminar uno si desea acomodar con esta cuenta.",
|
||||
"minting_keys_per_node_different": "solo se permiten 2 claves de acuñación por nodo. Elimine uno si desea agregar una cuenta diferente.",
|
||||
"next_level": "bloques restantes hasta el siguiente nivel:",
|
||||
"node_minting": "este nodo está acuñado:",
|
||||
"node_minting_account": "cuentas de menta de nodo",
|
||||
"node_minting_key": "actualmente tiene una clave de menta para esta cuenta adjunta a este nodo",
|
||||
"no_announcement": "sin anuncios",
|
||||
"no_display": "nada que mostrar",
|
||||
"no_selection": "No hay grupo seleccionado",
|
||||
"not_part_group": "No eres parte del grupo cifrado de miembros. Espere hasta que un administrador vuelva a encriptar las teclas.",
|
||||
"only_encrypted": "Solo se mostrarán mensajes sin cifrar.",
|
||||
"only_private_groups": "Solo se mostrarán grupos privados",
|
||||
"no_selection": "no hay grupo seleccionado",
|
||||
"not_part_group": "no eres parte del grupo cifrado de miembros. Espere hasta que un administrador vuelva a encriptar las teclas.",
|
||||
"only_encrypted": "solo se mostrarán mensajes sin cifrar.",
|
||||
"only_private_groups": "solo se mostrarán grupos privados",
|
||||
"pending_join_requests": "{{ group }} has {{ count }} pending join requests",
|
||||
"private_key_copied": "Clave privada copiada",
|
||||
"provide_message": "Proporcione un primer mensaje al hilo",
|
||||
"secure_place": "Mantenga su llave privada en un lugar seguro. ¡No comparta!",
|
||||
"setting_group": "Configuración del grupo ... por favor espere."
|
||||
"private_key_copied": "clave privada copiada",
|
||||
"provide_message": "proporcione un primer mensaje al hilo",
|
||||
"secure_place": "mantenga su llave privada en un lugar seguro. ¡No comparta!",
|
||||
"setting_group": "configuración del grupo ... por favor espere."
|
||||
},
|
||||
"error": {
|
||||
"access_name": "No se puede enviar un mensaje sin acceso a su nombre",
|
||||
"descrypt_wallet": "error decrypting wallet {{ :errorMessage }}",
|
||||
"description_required": "Proporcione una descripción",
|
||||
"group_info": "No se puede acceder a la información del grupo",
|
||||
"group_join": "No se unió al grupo",
|
||||
"group_promotion": "Error al publicar la promoción. Por favor intente de nuevo",
|
||||
"group_secret_key": "No se puede obtener la clave secreta del grupo",
|
||||
"name_required": "Proporcione un nombre",
|
||||
"notify_admins": "Intente notificar a un administrador de la lista de administradores a continuación:",
|
||||
"access_name": "no se puede enviar un mensaje sin acceso a su nombre",
|
||||
"descrypt_wallet": "error decrypting wallet {{ message }}",
|
||||
"description_required": "proporcione una descripción",
|
||||
"group_info": "no se puede acceder a la información del grupo",
|
||||
"group_join": "no se unió al grupo",
|
||||
"group_promotion": "error al publicar la promoción. Por favor intente de nuevo",
|
||||
"group_secret_key": "no se puede obtener la clave secreta del grupo",
|
||||
"name_required": "proporcione un nombre",
|
||||
"notify_admins": "intente notificar a un administrador de la lista de administradores a continuación:",
|
||||
"qortals_required": "you need at least {{ quantity }} QORT to send a message",
|
||||
"timeout_reward": "Tiempo de espera esperando la confirmación de recompensas compartidas",
|
||||
"thread_id": "No se puede localizar la identificación del hilo",
|
||||
"unable_determine_group_private": "No se puede determinar si el grupo es privado",
|
||||
"unable_minting": "Incapaz de comenzar a acuñar"
|
||||
"timeout_reward": "tiempo de espera esperando la confirmación de recompensas compartidas",
|
||||
"thread_id": "no se puede localizar la identificación del hilo",
|
||||
"unable_determine_group_private": "no se puede determinar si el grupo es privado",
|
||||
"unable_minting": "incapaz de comenzar a acuñar"
|
||||
},
|
||||
"success": {
|
||||
"group_ban": "Problimado con éxito miembro del grupo. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"group_creation": "Grupo creado con éxito. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"group_ban": "problimado con éxito miembro del grupo. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"group_creation": "grupo creado con éxito. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"group_creation_name": "created group {{group_name}}: awaiting confirmation",
|
||||
"group_creation_label": "created group {{name}}: success!",
|
||||
"group_invite": "successfully invited {{value}}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_invite": "successfully invited {{invitee}}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_join": "solicitó con éxito unirse al grupo. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"group_join_name": "joined group {{group_name}}: awaiting confirmation",
|
||||
"group_join_label": "joined group {{name}}: success!",
|
||||
"group_join_request": "requested to join Group {{group_name}}: awaiting confirmation",
|
||||
"group_join_outcome": "requested to join Group {{group_name}}: success!",
|
||||
"group_kick": "Pateó con éxito miembro del grupo. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"group_kick": "pateó con éxito miembro del grupo. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"group_leave": "solicitó con éxito dejar el grupo. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"group_leave_name": "left group {{group_name}}: awaiting confirmation",
|
||||
"group_leave_label": "left group {{name}}: success!",
|
||||
"group_member_admin": "El miembro hizo con éxito un administrador. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"group_promotion": "Promoción publicada con éxito. Puede tomar un par de minutos para que aparezca la promoción.",
|
||||
"group_remove_member": "El miembro eliminado con éxito como administrador. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"invitation_cancellation": "Invitación cancelada con éxito. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"invitation_request": "Solicitud de unión aceptada: espera confirmación",
|
||||
"loading_threads": "Cargando hilos ... por favor espere.",
|
||||
"post_creation": "Post creado con éxito. La publicación puede tardar un tiempo en propagarse",
|
||||
"group_member_admin": "el miembro hizo con éxito un administrador. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"group_promotion": "promoción publicada con éxito. Puede tomar un par de minutos para que aparezca la promoción.",
|
||||
"group_remove_member": "el miembro eliminado con éxito como administrador. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"invitation_cancellation": "invitación cancelada con éxito. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"invitation_request": "solicitud de unión aceptada: espera confirmación",
|
||||
"loading_threads": "cargando hilos ... por favor espere.",
|
||||
"post_creation": "post creado con éxito. La publicación puede tardar un tiempo en propagarse",
|
||||
"published_secret_key": "published secret key for group {{ group_id }}: awaiting confirmation",
|
||||
"published_secret_key_label": "published secret key for group {{ group_id }}: success!",
|
||||
"registered_name": "registrado con éxito. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"registered_name_label": "Nombre registrado: Confirmación en espera. Esto puede llevar un par de minutos.",
|
||||
"registered_name_success": "Nombre registrado: ¡éxito!",
|
||||
"rewardshare_add": "Agregar recompensas Share: esperando confirmación",
|
||||
"rewardshare_add_label": "Agregar recompensas Share: ¡éxito!",
|
||||
"rewardshare_creation": "Confirmando la creación de recompensas en la cadena. Tenga paciencia, esto podría tomar hasta 90 segundos.",
|
||||
"registered_name_label": "nombre registrado: Confirmación en espera. Esto puede llevar un par de minutos.",
|
||||
"registered_name_success": "nombre registrado: ¡éxito!",
|
||||
"rewardshare_add": "agregar recompensas Share: esperando confirmación",
|
||||
"rewardshare_add_label": "agregar recompensas Share: ¡éxito!",
|
||||
"rewardshare_creation": "confirmando la creación de recompensas en la cadena. Tenga paciencia, esto podría tomar hasta 90 segundos.",
|
||||
"rewardshare_confirmed": "recompensas confirmadas. Haga clic en Siguiente.",
|
||||
"rewardshare_remove": "Eliminar recompensas Share: espera confirmación",
|
||||
"rewardshare_remove_label": "Eliminar recompensas Share: ¡éxito!",
|
||||
"rewardshare_remove": "eliminar recompensas Share: espera confirmación",
|
||||
"rewardshare_remove_label": "eliminar recompensas Share: ¡éxito!",
|
||||
"thread_creation": "hilo creado con éxito. La publicación puede tardar un tiempo en propagarse",
|
||||
"unbanned_user": "Usuario sin explotar con éxito. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"unbanned_user": "usuario sin explotar con éxito. Puede tomar un par de minutos para que los cambios se propagen",
|
||||
"user_joined": "¡El usuario se unió con éxito!"
|
||||
}
|
||||
},
|
||||
"thread_posts": "Nuevas publicaciones de hilo"
|
||||
}
|
||||
"thread_posts": "nuevas publicaciones de hilo"
|
||||
}
|
||||
|
@ -1,11 +1,11 @@
|
||||
{
|
||||
"accept_app_fee": "aceptar la tarifa de la aplicación",
|
||||
"always_authenticate": "siempre autenticarse automáticamente",
|
||||
"always_chat_messages": "Siempre permita mensajes de chat desde esta aplicación",
|
||||
"always_retrieve_balance": "Siempre permita que el equilibrio se recupere automáticamente",
|
||||
"always_retrieve_list": "Siempre permita que las listas se recuperen automáticamente",
|
||||
"always_retrieve_wallet": "Siempre permita que la billetera se recupere automáticamente",
|
||||
"always_retrieve_wallet_transactions": "Siempre permita que las transacciones de billetera se recuperen automáticamente",
|
||||
"always_chat_messages": "siempre permita mensajes de chat desde esta aplicación",
|
||||
"always_retrieve_balance": "siempre permita que el equilibrio se recupere automáticamente",
|
||||
"always_retrieve_list": "siempre permita que las listas se recuperen automáticamente",
|
||||
"always_retrieve_wallet": "siempre permita que la billetera se recupere automáticamente",
|
||||
"always_retrieve_wallet_transactions": "siempre permita que las transacciones de billetera se recuperen automáticamente",
|
||||
"amount_qty": "amount: {{ quantity }}",
|
||||
"asset_name": "asset: {{ asset }}",
|
||||
"assets_used_pay": "asset used in payments: {{ asset }}",
|
||||
@ -15,110 +15,110 @@
|
||||
"download_file": "¿Le gustaría descargar?",
|
||||
"message": {
|
||||
"error": {
|
||||
"add_to_list": "No se pudo agregar a la lista",
|
||||
"add_to_list": "no se pudo agregar a la lista",
|
||||
"at_info": "no puedo encontrar en la información.",
|
||||
"buy_order": "No se pudo presentar una orden comercial",
|
||||
"cancel_sell_order": "No se pudo cancelar el pedido de venta. ¡Intentar otra vez!",
|
||||
"copy_clipboard": "No se pudo copiar al portapapeles",
|
||||
"create_sell_order": "No se pudo crear un pedido de venta. ¡Intentar otra vez!",
|
||||
"create_tradebot": "No se puede crear TradeBot",
|
||||
"decode_transaction": "No se pudo decodificar la transacción",
|
||||
"decrypt": "Incifto de descifrar",
|
||||
"decrypt_message": "No se pudo descifrar el mensaje. Asegúrese de que los datos y las claves sean correctos",
|
||||
"decryption_failed": "El descifrado falló",
|
||||
"buy_order": "no se pudo presentar una orden comercial",
|
||||
"cancel_sell_order": "no se pudo cancelar el pedido de venta. ¡Intentar otra vez!",
|
||||
"copy_clipboard": "no se pudo copiar al portapapeles",
|
||||
"create_sell_order": "no se pudo crear un pedido de venta. ¡Intentar otra vez!",
|
||||
"create_tradebot": "no se puede crear TradeBot",
|
||||
"decode_transaction": "no se pudo decodificar la transacción",
|
||||
"decrypt": "incifto de descifrar",
|
||||
"decrypt_message": "no se pudo descifrar el mensaje. Asegúrese de que los datos y las claves sean correctos",
|
||||
"decryption_failed": "el descifrado falló",
|
||||
"empty_receiver": "¡El receptor no puede estar vacío!",
|
||||
"encrypt": "incapaz de cifrar",
|
||||
"encryption_failed": "El cifrado falló",
|
||||
"encryption_requires_public_key": "Cifrar datos requiere claves públicas",
|
||||
"encryption_failed": "el cifrado falló",
|
||||
"encryption_requires_public_key": "cifrar datos requiere claves públicas",
|
||||
"fetch_balance_token": "failed to fetch {{ token }} Balance. Try again!",
|
||||
"fetch_balance": "Incapaz de obtener el equilibrio",
|
||||
"fetch_connection_history": "No se pudo obtener el historial de conexión del servidor",
|
||||
"fetch_generic": "Incapaz de buscar",
|
||||
"fetch_group": "No se pudo buscar al grupo",
|
||||
"fetch_list": "No se pudo obtener la lista",
|
||||
"fetch_poll": "No logró obtener una encuesta",
|
||||
"fetch_recipient_public_key": "No logró obtener la clave pública del destinatario",
|
||||
"fetch_wallet_info": "Incapaz de obtener información de billetera",
|
||||
"fetch_wallet_transactions": "Incapaz de buscar transacciones de billetera",
|
||||
"fetch_wallet": "Fatch Wallet falló. Por favor intente de nuevo",
|
||||
"fetch_balance": "incapaz de obtener el equilibrio",
|
||||
"fetch_connection_history": "no se pudo obtener el historial de conexión del servidor",
|
||||
"fetch_generic": "incapaz de buscar",
|
||||
"fetch_group": "no se pudo buscar al grupo",
|
||||
"fetch_list": "no se pudo obtener la lista",
|
||||
"fetch_poll": "no logró obtener una encuesta",
|
||||
"fetch_recipient_public_key": "no logró obtener la clave pública del destinatario",
|
||||
"fetch_wallet_info": "incapaz de obtener información de billetera",
|
||||
"fetch_wallet_transactions": "incapaz de buscar transacciones de billetera",
|
||||
"fetch_wallet": "fatch Wallet falló. Por favor intente de nuevo",
|
||||
"file_extension": "no se pudo derivar una extensión de archivo",
|
||||
"gateway_balance_local_node": "cannot view {{ token }} balance through the gateway. Please use your local node.",
|
||||
"gateway_non_qort_local_node": "No se puede enviar una moneda que no sea de Qort a través de la puerta de enlace. Utilice su nodo local.",
|
||||
"gateway_non_qort_local_node": "no se puede enviar una moneda que no sea de Qort a través de la puerta de enlace. Utilice su nodo local.",
|
||||
"gateway_retrieve_balance": "retrieving {{ token }} balance is not allowed through a gateway",
|
||||
"gateway_wallet_local_node": "cannot view {{ token }} wallet through the gateway. Please use your local node.",
|
||||
"get_foreign_fee": "Error en obtener una tarifa extranjera",
|
||||
"insufficient_balance_qort": "Su saldo Qort es insuficiente",
|
||||
"insufficient_balance": "Su saldo de activos es insuficiente",
|
||||
"get_foreign_fee": "error en obtener una tarifa extranjera",
|
||||
"insufficient_balance_qort": "su saldo Qort es insuficiente",
|
||||
"insufficient_balance": "su saldo de activos es insuficiente",
|
||||
"insufficient_funds": "fondos insuficientes",
|
||||
"invalid_encryption_iv": "Inválido IV: AES-GCM requiere un IV de 12 bytes",
|
||||
"invalid_encryption_key": "Clave no válida: AES-GCM requiere una clave de 256 bits.",
|
||||
"invalid_fullcontent": "Field FullContent está en un formato no válido. Use una cadena, base64 o un objeto",
|
||||
"invalid_receiver": "Dirección o nombre del receptor no válido",
|
||||
"invalid_encryption_iv": "inválido IV: AES-GCM requiere un IV de 12 bytes",
|
||||
"invalid_encryption_key": "clave no válida: AES-GCM requiere una clave de 256 bits.",
|
||||
"invalid_fullcontent": "field FullContent está en un formato no válido. Use una cadena, base64 o un objeto",
|
||||
"invalid_receiver": "dirección o nombre del receptor no válido",
|
||||
"invalid_type": "tipo no válido",
|
||||
"mime_type": "un mimetipo no se pudo derivar",
|
||||
"missing_fields": "missing fields: {{ fields }}",
|
||||
"name_already_for_sale": "Este nombre ya está a la venta",
|
||||
"name_not_for_sale": "Este nombre no está a la venta",
|
||||
"no_api_found": "No se encontró una API utilizable",
|
||||
"no_data_encrypted_resource": "No hay datos en el recurso cifrado",
|
||||
"no_data_file_submitted": "No se enviaron datos o archivo",
|
||||
"name_already_for_sale": "este nombre ya está a la venta",
|
||||
"name_not_for_sale": "este nombre no está a la venta",
|
||||
"no_api_found": "no se encontró una API utilizable",
|
||||
"no_data_encrypted_resource": "no hay datos en el recurso cifrado",
|
||||
"no_data_file_submitted": "no se enviaron datos o archivo",
|
||||
"no_group_found": "grupo no encontrado",
|
||||
"no_group_key": "No se encontró ninguna llave de grupo",
|
||||
"no_group_key": "no se encontró ninguna llave de grupo",
|
||||
"no_poll": "encuesta no encontrada",
|
||||
"no_resources_publish": "No hay recursos para publicar",
|
||||
"node_info": "No se pudo recuperar la información del nodo",
|
||||
"node_status": "No se pudo recuperar el estado del nodo",
|
||||
"only_encrypted_data": "Solo los datos cifrados pueden ir a servicios privados",
|
||||
"perform_request": "No se pudo realizar la solicitud",
|
||||
"poll_create": "No se pudo crear una encuesta",
|
||||
"no_resources_publish": "no hay recursos para publicar",
|
||||
"node_info": "no se pudo recuperar la información del nodo",
|
||||
"node_status": "no se pudo recuperar el estado del nodo",
|
||||
"only_encrypted_data": "solo los datos cifrados pueden ir a servicios privados",
|
||||
"perform_request": "no se pudo realizar la solicitud",
|
||||
"poll_create": "no se pudo crear una encuesta",
|
||||
"poll_vote": "no votó sobre la encuesta",
|
||||
"process_transaction": "No se puede procesar la transacción",
|
||||
"provide_key_shared_link": "Para un recurso cifrado, debe proporcionar la clave para crear el enlace compartido",
|
||||
"registered_name": "Se necesita un nombre registrado para publicar",
|
||||
"resources_publish": "Algunos recursos no han podido publicar",
|
||||
"retrieve_file": "No se pudo recuperar el archivo",
|
||||
"retrieve_keys": "Incapaz de recuperar las llaves",
|
||||
"retrieve_summary": "No se pudo recuperar el resumen",
|
||||
"process_transaction": "no se puede procesar la transacción",
|
||||
"provide_key_shared_link": "para un recurso cifrado, debe proporcionar la clave para crear el enlace compartido",
|
||||
"registered_name": "se necesita un nombre registrado para publicar",
|
||||
"resources_publish": "algunos recursos no han podido publicar",
|
||||
"retrieve_file": "no se pudo recuperar el archivo",
|
||||
"retrieve_keys": "incapaz de recuperar las llaves",
|
||||
"retrieve_summary": "no se pudo recuperar el resumen",
|
||||
"retrieve_sync_status": "error in retrieving {{ token }} sync status",
|
||||
"same_foreign_blockchain": "Todos los AT solicitados deben ser de la misma cadena de bloques extranjeras.",
|
||||
"send": "No se pudo enviar",
|
||||
"server_current_add": "No se pudo agregar el servidor actual",
|
||||
"server_current_set": "No se pudo configurar el servidor actual",
|
||||
"server_info": "Error al recuperar la información del servidor",
|
||||
"server_remove": "No se pudo eliminar el servidor",
|
||||
"submit_sell_order": "No se pudo enviar el pedido de venta",
|
||||
"same_foreign_blockchain": "todos los AT solicitados deben ser de la misma cadena de bloques extranjeras.",
|
||||
"send": "no se pudo enviar",
|
||||
"server_current_add": "no se pudo agregar el servidor actual",
|
||||
"server_current_set": "no se pudo configurar el servidor actual",
|
||||
"server_info": "error al recuperar la información del servidor",
|
||||
"server_remove": "no se pudo eliminar el servidor",
|
||||
"submit_sell_order": "no se pudo enviar el pedido de venta",
|
||||
"synchronization_attempts": "failed to synchronize after {{ quantity }} attempts",
|
||||
"timeout_request": "Solicitar el tiempo de tiempo fuera",
|
||||
"timeout_request": "solicitar el tiempo de tiempo fuera",
|
||||
"token_not_supported": "{{ token }} is not supported for this call",
|
||||
"transaction_activity_summary": "Error en el resumen de la actividad de transacción",
|
||||
"unknown_error": "Error desconocido",
|
||||
"transaction_activity_summary": "error en el resumen de la actividad de transacción",
|
||||
"unknown_error": "error desconocido",
|
||||
"unknown_admin_action_type": "unknown admin action type: {{ type }}",
|
||||
"update_foreign_fee": "No se pudo actualizar la tarifa extranjera",
|
||||
"update_tradebot": "No se puede actualizar TradeBot",
|
||||
"upload_encryption": "Carga fallida debido al cifrado fallido",
|
||||
"upload": "Carga falló",
|
||||
"use_private_service": "Para una publicación encriptada, utilice un servicio que termine con _Private",
|
||||
"user_qortal_name": "El usuario no tiene nombre Qortal"
|
||||
"update_foreign_fee": "no se pudo actualizar la tarifa extranjera",
|
||||
"update_tradebot": "no se puede actualizar TradeBot",
|
||||
"upload_encryption": "carga fallida debido al cifrado fallido",
|
||||
"upload": "carga falló",
|
||||
"use_private_service": "para una publicación encriptada, utilice un servicio que termine con _Private",
|
||||
"user_qortal_name": "el usuario no tiene nombre Qortal"
|
||||
},
|
||||
"generic": {
|
||||
"calculate_fee": "*the {{ amount }} sats fee is derived from {{ rate }} sats per kb, for a transaction that is approximately 300 bytes in size.",
|
||||
"confirm_join_group": "Confirme unirse al grupo:",
|
||||
"include_data_decrypt": "Incluya datos para descifrar",
|
||||
"include_data_encrypt": "Incluya datos para encriptar",
|
||||
"confirm_join_group": "confirme unirse al grupo:",
|
||||
"include_data_decrypt": "incluya datos para descifrar",
|
||||
"include_data_encrypt": "incluya datos para encriptar",
|
||||
"max_retry_transaction": "alcanzó los requisitos de Max. Omitiendo transacción.",
|
||||
"no_action_public_node": "Esta acción no se puede hacer a través de un nodo público",
|
||||
"private_service": "Utilice un servicio privado",
|
||||
"provide_group_id": "Proporcione un grupo de grupo",
|
||||
"no_action_public_node": "esta acción no se puede hacer a través de un nodo público",
|
||||
"private_service": "utilice un servicio privado",
|
||||
"provide_group_id": "proporcione un grupo de grupo",
|
||||
"read_transaction_carefully": "¡Lea la transacción cuidadosamente antes de aceptar!",
|
||||
"user_declined_add_list": "El usuario declinó agregar a la lista",
|
||||
"user_declined_delete_from_list": "El usuario declinó Eliminar de la lista",
|
||||
"user_declined_delete_hosted_resources": "El usuario declinó eliminar recursos alojados",
|
||||
"user_declined_join": "El usuario declinó unirse al grupo",
|
||||
"user_declined_list": "El usuario declinó obtener una lista de recursos alojados",
|
||||
"user_declined_request": "Solicitud de usuario rechazada",
|
||||
"user_declined_save_file": "El usuario declinó guardar el archivo",
|
||||
"user_declined_send_message": "El usuario declinó enviar un mensaje",
|
||||
"user_declined_share_list": "El usuario declinó la lista de acciones"
|
||||
"user_declined_add_list": "el usuario declinó agregar a la lista",
|
||||
"user_declined_delete_from_list": "el usuario declinó Eliminar de la lista",
|
||||
"user_declined_delete_hosted_resources": "el usuario declinó eliminar recursos alojados",
|
||||
"user_declined_join": "el usuario declinó unirse al grupo",
|
||||
"user_declined_list": "el usuario declinó obtener una lista de recursos alojados",
|
||||
"user_declined_request": "solicitud de usuario rechazada",
|
||||
"user_declined_save_file": "el usuario declinó guardar el archivo",
|
||||
"user_declined_send_message": "el usuario declinó enviar un mensaje",
|
||||
"user_declined_share_list": "el usuario declinó la lista de acciones"
|
||||
}
|
||||
},
|
||||
"name": "name: {{ name }}",
|
||||
@ -177,8 +177,8 @@
|
||||
"update_group": "¿Da permiso a esta aplicación para actualizar este grupo?"
|
||||
},
|
||||
"poll": "poll: {{ name }}",
|
||||
"provide_recipient_group_id": "Proporcione un destinatario o groupid",
|
||||
"request_create_poll": "Está solicitando crear la encuesta a continuación:",
|
||||
"provide_recipient_group_id": "proporcione un destinatario o groupid",
|
||||
"request_create_poll": "está solicitando crear la encuesta a continuación:",
|
||||
"request_vote_poll": "you are being requested to vote on the poll below:",
|
||||
"sats_per_kb": "{{ amount }} sats per KB",
|
||||
"sats": "{{ amount }} sats",
|
||||
@ -189,4 +189,4 @@
|
||||
"total_locking_fee": "total Locking Fee:",
|
||||
"total_unlocking_fee": "total Unlocking Fee:",
|
||||
"value": "value: {{ value }}"
|
||||
}
|
||||
}
|
||||
|
@ -4,7 +4,7 @@
|
||||
"3_groups": "3. Grupos de Qortal",
|
||||
"4_obtain_qort": "4. Obtener Qort",
|
||||
"account_creation": "creación de cuenta",
|
||||
"important_info": "Información importante!",
|
||||
"important_info": "información importante!",
|
||||
"apps": {
|
||||
"dashboard": "1. Panel de aplicaciones",
|
||||
"navigation": "2. Navegación de aplicaciones"
|
||||
@ -15,7 +15,7 @@
|
||||
"general_chat": "chat general",
|
||||
"getting_started": "empezando",
|
||||
"register_name": "registrar un nombre",
|
||||
"see_apps": "Ver aplicaciones",
|
||||
"see_apps": "ver aplicaciones",
|
||||
"trade_qort": "comercio Qort"
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -1,6 +1,6 @@
|
||||
{
|
||||
"account": {
|
||||
"your": "Votre compte",
|
||||
"your": "votre compte",
|
||||
"account_many": "comptes",
|
||||
"account_one": "compte",
|
||||
"selected": "compte sélectionné"
|
||||
@ -8,128 +8,131 @@
|
||||
"action": {
|
||||
"add": {
|
||||
"account": "ajouter un compte",
|
||||
"seed_phrase": "Ajouter la phrase de graines"
|
||||
"seed_phrase": "ajouter la phrase de graines"
|
||||
},
|
||||
"authenticate": "authentifier",
|
||||
"block": "bloc",
|
||||
"block_all": "Bloquer tout",
|
||||
"block_data": "Bloquer les données QDN",
|
||||
"block_all": "bloquer tout",
|
||||
"block_data": "bloquer les données QDN",
|
||||
"block_name": "nom de blocage",
|
||||
"block_txs": "Bloquer TSX",
|
||||
"fetch_names": "Répondre aux noms",
|
||||
"copy_address": "Copier l'adresse",
|
||||
"block_txs": "bloquer TSX",
|
||||
"fetch_names": "répondre aux noms",
|
||||
"copy_address": "copier l'adresse",
|
||||
"create_account": "créer un compte",
|
||||
"create_qortal_account": "create your Qortal account by clicking <next>NEXT</next> below.",
|
||||
"choose_password": "Choisissez un nouveau mot de passe",
|
||||
"download_account": "Télécharger le compte",
|
||||
"enter_amount": "Veuillez saisir un montant supérieur à 0",
|
||||
"enter_recipient": "Veuillez entrer un destinataire",
|
||||
"enter_wallet_password": "Veuillez saisir votre mot de passe de portefeuille",
|
||||
"choose_password": "choisissez un nouveau mot de passe",
|
||||
"download_account": "télécharger le compte",
|
||||
"enter_amount": "veuillez saisir un montant supérieur à 0",
|
||||
"enter_recipient": "veuillez entrer un destinataire",
|
||||
"enter_wallet_password": "veuillez saisir votre mot de passe de portefeuille",
|
||||
"export_seedphrase": "exportation de graines",
|
||||
"insert_name_address": "Veuillez insérer un nom ou une adresse",
|
||||
"publish_admin_secret_key": "Publier une clé secrète administrateur",
|
||||
"publish_group_secret_key": "Publier la clé secrète de groupe",
|
||||
"reencrypt_key": "Clé de réencrypt",
|
||||
"insert_name_address": "veuillez insérer un nom ou une adresse",
|
||||
"publish_admin_secret_key": "publier une clé secrète administrateur",
|
||||
"publish_group_secret_key": "publier la clé secrète de groupe",
|
||||
"reencrypt_key": "clé de réencrypt",
|
||||
"return_to_list": "retour à la liste",
|
||||
"setup_qortal_account": "Configurez votre compte Qortal",
|
||||
"setup_qortal_account": "configurez votre compte Qortal",
|
||||
"unblock": "débloquer",
|
||||
"unblock_name": "Nom de déblocage"
|
||||
"unblock_name": "nom de déblocage"
|
||||
},
|
||||
"address": "adresse",
|
||||
"address_name": "adresse ou nom",
|
||||
"advanced_users": "Pour les utilisateurs avancés",
|
||||
"advanced_users": "pour les utilisateurs avancés",
|
||||
"apikey": {
|
||||
"alternative": "Alternative: sélection de fichiers",
|
||||
"change": "Changer Apikey",
|
||||
"enter": "Entrez Apikey",
|
||||
"alternative": "alternative: sélection de fichiers",
|
||||
"change": "changer Apikey",
|
||||
"enter": "entrez Apikey",
|
||||
"import": "importer apikey",
|
||||
"key": "Clé API",
|
||||
"select_valid": "Sélectionnez un apikey valide"
|
||||
"key": "clé API",
|
||||
"select_valid": "sélectionnez un apikey valide"
|
||||
},
|
||||
"authentication": "authentification",
|
||||
"blocked_users": "utilisateurs bloqués",
|
||||
"build_version": "version de construction",
|
||||
"message": {
|
||||
"error": {
|
||||
"account_creation": "Impossible de créer un compte.",
|
||||
"address_not_existing": "L'adresse n'existe pas sur la blockchain",
|
||||
"block_user": "Impossible de bloquer l'utilisateur",
|
||||
"create_simmetric_key": "Impossible de créer une clé symétrique",
|
||||
"account_creation": "impossible de créer un compte.",
|
||||
"address_not_existing": "l'adresse n'existe pas sur la blockchain",
|
||||
"block_user": "impossible de bloquer l'utilisateur",
|
||||
"create_simmetric_key": "impossible de créer une clé symétrique",
|
||||
"decrypt_data": "Je n'ai pas pu déchiffrer les données",
|
||||
"decrypt": "incapable de décrypter",
|
||||
"encrypt_content": "Impossible de crypter le contenu",
|
||||
"fetch_user_account": "Impossible de récupérer le compte d'utilisateur",
|
||||
"encrypt_content": "impossible de crypter le contenu",
|
||||
"fetch_user_account": "impossible de récupérer le compte d'utilisateur",
|
||||
"field_not_found_json": "{{ field }} not found in JSON",
|
||||
"find_secret_key": "Impossible de trouver Secretkey correct",
|
||||
"find_secret_key": "impossible de trouver Secretkey correct",
|
||||
"incorrect_password": "mot de passe incorrect",
|
||||
"invalid_qortal_link": "lien Qortal non valide",
|
||||
"invalid_secret_key": "SecretKey n'est pas valable",
|
||||
"invalid_uint8": "L'Uint8ArrayData que vous avez soumis n'est pas valide",
|
||||
"name_not_existing": "Le nom n'existe pas",
|
||||
"name_not_registered": "Nom non enregistré",
|
||||
"invalid_secret_key": "secretKey n'est pas valable",
|
||||
"invalid_uint8": "l'Uint8ArrayData que vous avez soumis n'est pas valide",
|
||||
"name_not_existing": "le nom n'existe pas",
|
||||
"name_not_registered": "nom non enregistré",
|
||||
"read_blob_base64": "Échec de la lecture du blob en tant que chaîne codée de base64",
|
||||
"reencrypt_secret_key": "Impossible de réincrypter la clé secrète",
|
||||
"set_apikey": "Impossible de définir la clé API:"
|
||||
"reencrypt_secret_key": "impossible de réincrypter la clé secrète",
|
||||
"set_apikey": "impossible de définir la clé API:"
|
||||
},
|
||||
"generic": {
|
||||
"blocked_addresses": "Adresses bloquées - Blocs Traitement des TX",
|
||||
"blocked_names": "Noms bloqués pour QDN",
|
||||
"blocked_addresses": "adresses bloquées - Blocs Traitement des TX",
|
||||
"blocked_names": "noms bloqués pour QDN",
|
||||
"blocking": "blocking {{ name }}",
|
||||
"choose_block": "Choisissez «Bloquer TXS» ou «All» pour bloquer les messages de chat",
|
||||
"congrats_setup": "Félicitations, vous êtes tous mis en place!",
|
||||
"choose_block": "choisissez «Bloquer TXS» ou «All» pour bloquer les messages de chat",
|
||||
"congrats_setup": "félicitations, vous êtes tous mis en place!",
|
||||
"decide_block": "décider quoi bloquer",
|
||||
"downloading_encryption_keys": "downloading encryption keys",
|
||||
"name_address": "nom ou adresse",
|
||||
"no_account": "Aucun compte enregistré",
|
||||
"no_account": "aucun compte enregistré",
|
||||
"no_minimum_length": "il n'y a pas de durée minimale",
|
||||
"no_secret_key_published": "Aucune clé secrète publiée encore",
|
||||
"fetching_admin_secret_key": "Recherche la clé secrète des administrateurs",
|
||||
"fetching_group_secret_key": "Recherche de clés secrètes de groupe",
|
||||
"no_secret_key_published": "aucune clé secrète publiée encore",
|
||||
"fetching_admin_secret_key": "recherche la clé secrète des administrateurs",
|
||||
"fetching_group_secret_key": "recherche de clés secrètes de groupe",
|
||||
"last_encryption_date": "last encryption date: {{ date }} by {{ name }}",
|
||||
"keep_secure": "Gardez votre fichier de compte sécurisé",
|
||||
"publishing_key": "Rappel: Après avoir publié la clé, il faudra quelques minutes pour qu'il apparaisse. Veuillez juste attendre.",
|
||||
"locating_encryption_keys": "locating encryption keys",
|
||||
"keep_secure": "gardez votre fichier de compte sécurisé",
|
||||
"publishing_key": "rappel: Après avoir publié la clé, il faudra quelques minutes pour qu'il apparaisse. Veuillez juste attendre.",
|
||||
"seedphrase_notice": "a <seed>SEEDPHRASE</seed> has been randomly generated in the background.",
|
||||
"turn_local_node": "Veuillez allumer votre nœud local",
|
||||
"type_seed": "Tapez ou collez dans votre phrase de graines",
|
||||
"your_accounts": "Vos comptes enregistrés"
|
||||
"turn_local_node": "veuillez allumer votre nœud local",
|
||||
"type_seed": "tapez ou collez dans votre phrase de graines",
|
||||
"your_accounts": "vos comptes enregistrés"
|
||||
},
|
||||
"success": {
|
||||
"reencrypted_secret_key": "Réciter avec succès la clé secrète. Il peut prendre quelques minutes pour que les modifications se propagent. Actualiser le groupe en 5 minutes."
|
||||
"reencrypted_secret_key": "réciter avec succès la clé secrète. Il peut prendre quelques minutes pour que les modifications se propagent. Actualiser le groupe en 5 minutes."
|
||||
}
|
||||
},
|
||||
"node": {
|
||||
"choose": "Choisissez le nœud personnalisé",
|
||||
"choose": "choisissez le nœud personnalisé",
|
||||
"custom_many": "nœuds personnalisés",
|
||||
"use_custom": "Utiliser le nœud personnalisé",
|
||||
"use_local": "Utiliser le nœud local",
|
||||
"using": "Utilisation du nœud",
|
||||
"using_public": "Utilisation du nœud public",
|
||||
"use_custom": "utiliser le nœud personnalisé",
|
||||
"use_local": "utiliser le nœud local",
|
||||
"using": "utilisation du nœud",
|
||||
"using_public": "utilisation du nœud public",
|
||||
"using_public_gateway": "using public node: {{ gateway }}"
|
||||
},
|
||||
"note": "note",
|
||||
"password": "mot de passe",
|
||||
"password_confirmation": "Confirmez le mot de passe",
|
||||
"password_confirmation": "confirmez le mot de passe",
|
||||
"seed_phrase": "phrase de graines",
|
||||
"seed_your": "Votre phrase de graines",
|
||||
"seed_your": "votre phrase de graines",
|
||||
"tips": {
|
||||
"additional_wallet": "Utilisez cette option pour connecter des portefeuilles Qortal supplémentaires que vous avez déjà fabriqués, afin de vous connecter par la suite. Vous aurez besoin d'accéder à votre fichier JSON de sauvegarde afin de le faire.",
|
||||
"digital_id": "Votre portefeuille est comme votre ID numérique sur Qortal, et c'est comment vous vous connectez à l'interface utilisateur Qortal. Il détient votre adresse publique et le nom Qortal que vous allez éventuellement choisir. Chaque transaction que vous effectuez est liée à votre identifiant, et c'est là que vous gérez tous vos Qort et autres crypto-monnaies négociables sur Qortal.",
|
||||
"existing_account": "Vous avez déjà un compte Qortal? Entrez ici votre phrase de sauvegarde secrète pour y accéder. Cette phrase est l'une des façons de récupérer votre compte.",
|
||||
"key_encrypt_admin": "Cette clé est de crypter le contenu lié à l'administrateur. Seuls les administrateurs verraient du contenu chiffré avec.",
|
||||
"key_encrypt_group": "Cette clé est de chiffrer le contenu lié au groupe. C'est le seul utilisé dans cette interface utilisateur pour l'instant. Tous les membres du groupe pourront voir du contenu crypté avec cette clé.",
|
||||
"new_account": "La création d'un compte signifie créer un nouvel portefeuille et un nouvel ID numérique pour commencer à utiliser Qortal. Une fois que vous avez créé votre compte, vous pouvez commencer à faire des choses comme obtenir du Qort, acheter un nom et un avatar, publier des vidéos et des blogs, et bien plus encore.",
|
||||
"new_users": "Les nouveaux utilisateurs commencent ici!",
|
||||
"safe_place": "Enregistrez votre compte dans un endroit où vous vous en souviendrez!",
|
||||
"view_seedphrase": "Si vous souhaitez afficher la phrase de graines, cliquez sur le mot «SeedPhrase» dans ce texte. Les phrases de graines sont utilisées pour générer la clé privée pour votre compte Qortal. Pour la sécurité par défaut, les phrases de graines ne sont affichées que si elles sont spécifiquement choisies.",
|
||||
"wallet_secure": "Gardez votre fichier de portefeuille sécurisé."
|
||||
"additional_wallet": "utilisez cette option pour connecter des portefeuilles Qortal supplémentaires que vous avez déjà fabriqués, afin de vous connecter par la suite. Vous aurez besoin d'accéder à votre fichier JSON de sauvegarde afin de le faire.",
|
||||
"digital_id": "votre portefeuille est comme votre ID numérique sur Qortal, et c'est comment vous vous connectez à l'interface utilisateur Qortal. Il détient votre adresse publique et le nom Qortal que vous allez éventuellement choisir. Chaque transaction que vous effectuez est liée à votre identifiant, et c'est là que vous gérez tous vos Qort et autres crypto-monnaies négociables sur Qortal.",
|
||||
"existing_account": "vous avez déjà un compte Qortal? Entrez ici votre phrase de sauvegarde secrète pour y accéder. Cette phrase est l'une des façons de récupérer votre compte.",
|
||||
"key_encrypt_admin": "cette clé est de crypter le contenu lié à l'administrateur. Seuls les administrateurs verraient du contenu chiffré avec.",
|
||||
"key_encrypt_group": "cette clé est de chiffrer le contenu lié au groupe. C'est le seul utilisé dans cette interface utilisateur pour l'instant. Tous les membres du groupe pourront voir du contenu crypté avec cette clé.",
|
||||
"new_account": "la création d'un compte signifie créer un nouvel portefeuille et un nouvel ID numérique pour commencer à utiliser Qortal. Une fois que vous avez créé votre compte, vous pouvez commencer à faire des choses comme obtenir du Qort, acheter un nom et un avatar, publier des vidéos et des blogs, et bien plus encore.",
|
||||
"new_users": "les nouveaux utilisateurs commencent ici!",
|
||||
"safe_place": "enregistrez votre compte dans un endroit où vous vous en souviendrez!",
|
||||
"view_seedphrase": "si vous souhaitez afficher la phrase de graines, cliquez sur le mot «SeedPhrase» dans ce texte. Les phrases de graines sont utilisées pour générer la clé privée pour votre compte Qortal. Pour la sécurité par défaut, les phrases de graines ne sont affichées que si elles sont spécifiquement choisies.",
|
||||
"wallet_secure": "gardez votre fichier de portefeuille sécurisé."
|
||||
},
|
||||
"wallet": {
|
||||
"password_confirmation": "Confirmer le mot de passe du portefeuille",
|
||||
"password_confirmation": "confirmer le mot de passe du portefeuille",
|
||||
"password": "mot de passe du portefeuille",
|
||||
"keep_password": "Gardez le mot de passe actuel",
|
||||
"keep_password": "gardez le mot de passe actuel",
|
||||
"new_password": "nouveau mot de passe",
|
||||
"error": {
|
||||
"missing_new_password": "Veuillez saisir un nouveau mot de passe",
|
||||
"missing_password": "Veuillez saisir votre mot de passe"
|
||||
"missing_new_password": "veuillez saisir un nouveau mot de passe",
|
||||
"missing_password": "veuillez saisir votre mot de passe"
|
||||
}
|
||||
},
|
||||
"welcome": "bienvenue"
|
||||
}
|
||||
}
|
||||
|
@ -4,43 +4,43 @@
|
||||
"access": "accéder",
|
||||
"access_app": "application d'accès",
|
||||
"add": "ajouter",
|
||||
"add_custom_framework": "Ajouter un cadre personnalisé",
|
||||
"add_custom_framework": "ajouter un cadre personnalisé",
|
||||
"add_reaction": "ajouter une réaction",
|
||||
"add_theme": "Ajouter le thème",
|
||||
"add_theme": "ajouter le thème",
|
||||
"backup_account": "compte de sauvegarde",
|
||||
"backup_wallet": "portefeuille de secours",
|
||||
"cancel": "Annuler",
|
||||
"cancel_invitation": "Annuler l'invitation",
|
||||
"cancel": "annuler",
|
||||
"cancel_invitation": "annuler l'invitation",
|
||||
"change": "changement",
|
||||
"change_avatar": "changer d'avatar",
|
||||
"change_file": "modifier le fichier",
|
||||
"change_language": "changer la langue",
|
||||
"choose": "choisir",
|
||||
"choose_file": "Choisir le fichier",
|
||||
"choose_image": "Choisir l'image",
|
||||
"choose_logo": "Choisissez un logo",
|
||||
"choose_name": "Choisissez un nom",
|
||||
"choose_file": "choisir le fichier",
|
||||
"choose_image": "choisir l'image",
|
||||
"choose_logo": "choisissez un logo",
|
||||
"choose_name": "choisissez un nom",
|
||||
"close": "fermer",
|
||||
"close_chat": "Fermer le chat direct",
|
||||
"close_chat": "fermer le chat direct",
|
||||
"continue": "continuer",
|
||||
"continue_logout": "continuer à se déconnecter",
|
||||
"copy_link": "Copier le lien",
|
||||
"copy_link": "copier le lien",
|
||||
"create_apps": "créer des applications",
|
||||
"create_file": "créer un fichier",
|
||||
"create_transaction": "créer des transactions sur la blockchain Qortal",
|
||||
"create_thread": "Créer un fil",
|
||||
"create_thread": "créer un fil",
|
||||
"decline": "déclin",
|
||||
"decrypt": "décrypter",
|
||||
"disable_enter": "Désactiver Entrer",
|
||||
"disable_enter": "désactiver Entrer",
|
||||
"download": "télécharger",
|
||||
"download_file": "Télécharger le fichier",
|
||||
"download_file": "télécharger le fichier",
|
||||
"edit": "modifier",
|
||||
"edit_theme": "Modifier le thème",
|
||||
"enable_dev_mode": "Activer le mode Dev",
|
||||
"enter_name": "Entrez un nom",
|
||||
"edit_theme": "modifier le thème",
|
||||
"enable_dev_mode": "activer le mode Dev",
|
||||
"enter_name": "entrez un nom",
|
||||
"export": "exporter",
|
||||
"get_qort": "Obtenez Qort",
|
||||
"get_qort_trade": "Obtenez Qort à Q-trade",
|
||||
"get_qort": "obtenez Qort",
|
||||
"get_qort_trade": "obtenez Qort à Q-trade",
|
||||
"hide": "cacher",
|
||||
"import": "importer",
|
||||
"import_theme": "thème d'importation",
|
||||
@ -48,7 +48,7 @@
|
||||
"invite_member": "inviter un nouveau membre",
|
||||
"join": "rejoindre",
|
||||
"leave_comment": "laisser un commentaire",
|
||||
"load_announcements": "Chargez des annonces plus anciennes",
|
||||
"load_announcements": "chargez des annonces plus anciennes",
|
||||
"login": "se connecter",
|
||||
"logout": "déconnexion",
|
||||
"new": {
|
||||
@ -61,39 +61,39 @@
|
||||
"open": "ouvrir",
|
||||
"pin": "épingle",
|
||||
"pin_app": "application PIN",
|
||||
"pin_from_dashboard": "Pin du tableau de bord",
|
||||
"pin_from_dashboard": "pin du tableau de bord",
|
||||
"post": "poste",
|
||||
"post_message": "Message de publication",
|
||||
"post_message": "message de publication",
|
||||
"publish": "publier",
|
||||
"publish_app": "Publiez votre application",
|
||||
"publish_comment": "Publier un commentaire",
|
||||
"publish_app": "publiez votre application",
|
||||
"publish_comment": "publier un commentaire",
|
||||
"register_name": "nom de registre",
|
||||
"remove": "retirer",
|
||||
"remove_reaction": "éliminer la réaction",
|
||||
"return_apps_dashboard": "Retour au tableau de bord Apps",
|
||||
"return_apps_dashboard": "retour au tableau de bord Apps",
|
||||
"save": "sauvegarder",
|
||||
"save_disk": "Économiser sur le disque",
|
||||
"search": "recherche",
|
||||
"search_apps": "Rechercher des applications",
|
||||
"search_apps": "rechercher des applications",
|
||||
"search_groups": "rechercher des groupes",
|
||||
"search_chat_text": "Texte de chat de recherche",
|
||||
"select_app_type": "Sélectionner le type d'application",
|
||||
"select_category": "Sélectionner la catégorie",
|
||||
"select_name_app": "Sélectionnez Nom / App",
|
||||
"search_chat_text": "texte de chat de recherche",
|
||||
"select_app_type": "sélectionner le type d'application",
|
||||
"select_category": "sélectionner la catégorie",
|
||||
"select_name_app": "sélectionnez Nom / App",
|
||||
"send": "envoyer",
|
||||
"send_qort": "Envoyer Qort",
|
||||
"set_avatar": "Définir l'avatar",
|
||||
"send_qort": "envoyer Qort",
|
||||
"set_avatar": "définir l'avatar",
|
||||
"show": "montrer",
|
||||
"show_poll": "montrer le sondage",
|
||||
"start_minting": "Commencer à frapper",
|
||||
"start_typing": "Commencez à taper ici ...",
|
||||
"trade_qort": "Trade Qort",
|
||||
"transfer_qort": "Transférer Qort",
|
||||
"start_minting": "commencer à frapper",
|
||||
"start_typing": "commencez à taper ici ...",
|
||||
"trade_qort": "trade Qort",
|
||||
"transfer_qort": "transférer Qort",
|
||||
"unpin": "détacher",
|
||||
"unpin_app": "Appin Upin",
|
||||
"unpin_from_dashboard": "UNIN DU Tableau de bord",
|
||||
"unpin_app": "appin Upin",
|
||||
"unpin_from_dashboard": "uNIN DU Tableau de bord",
|
||||
"update": "mise à jour",
|
||||
"update_app": "Mettez à jour votre application",
|
||||
"update_app": "mettez à jour votre application",
|
||||
"vote": "voter"
|
||||
},
|
||||
"address_your": "ton adress",
|
||||
@ -107,12 +107,13 @@
|
||||
"app": "appliquer",
|
||||
"app_other": "applications",
|
||||
"app_name": "nom de l'application",
|
||||
"app_private": "privé",
|
||||
"app_service_type": "type de service d'application",
|
||||
"apps_dashboard": "Tableau de bord Apps",
|
||||
"apps_official": "Applications officielles",
|
||||
"apps_dashboard": "tableau de bord Apps",
|
||||
"apps_official": "applications officielles",
|
||||
"attachment": "pièce jointe",
|
||||
"balance": "équilibre:",
|
||||
"basic_tabs_example": "Exemple de base des onglets",
|
||||
"basic_tabs_example": "exemple de base des onglets",
|
||||
"category": "catégorie",
|
||||
"category_other": "catégories",
|
||||
"chat": "chat",
|
||||
@ -120,7 +121,7 @@
|
||||
"contact_other": "contacts",
|
||||
"core": {
|
||||
"block_height": "hauteur de blocage",
|
||||
"information": "Informations de base",
|
||||
"information": "informations de base",
|
||||
"peers": "pairs connectés",
|
||||
"version": "version de base"
|
||||
},
|
||||
@ -129,7 +130,7 @@
|
||||
"dev_mode": "mode de développement",
|
||||
"domain": "domaine",
|
||||
"ui": {
|
||||
"version": "Version d'interface utilisateur"
|
||||
"version": "version d'interface utilisateur"
|
||||
},
|
||||
"count": {
|
||||
"none": "aucun",
|
||||
@ -138,164 +139,163 @@
|
||||
"description": "description",
|
||||
"devmode_apps": "applications de mode dev",
|
||||
"directory": "annuaire",
|
||||
"downloading_qdn": "Téléchargement à partir de QDN",
|
||||
"downloading_qdn": "téléchargement à partir de QDN",
|
||||
"fee": {
|
||||
"payment": "Frais de paiement",
|
||||
"publish": "Publier les frais"
|
||||
"payment": "frais de paiement",
|
||||
"publish": "publier les frais"
|
||||
},
|
||||
"for": "pour",
|
||||
"general": "général",
|
||||
"general_settings": "Paramètres généraux",
|
||||
"general_settings": "paramètres généraux",
|
||||
"home": "maison",
|
||||
"identifier": "identifiant",
|
||||
"image_embed": "Image intégrer",
|
||||
"image_embed": "image intégrer",
|
||||
"last_height": "dernière hauteur",
|
||||
"level": "niveau",
|
||||
"library": "bibliothèque",
|
||||
"list": {
|
||||
"bans": "liste des interdictions",
|
||||
"groups": "liste des groupes",
|
||||
"invite": "liste d'invitation",
|
||||
"invites": "liste des invitations",
|
||||
"join_request": "JOINT LISTE DE REQUES",
|
||||
"member": "liste des membres",
|
||||
"members": "liste des membres"
|
||||
},
|
||||
"loading": {
|
||||
"announcements": "Annonces de chargement",
|
||||
"announcements": "annonces de chargement",
|
||||
"generic": "chargement...",
|
||||
"chat": "Chargement de chat ... Veuillez patienter.",
|
||||
"comments": "Chargement des commentaires ... Veuillez patienter.",
|
||||
"posts": "Chargement des messages ... Veuillez patienter."
|
||||
"chat": "chargement de chat ... Veuillez patienter.",
|
||||
"comments": "chargement des commentaires ... Veuillez patienter.",
|
||||
"posts": "chargement des messages ... Veuillez patienter."
|
||||
},
|
||||
"member": "membre",
|
||||
"member_other": "membres",
|
||||
"message_us": "Veuillez nous envoyer un message sur Telegram ou Discord si vous avez besoin de 4 Qort pour commencer à discuter sans aucune limitation",
|
||||
"message_us": "veuillez nous envoyer un message sur Telegram ou Discord si vous avez besoin de 4 Qort pour commencer à discuter sans aucune limitation",
|
||||
"message": {
|
||||
"error": {
|
||||
"address_not_found": "Votre adresse n'a pas été trouvée",
|
||||
"app_need_name": "Votre application a besoin d'un nom",
|
||||
"build_app": "Impossible de créer une application privée",
|
||||
"decrypt_app": "Impossible de décrypter l'application privée '",
|
||||
"download_image": "Impossible de télécharger l'image. Veuillez réessayer plus tard en cliquant sur le bouton Actualiser",
|
||||
"download_private_app": "Impossible de télécharger l'application privée",
|
||||
"encrypt_app": "Impossible de crypter l'application. Application non publiée '",
|
||||
"fetch_app": "Impossible de récupérer l'application",
|
||||
"fetch_publish": "Impossible de récupérer la publication",
|
||||
"address_not_found": "votre adresse n'a pas été trouvée",
|
||||
"app_need_name": "votre application a besoin d'un nom",
|
||||
"build_app": "impossible de créer une application privée",
|
||||
"decrypt_app": "impossible de décrypter l'application privée '",
|
||||
"download_image": "impossible de télécharger l'image. Veuillez réessayer plus tard en cliquant sur le bouton Actualiser",
|
||||
"download_private_app": "impossible de télécharger l'application privée",
|
||||
"encrypt_app": "impossible de crypter l'application. Application non publiée '",
|
||||
"fetch_app": "impossible de récupérer l'application",
|
||||
"fetch_publish": "impossible de récupérer la publication",
|
||||
"file_too_large": "file {{ filename }} is too large. Max size allowed is {{ size }} MB.",
|
||||
"generic": "Une erreur s'est produite",
|
||||
"generic": "une erreur s'est produite",
|
||||
"initiate_download": "Échec du téléchargement",
|
||||
"invalid_amount": "montant non valide",
|
||||
"invalid_base64": "Données non valides Base64",
|
||||
"invalid_base64": "données non valides Base64",
|
||||
"invalid_embed_link": "lien d'intégration non valide",
|
||||
"invalid_image_embed_link_name": "lien d'intégration d'image non valide. Param manquant.",
|
||||
"invalid_poll_embed_link_name": "lien d'intégration de sondage non valide. Nom manquant.",
|
||||
"invalid_signature": "signature non valide",
|
||||
"invalid_theme_format": "format de thème non valide",
|
||||
"invalid_zip": "zip non valide",
|
||||
"message_loading": "Message de chargement d'erreur.",
|
||||
"message_loading": "message de chargement d'erreur.",
|
||||
"message_size": "your message size is of {{ size }} bytes out of a maximum of {{ maximum }}",
|
||||
"minting_account_add": "Impossible d'ajouter un compte de pénitence",
|
||||
"minting_account_remove": "Impossible de supprimer le compte de pénitence",
|
||||
"minting_account_add": "impossible d'ajouter un compte de pénitence",
|
||||
"minting_account_remove": "impossible de supprimer le compte de pénitence",
|
||||
"missing_fields": "missing: {{ fields }}",
|
||||
"navigation_timeout": "Délai de navigation",
|
||||
"navigation_timeout": "délai de navigation",
|
||||
"network_generic": "erreur de réseau",
|
||||
"password_not_matching": "Les champs de mot de passe ne correspondent pas!",
|
||||
"password_wrong": "Impossible d'authentifier. Mauvais mot de passe",
|
||||
"publish_app": "Impossible de publier l'application",
|
||||
"publish_image": "Impossible de publier l'image",
|
||||
"rate": "Impossible de noter",
|
||||
"rating_option": "Impossible de trouver l'option de notation",
|
||||
"save_qdn": "Impossible d'économiser sur QDN",
|
||||
"password_not_matching": "les champs de mot de passe ne correspondent pas!",
|
||||
"password_wrong": "impossible d'authentifier. Mauvais mot de passe",
|
||||
"publish_app": "impossible de publier l'application",
|
||||
"publish_image": "impossible de publier l'image",
|
||||
"rate": "impossible de noter",
|
||||
"rating_option": "impossible de trouver l'option de notation",
|
||||
"save_qdn": "impossible d'économiser sur QDN",
|
||||
"send_failed": "Échec de l'envoi",
|
||||
"update_failed": "Échec de la mise à jour",
|
||||
"vote": "Impossible de voter"
|
||||
"vote": "impossible de voter"
|
||||
},
|
||||
"generic": {
|
||||
"already_voted": "Vous avez déjà voté.",
|
||||
"already_voted": "vous avez déjà voté.",
|
||||
"avatar_size": "{{ size }} KB max. for GIFS",
|
||||
"benefits_qort": "Avantages d'avoir QORT",
|
||||
"benefits_qort": "avantages d'avoir QORT",
|
||||
"building": "bâtiment",
|
||||
"building_app": "application de construction",
|
||||
"created_by": "created by {{ owner }}",
|
||||
"buy_order_request": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting {{count}} buy order</span>",
|
||||
"buy_order_request_other": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting {{count}} buy orders</span>",
|
||||
"devmode_local_node": "Veuillez utiliser votre nœud local pour le mode Dev! Déconnectez-vous et utilisez le nœud local.",
|
||||
"devmode_local_node": "veuillez utiliser votre nœud local pour le mode Dev! Déconnectez-vous et utilisez le nœud local.",
|
||||
"downloading": "téléchargement",
|
||||
"downloading_decrypting_app": "Téléchargement et décryptez l'application privée.",
|
||||
"downloading_decrypting_app": "téléchargement et décryptez l'application privée.",
|
||||
"edited": "édité",
|
||||
"editing_message": "Message d'édition",
|
||||
"editing_message": "message d'édition",
|
||||
"encrypted": "crypté",
|
||||
"encrypted_not": "pas crypté",
|
||||
"fee_qort": "fee: {{ message }} QORT",
|
||||
"fetching_data": "Rechercher les données de l'application",
|
||||
"fetching_data": "rechercher les données de l'application",
|
||||
"foreign_fee": "foreign fee: {{ message }}",
|
||||
"get_qort_trade_portal": "Obtenez Qort en utilisant le portail commercial de Crosschain de Qortal",
|
||||
"get_qort_trade_portal": "obtenez Qort en utilisant le portail commercial de Crosschain de Qortal",
|
||||
"minimal_qort_balance": "having at least {{ quantity }} QORT in your balance (4 qort balance for chat, 1.25 for name, 0.75 for some transactions)",
|
||||
"mentioned": "mentionné",
|
||||
"message_with_image": "Ce message a déjà une image",
|
||||
"message_with_image": "ce message a déjà une image",
|
||||
"most_recent_payment": "{{ count }} most recent payment",
|
||||
"name_available": "{{ name }} is available",
|
||||
"name_benefits": "Avantages d'un nom",
|
||||
"name_checking": "Vérifier si le nom existe déjà",
|
||||
"name_preview": "Vous avez besoin d'un nom pour utiliser l'aperçu",
|
||||
"name_publish": "Vous avez besoin d'un nom Qortal pour publier",
|
||||
"name_rate": "Vous avez besoin d'un nom pour évaluer.",
|
||||
"name_benefits": "avantages d'un nom",
|
||||
"name_checking": "vérifier si le nom existe déjà",
|
||||
"name_preview": "vous avez besoin d'un nom pour utiliser l'aperçu",
|
||||
"name_publish": "vous avez besoin d'un nom Qortal pour publier",
|
||||
"name_rate": "vous avez besoin d'un nom pour évaluer.",
|
||||
"name_registration": "your balance is {{ balance }} QORT. A name registration requires a {{ fee }} QORT fee",
|
||||
"name_unavailable": "{{ name }} is unavailable",
|
||||
"no_data_image": "Aucune donnée pour l'image",
|
||||
"no_description": "Aucune description",
|
||||
"no_data_image": "aucune donnée pour l'image",
|
||||
"no_description": "aucune description",
|
||||
"no_messages": "pas de messages",
|
||||
"no_minting_details": "Impossible d'afficher les détails de la passerelle sur la passerelle",
|
||||
"no_minting_details": "impossible d'afficher les détails de la passerelle sur la passerelle",
|
||||
"no_notifications": "pas de nouvelles notifications",
|
||||
"no_payments": "Aucun paiement",
|
||||
"no_pinned_changes": "Vous n'avez actuellement aucune modification à vos applications épinglées",
|
||||
"no_results": "Aucun résultat",
|
||||
"one_app_per_name": "Remarque: Actuellement, une seule application et site Web est autorisée par nom.",
|
||||
"no_payments": "aucun paiement",
|
||||
"no_pinned_changes": "vous n'avez actuellement aucune modification à vos applications épinglées",
|
||||
"no_results": "aucun résultat",
|
||||
"one_app_per_name": "remarque: Actuellement, une seule application et site Web est autorisée par nom.",
|
||||
"opened": "ouvert",
|
||||
"overwrite_qdn": "Écraser à QDN",
|
||||
"password_confirm": "Veuillez confirmer un mot de passe",
|
||||
"password_enter": "Veuillez saisir un mot de passe",
|
||||
"password_confirm": "veuillez confirmer un mot de passe",
|
||||
"password_enter": "veuillez saisir un mot de passe",
|
||||
"payment_request": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting a payment</span>",
|
||||
"people_reaction": "people who reacted with {{ reaction }}",
|
||||
"processing_transaction": "La transaction de traitement est-elle, veuillez patienter ...",
|
||||
"publish_data": "Publier des données à Qortal: n'importe quoi, des applications aux vidéos. Entièrement décentralisé!",
|
||||
"publishing": "Publication ... Veuillez patienter.",
|
||||
"qdn": "Utiliser une économie QDN",
|
||||
"processing_transaction": "la transaction de traitement est-elle, veuillez patienter ...",
|
||||
"publish_data": "publier des données à Qortal: n'importe quoi, des applications aux vidéos. Entièrement décentralisé!",
|
||||
"publishing": "publication ... Veuillez patienter.",
|
||||
"qdn": "utiliser une économie QDN",
|
||||
"rating": "rating for {{ service }} {{ name }}",
|
||||
"register_name": "Vous avez besoin d'un nom Qortal enregistré pour enregistrer vos applications épinglées sur QDN.",
|
||||
"register_name": "vous avez besoin d'un nom Qortal enregistré pour enregistrer vos applications épinglées sur QDN.",
|
||||
"replied_to": "replied to {{ person }}",
|
||||
"revert_default": "revenir à la valeur par défaut",
|
||||
"revert_qdn": "revenir à QDN",
|
||||
"save_qdn": "Enregistrer sur QDN",
|
||||
"save_qdn": "enregistrer sur QDN",
|
||||
"secure_ownership": "sécuriser la propriété des données publiées par votre nom. Vous pouvez même vendre votre nom, ainsi que vos données à un tiers.",
|
||||
"select_file": "Veuillez sélectionner un fichier",
|
||||
"select_image": "Veuillez sélectionner une image pour un logo",
|
||||
"select_zip": "Sélectionnez un fichier .zip contenant du contenu statique:",
|
||||
"select_file": "veuillez sélectionner un fichier",
|
||||
"select_image": "veuillez sélectionner une image pour un logo",
|
||||
"select_zip": "sélectionnez un fichier .zip contenant du contenu statique:",
|
||||
"sending": "envoi...",
|
||||
"settings": "Vous utilisez la manière d'exportation / importation d'enregistrement des paramètres.",
|
||||
"space_for_admins": "Désolé, cet espace est uniquement pour les administrateurs.",
|
||||
"unread_messages": "Messages non lus ci-dessous",
|
||||
"unsaved_changes": "Vous avez des modifications non enregistrées à vos applications épinglées. Enregistrez-les sur QDN.",
|
||||
"settings": "vous utilisez la manière d'exportation / importation d'enregistrement des paramètres.",
|
||||
"space_for_admins": "désolé, cet espace est uniquement pour les administrateurs.",
|
||||
"unread_messages": "messages non lus ci-dessous",
|
||||
"unsaved_changes": "vous avez des modifications non enregistrées à vos applications épinglées. Enregistrez-les sur QDN.",
|
||||
"updating": "mise à jour"
|
||||
},
|
||||
"message": "message",
|
||||
"promotion_text": "Texte de promotion",
|
||||
"promotion_text": "texte de promotion",
|
||||
"question": {
|
||||
"accept_vote_on_poll": "Acceptez-vous cette transaction vote_on_poll? Les sondages sont publics!",
|
||||
"accept_vote_on_poll": "acceptez-vous cette transaction vote_on_poll? Les sondages sont publics!",
|
||||
"logout": "Êtes-vous sûr que vous aimeriez vous connecter?",
|
||||
"new_user": "Êtes-vous un nouvel utilisateur?",
|
||||
"delete_chat_image": "Souhaitez-vous supprimer votre image de chat précédente?",
|
||||
"delete_chat_image": "souhaitez-vous supprimer votre image de chat précédente?",
|
||||
"perform_transaction": "would you like to perform a {{action}} transaction?",
|
||||
"provide_thread": "Veuillez fournir un titre de fil",
|
||||
"publish_app": "Souhaitez-vous publier cette application?",
|
||||
"publish_avatar": "Souhaitez-vous publier un avatar?",
|
||||
"publish_qdn": "Souhaitez-vous publier vos paramètres sur QDN (Ecrypted)?",
|
||||
"overwrite_changes": "L'application n'a pas été en mesure de télécharger vos applications épinglées existantes existantes. Souhaitez-vous écraser ces changements?",
|
||||
"provide_thread": "veuillez fournir un titre de fil",
|
||||
"publish_app": "souhaitez-vous publier cette application?",
|
||||
"publish_avatar": "souhaitez-vous publier un avatar?",
|
||||
"publish_qdn": "souhaitez-vous publier vos paramètres sur QDN (Ecrypted)?",
|
||||
"overwrite_changes": "l'application n'a pas été en mesure de télécharger vos applications épinglées existantes existantes. Souhaitez-vous écraser ces changements?",
|
||||
"rate_app": "would you like to rate this app a rating of {{ rate }}?. It will create a POLL tx.",
|
||||
"register_name": "Souhaitez-vous enregistrer ce nom?",
|
||||
"reset_pinned": "Vous n'aimez pas vos changements locaux actuels? Souhaitez-vous réinitialiser les applications épinglées par défaut?",
|
||||
"reset_qdn": "Vous n'aimez pas vos changements locaux actuels? Souhaitez-vous réinitialiser avec vos applications QDN enregistrées?",
|
||||
"register_name": "souhaitez-vous enregistrer ce nom?",
|
||||
"reset_pinned": "vous n'aimez pas vos changements locaux actuels? Souhaitez-vous réinitialiser les applications épinglées par défaut?",
|
||||
"reset_qdn": "vous n'aimez pas vos changements locaux actuels? Souhaitez-vous réinitialiser avec vos applications QDN enregistrées?",
|
||||
"transfer_qort": "would you like to transfer {{ amount }} QORT"
|
||||
},
|
||||
"status": {
|
||||
@ -305,12 +305,12 @@
|
||||
"synchronizing": "synchronisation"
|
||||
},
|
||||
"success": {
|
||||
"order_submitted": "Votre commande d'achat a été soumise",
|
||||
"order_submitted": "votre commande d'achat a été soumise",
|
||||
"published": "publié avec succès. Veuillez patienter quelques minutes pour que le réseau propage les modifications.",
|
||||
"published_qdn": "publié avec succès sur QDN",
|
||||
"rated_app": "Évalué avec succès. Veuillez patienter quelques minutes pour que le réseau propage les modifications.",
|
||||
"request_read": "J'ai lu cette demande",
|
||||
"transfer": "Le transfert a réussi!",
|
||||
"transfer": "le transfert a réussi!",
|
||||
"voted": "voté avec succès. Veuillez patienter quelques minutes pour que le réseau propage les modifications."
|
||||
}
|
||||
},
|
||||
@ -321,6 +321,7 @@
|
||||
"none": "aucun",
|
||||
"note": "note",
|
||||
"option": "option",
|
||||
"option_no": "aucune option",
|
||||
"option_other": "options",
|
||||
"page": {
|
||||
"last": "dernier",
|
||||
@ -328,10 +329,12 @@
|
||||
"next": "suivant",
|
||||
"previous": "précédent"
|
||||
},
|
||||
"payment_notification": "Notification de paiement",
|
||||
"payment_notification": "notification de paiement",
|
||||
"payment": "paiement",
|
||||
"poll_embed": "sondage",
|
||||
"port": "port",
|
||||
"price": "prix",
|
||||
"publish": "publication",
|
||||
"q_apps": {
|
||||
"about": "À propos de ce Q-App",
|
||||
"q_mail": "Q-mail",
|
||||
@ -352,14 +355,15 @@
|
||||
"theme": {
|
||||
"dark": "sombre",
|
||||
"dark_mode": "mode sombre",
|
||||
"default": "thème par défaut",
|
||||
"light": "lumière",
|
||||
"light_mode": "mode léger",
|
||||
"light_mode": "mode clair",
|
||||
"manager": "directeur de thème",
|
||||
"name": "nom de thème"
|
||||
},
|
||||
"thread": "fil",
|
||||
"thread_other": "threads",
|
||||
"thread_title": "Titre du fil",
|
||||
"thread_title": "titre du fil",
|
||||
"time": {
|
||||
"day_one": "{{count}} day",
|
||||
"day_other": "{{count}} days",
|
||||
@ -372,7 +376,7 @@
|
||||
"title": "titre",
|
||||
"to": "à",
|
||||
"tutorial": "tutoriel",
|
||||
"url": "URL",
|
||||
"url": "uRL",
|
||||
"user_lookup": "recherche d'utilisateur",
|
||||
"vote": "voter",
|
||||
"vote_other": "{{ count }} votes",
|
||||
|
@ -1,45 +1,44 @@
|
||||
{
|
||||
"action": {
|
||||
"add_promotion": "Ajouter la promotion",
|
||||
"ban": "Interdire le membre du groupe",
|
||||
"cancel_ban": "Annuler l'interdiction",
|
||||
"copy_private_key": "Copier la clé privée",
|
||||
"add_promotion": "ajouter la promotion",
|
||||
"ban": "interdire le membre du groupe",
|
||||
"cancel_ban": "annuler l'interdiction",
|
||||
"copy_private_key": "copier la clé privée",
|
||||
"create_group": "créer un groupe",
|
||||
"disable_push_notifications": "Désactiver toutes les notifications push",
|
||||
"disable_push_notifications": "désactiver toutes les notifications push",
|
||||
"export_password": "mot de passe d'exportation",
|
||||
"export_private_key": "Exporter la clé privée",
|
||||
"export_private_key": "exporter la clé privée",
|
||||
"find_group": "trouver un groupe",
|
||||
"join_group": "se joindre au groupe",
|
||||
"kick_member": "Kick Member du groupe",
|
||||
"invite_member": "inviter un membre",
|
||||
"leave_group": "quitter le groupe",
|
||||
"load_members": "Chargez les membres avec des noms",
|
||||
"load_members": "chargez les membres avec des noms",
|
||||
"make_admin": "faire un administrateur",
|
||||
"manage_members": "gérer les membres",
|
||||
"promote_group": "Promouvoir votre groupe auprès des non-membres",
|
||||
"publish_announcement": "Publier l'annonce",
|
||||
"publish_avatar": "Publier Avatar",
|
||||
"promote_group": "promouvoir votre groupe auprès des non-membres",
|
||||
"publish_announcement": "publier l'annonce",
|
||||
"publish_avatar": "publier Avatar",
|
||||
"refetch_page": "page de réadaptation",
|
||||
"remove_admin": "Supprimer comme administrateur",
|
||||
"remove_minting_account": "Supprimer le compte de pénitence",
|
||||
"remove_admin": "supprimer comme administrateur",
|
||||
"remove_minting_account": "supprimer le compte de pénitence",
|
||||
"return_to_thread": "retour aux fils",
|
||||
"scroll_bottom": "Faites défiler vers le bas",
|
||||
"scroll_unread_messages": "Faites défiler les messages non lus",
|
||||
"select_group": "Sélectionnez un groupe",
|
||||
"visit_q_mintership": "Visitez Q-Mintership"
|
||||
"scroll_bottom": "faites défiler vers le bas",
|
||||
"scroll_unread_messages": "faites défiler les messages non lus",
|
||||
"select_group": "sélectionnez un groupe",
|
||||
"visit_q_mintership": "visitez Q-Mintership"
|
||||
},
|
||||
"advanced_options": "options avancées",
|
||||
"ban_list": "liste d'interdiction",
|
||||
"block_delay": {
|
||||
"minimum": "Retard de bloc minimum",
|
||||
"maximum": "Retard de bloc maximum"
|
||||
"minimum": "retard de bloc minimum",
|
||||
"maximum": "retard de bloc maximum"
|
||||
},
|
||||
"group": {
|
||||
"approval_threshold": "Seuil d'approbation du groupe",
|
||||
"approval_threshold": "seuil d'approbation du groupe",
|
||||
"avatar": "avatar de groupe",
|
||||
"closed": "Fermé (privé) - Les utilisateurs ont besoin d'une autorisation pour rejoindre",
|
||||
"description": "Description du groupe",
|
||||
"id": "ID de groupe",
|
||||
"closed": "fermé (privé) - Les utilisateurs ont besoin d'une autorisation pour rejoindre",
|
||||
"description": "description du groupe",
|
||||
"id": "iD de groupe",
|
||||
"invites": "invitations de groupe",
|
||||
"group": "groupe",
|
||||
"group_name": "group: {{ name }}",
|
||||
@ -51,85 +50,85 @@
|
||||
"name": "nom de groupe",
|
||||
"open": "ouvert (public)",
|
||||
"private": "groupe privé",
|
||||
"promotions": "Promotions de groupe",
|
||||
"promotions": "promotions de groupe",
|
||||
"public": "groupe public",
|
||||
"type": "type de groupe"
|
||||
},
|
||||
"invitation_expiry": "Temps d'expiration de l'invitation",
|
||||
"invitees_list": "Liste des invités",
|
||||
"join_link": "Rejoignez le lien de groupe",
|
||||
"invitation_expiry": "temps d'expiration de l'invitation",
|
||||
"invitees_list": "liste des invités",
|
||||
"join_link": "rejoignez le lien de groupe",
|
||||
"join_requests": "joindre les demandes",
|
||||
"last_message": "dernier message",
|
||||
"last_message_date": "last message: {{date }}",
|
||||
"latest_mails": "Dernier Q-Mails",
|
||||
"latest_mails": "dernier Q-Mails",
|
||||
"message": {
|
||||
"generic": {
|
||||
"avatar_publish_fee": "publishing an Avatar requires {{ fee }}",
|
||||
"avatar_registered_name": "Un nom enregistré est nécessaire pour définir un avatar",
|
||||
"admin_only": "Seuls les groupes où vous êtes un administrateur seront affichés",
|
||||
"already_in_group": "Vous êtes déjà dans ce groupe!",
|
||||
"block_delay_minimum": "Délai de bloc minimum pour les approbations des transactions de groupe",
|
||||
"block_delay_maximum": "Délai de bloc maximum pour les approbations des transactions de groupe",
|
||||
"closed_group": "Il s'agit d'un groupe fermé / privé, vous devrez donc attendre qu'un administrateur accepte votre demande",
|
||||
"descrypt_wallet": "Portefeuille décrypteur ...",
|
||||
"encryption_key": "La première clé de chiffrement commune du groupe est en train de créer. Veuillez patienter quelques minutes pour qu'il soit récupéré par le réseau. Vérifier toutes les 2 minutes ...",
|
||||
"avatar_registered_name": "un nom enregistré est nécessaire pour définir un avatar",
|
||||
"admin_only": "seuls les groupes où vous êtes un administrateur seront affichés",
|
||||
"already_in_group": "vous êtes déjà dans ce groupe!",
|
||||
"block_delay_minimum": "délai de bloc minimum pour les approbations des transactions de groupe",
|
||||
"block_delay_maximum": "délai de bloc maximum pour les approbations des transactions de groupe",
|
||||
"closed_group": "il s'agit d'un groupe fermé / privé, vous devrez donc attendre qu'un administrateur accepte votre demande",
|
||||
"descrypt_wallet": "portefeuille décrypteur ...",
|
||||
"encryption_key": "la première clé de chiffrement commune du groupe est en train de créer. Veuillez patienter quelques minutes pour qu'il soit récupéré par le réseau. Vérifier toutes les 2 minutes ...",
|
||||
"group_announcement": "annonces de groupe",
|
||||
"group_approval_threshold": "Seuil d'approbation du groupe (nombre / pourcentage d'administrateurs qui doivent approuver une transaction)",
|
||||
"group_approval_threshold": "seuil d'approbation du groupe (nombre / pourcentage d'administrateurs qui doivent approuver une transaction)",
|
||||
"group_encrypted": "groupe crypté",
|
||||
"group_invited_you": "{{group}} has invited you",
|
||||
"group_key_created": "First Group Key créé.",
|
||||
"group_member_list_changed": "La liste des membres du groupe a changé. Veuillez réincrypter la clé secrète.",
|
||||
"group_no_secret_key": "Il n'y a pas de clé secrète de groupe. Soyez le premier administrateur à en publier un!",
|
||||
"group_secret_key_no_owner": "La dernière clé secrète de groupe a été publiée par un non-propriétaire. En tant que propriétaire du groupe, veuillez réincriner la clé en tant que sauvegarde.",
|
||||
"invalid_content": "Contenu, expéditeur ou horodatrice non valide dans les données de réaction",
|
||||
"invalid_data": "Erreur de chargement de contenu: données non valides",
|
||||
"latest_promotion": "Seule la dernière promotion de la semaine sera affichée pour votre groupe.",
|
||||
"loading_members": "Chargement de la liste des membres avec des noms ... Veuillez patienter.",
|
||||
"max_chars": "Max 200 caractères. Publier les frais",
|
||||
"manage_minting": "Gérez votre frappe",
|
||||
"minter_group": "Vous ne faites actuellement pas partie du groupe Minter",
|
||||
"mintership_app": "Visitez l'application Q-Mintership pour s'appliquer pour être un Minter",
|
||||
"minting_account": "Compte de presse:",
|
||||
"minting_keys_per_node": "Seules 2 touches de baisse sont autorisées par nœud. Veuillez en supprimer un si vous souhaitez la menthe avec ce compte.",
|
||||
"minting_keys_per_node_different": "Seules 2 touches de baisse sont autorisées par nœud. Veuillez en supprimer un si vous souhaitez ajouter un autre compte.",
|
||||
"next_level": "Blocs restants jusqu'au niveau suivant:",
|
||||
"node_minting": "Ce nœud est en cours:",
|
||||
"node_minting_account": "Comptes de frappe du nœud",
|
||||
"node_minting_key": "Vous avez actuellement une touche de frappe pour ce compte attaché à ce nœud",
|
||||
"no_announcement": "Aucune annonce",
|
||||
"no_display": "Rien à afficher",
|
||||
"no_selection": "Aucun groupe sélectionné",
|
||||
"not_part_group": "Vous ne faites pas partie du groupe de membres chiffrés. Attendez qu'un administrateur revienne les clés.",
|
||||
"only_encrypted": "Seuls les messages non cryptés seront affichés.",
|
||||
"only_private_groups": "Seuls les groupes privés seront affichés",
|
||||
"group_key_created": "first Group Key créé.",
|
||||
"group_member_list_changed": "la liste des membres du groupe a changé. Veuillez réincrypter la clé secrète.",
|
||||
"group_no_secret_key": "il n'y a pas de clé secrète de groupe. Soyez le premier administrateur à en publier un!",
|
||||
"group_secret_key_no_owner": "la dernière clé secrète de groupe a été publiée par un non-propriétaire. En tant que propriétaire du groupe, veuillez réincriner la clé en tant que sauvegarde.",
|
||||
"invalid_content": "contenu, expéditeur ou horodatrice non valide dans les données de réaction",
|
||||
"invalid_data": "erreur de chargement de contenu: données non valides",
|
||||
"latest_promotion": "seule la dernière promotion de la semaine sera affichée pour votre groupe.",
|
||||
"loading_members": "chargement de la liste des membres avec des noms ... Veuillez patienter.",
|
||||
"max_chars": "max 200 caractères. Publier les frais",
|
||||
"manage_minting": "gérez votre frappe",
|
||||
"minter_group": "vous ne faites actuellement pas partie du groupe Minter",
|
||||
"mintership_app": "visitez l'application Q-Mintership pour s'appliquer pour être un Minter",
|
||||
"minting_account": "compte de presse:",
|
||||
"minting_keys_per_node": "seules 2 touches de baisse sont autorisées par nœud. Veuillez en supprimer un si vous souhaitez la menthe avec ce compte.",
|
||||
"minting_keys_per_node_different": "seules 2 touches de baisse sont autorisées par nœud. Veuillez en supprimer un si vous souhaitez ajouter un autre compte.",
|
||||
"next_level": "blocs restants jusqu'au niveau suivant:",
|
||||
"node_minting": "ce nœud est en cours:",
|
||||
"node_minting_account": "comptes de frappe du nœud",
|
||||
"node_minting_key": "vous avez actuellement une touche de frappe pour ce compte attaché à ce nœud",
|
||||
"no_announcement": "aucune annonce",
|
||||
"no_display": "rien à afficher",
|
||||
"no_selection": "aucun groupe sélectionné",
|
||||
"not_part_group": "vous ne faites pas partie du groupe de membres chiffrés. Attendez qu'un administrateur revienne les clés.",
|
||||
"only_encrypted": "seuls les messages non cryptés seront affichés.",
|
||||
"only_private_groups": "seuls les groupes privés seront affichés",
|
||||
"pending_join_requests": "{{ group }} has {{ count }} pending join requests",
|
||||
"private_key_copied": "clé privée copiée",
|
||||
"provide_message": "Veuillez fournir un premier message au fil",
|
||||
"secure_place": "Gardez votre clé privée dans un endroit sécurisé. Ne partagez pas!",
|
||||
"setting_group": "Configuration du groupe ... Veuillez patienter."
|
||||
"provide_message": "veuillez fournir un premier message au fil",
|
||||
"secure_place": "gardez votre clé privée dans un endroit sécurisé. Ne partagez pas!",
|
||||
"setting_group": "configuration du groupe ... Veuillez patienter."
|
||||
},
|
||||
"error": {
|
||||
"access_name": "Impossible d'envoyer un message sans accès à votre nom",
|
||||
"descrypt_wallet": "error decrypting wallet {{ :errorMessage }}",
|
||||
"description_required": "Veuillez fournir une description",
|
||||
"group_info": "Impossible d'accéder aux informations du groupe",
|
||||
"access_name": "impossible d'envoyer un message sans accès à votre nom",
|
||||
"descrypt_wallet": "error decrypting wallet {{ message }}",
|
||||
"description_required": "veuillez fournir une description",
|
||||
"group_info": "impossible d'accéder aux informations du groupe",
|
||||
"group_join": "n'a pas réussi à rejoindre le groupe",
|
||||
"group_promotion": "Erreur de publication de la promotion. Veuillez réessayer",
|
||||
"group_secret_key": "Impossible d'obtenir une clé secrète de groupe",
|
||||
"name_required": "Veuillez fournir un nom",
|
||||
"notify_admins": "Essayez de notifier un administrateur à partir de la liste des administrateurs ci-dessous:",
|
||||
"group_promotion": "erreur de publication de la promotion. Veuillez réessayer",
|
||||
"group_secret_key": "impossible d'obtenir une clé secrète de groupe",
|
||||
"name_required": "veuillez fournir un nom",
|
||||
"notify_admins": "essayez de notifier un administrateur à partir de la liste des administrateurs ci-dessous:",
|
||||
"qortals_required": "you need at least {{ quantity }} QORT to send a message",
|
||||
"timeout_reward": "Délai d'attente en attente de confirmation de partage de récompense",
|
||||
"thread_id": "Impossible de localiser l'ID de fil",
|
||||
"unable_determine_group_private": "Impossible de déterminer si le groupe est privé",
|
||||
"unable_minting": "Impossible de commencer à faire"
|
||||
"timeout_reward": "délai d'attente en attente de confirmation de partage de récompense",
|
||||
"thread_id": "impossible de localiser l'ID de fil",
|
||||
"unable_determine_group_private": "impossible de déterminer si le groupe est privé",
|
||||
"unable_minting": "impossible de commencer à faire"
|
||||
},
|
||||
"success": {
|
||||
"group_ban": "Interdit avec succès le membre du groupe. Il peut prendre quelques minutes pour que les modifications se propagent",
|
||||
"group_creation": "Groupe créé avec succès. Il peut prendre quelques minutes pour que les modifications se propagent",
|
||||
"group_ban": "interdit avec succès le membre du groupe. Il peut prendre quelques minutes pour que les modifications se propagent",
|
||||
"group_creation": "groupe créé avec succès. Il peut prendre quelques minutes pour que les modifications se propagent",
|
||||
"group_creation_name": "created group {{group_name}}: awaiting confirmation",
|
||||
"group_creation_label": "created group {{name}}: success!",
|
||||
"group_invite": "successfully invited {{value}}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_invite": "successfully invited {{invitee}}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_join": "demandé avec succès à rejoindre le groupe. Il peut prendre quelques minutes pour que les modifications se propagent",
|
||||
"group_join_name": "joined group {{group_name}}: awaiting confirmation",
|
||||
"group_join_label": "joined group {{name}}: success!",
|
||||
@ -140,27 +139,27 @@
|
||||
"group_leave_name": "left group {{group_name}}: awaiting confirmation",
|
||||
"group_leave_label": "left group {{name}}: success!",
|
||||
"group_member_admin": "a réussi à faire des membres un administrateur. Il peut prendre quelques minutes pour que les modifications se propagent",
|
||||
"group_promotion": "Promotion publiée avec succès. Il peut prendre quelques minutes pour que la promotion apparaisse",
|
||||
"group_remove_member": "Retiré avec succès le membre en tant qu'administrateur. Il peut prendre quelques minutes pour que les modifications se propagent",
|
||||
"group_promotion": "promotion publiée avec succès. Il peut prendre quelques minutes pour que la promotion apparaisse",
|
||||
"group_remove_member": "retiré avec succès le membre en tant qu'administrateur. Il peut prendre quelques minutes pour que les modifications se propagent",
|
||||
"invitation_cancellation": "invitation annulée avec succès. Il peut prendre quelques minutes pour que les modifications se propagent",
|
||||
"invitation_request": "Demande de jointure acceptée: en attente de confirmation",
|
||||
"loading_threads": "Chargement des threads ... Veuillez patienter.",
|
||||
"post_creation": "Post créé avec succès. Il peut prendre un certain temps à la publication pour se propager",
|
||||
"invitation_request": "demande de jointure acceptée: en attente de confirmation",
|
||||
"loading_threads": "chargement des threads ... Veuillez patienter.",
|
||||
"post_creation": "post créé avec succès. Il peut prendre un certain temps à la publication pour se propager",
|
||||
"published_secret_key": "published secret key for group {{ group_id }}: awaiting confirmation",
|
||||
"published_secret_key_label": "published secret key for group {{ group_id }}: success!",
|
||||
"registered_name": "enregistré avec succès. Il peut prendre quelques minutes pour que les modifications se propagent",
|
||||
"registered_name_label": "Nom enregistré: En attente de confirmation. Cela peut prendre quelques minutes.",
|
||||
"registered_name_success": "Nom enregistré: Succès!",
|
||||
"rewardshare_add": "Ajouter des récompenses: en attente de confirmation",
|
||||
"rewardshare_add_label": "Ajoutez des récompenses: succès!",
|
||||
"rewardshare_creation": "Confirmer la création de récompenses sur la chaîne. Soyez patient, cela pourrait prendre jusqu'à 90 secondes.",
|
||||
"rewardshare_confirmed": "RÉCOMPRIMATION RÉFORMÉ. Veuillez cliquer sur Suivant.",
|
||||
"rewardshare_remove": "Supprimer les récompenses: en attente de confirmation",
|
||||
"rewardshare_remove_label": "Supprimer les récompenses: succès!",
|
||||
"registered_name_label": "nom enregistré: En attente de confirmation. Cela peut prendre quelques minutes.",
|
||||
"registered_name_success": "nom enregistré: Succès!",
|
||||
"rewardshare_add": "ajouter des récompenses: en attente de confirmation",
|
||||
"rewardshare_add_label": "ajoutez des récompenses: succès!",
|
||||
"rewardshare_creation": "confirmer la création de récompenses sur la chaîne. Soyez patient, cela pourrait prendre jusqu'à 90 secondes.",
|
||||
"rewardshare_confirmed": "rÉCOMPRIMATION RÉFORMÉ. Veuillez cliquer sur Suivant.",
|
||||
"rewardshare_remove": "supprimer les récompenses: en attente de confirmation",
|
||||
"rewardshare_remove_label": "supprimer les récompenses: succès!",
|
||||
"thread_creation": "thread créé avec succès. Il peut prendre un certain temps à la publication pour se propager",
|
||||
"unbanned_user": "Utilisateur sans succès avec succès. Il peut prendre quelques minutes pour que les modifications se propagent",
|
||||
"user_joined": "L'utilisateur a rejoint avec succès!"
|
||||
"unbanned_user": "utilisateur sans succès avec succès. Il peut prendre quelques minutes pour que les modifications se propagent",
|
||||
"user_joined": "l'utilisateur a rejoint avec succès!"
|
||||
}
|
||||
},
|
||||
"thread_posts": "Nouveaux messages de fil"
|
||||
}
|
||||
"thread_posts": "nouveaux messages de fil"
|
||||
}
|
||||
|
@ -111,7 +111,7 @@
|
||||
"provide_group_id": "please provide a groupId",
|
||||
"read_transaction_carefully": "read the transaction carefully before accepting!",
|
||||
"user_declined_add_list": "user declined add to list",
|
||||
"user_declined_delete_from_list": "User declined delete from list",
|
||||
"user_declined_delete_from_list": "user declined delete from list",
|
||||
"user_declined_delete_hosted_resources": "user declined delete hosted resources",
|
||||
"user_declined_join": "user declined to join group",
|
||||
"user_declined_list": "user declined to get list of hosted resources",
|
||||
|
@ -4,7 +4,7 @@
|
||||
"3_groups": "3. Groupes Qortal",
|
||||
"4_obtain_qort": "4. Obtention de Qort",
|
||||
"account_creation": "création de compte",
|
||||
"important_info": "Informations importantes!",
|
||||
"important_info": "informations importantes",
|
||||
"apps": {
|
||||
"dashboard": "1. Tableau de bord Apps",
|
||||
"navigation": "2. Navigation des applications"
|
||||
|
@ -7,129 +7,132 @@
|
||||
},
|
||||
"action": {
|
||||
"add": {
|
||||
"account": "Aggiungi account",
|
||||
"seed_phrase": "Aggiungi seme-frase"
|
||||
"account": "aggiungi account",
|
||||
"seed_phrase": "aggiungi seed phrase"
|
||||
},
|
||||
"authenticate": "autenticazione",
|
||||
"block": "bloccare",
|
||||
"authenticate": "autentica",
|
||||
"block": "blocca",
|
||||
"block_all": "blocca tutto",
|
||||
"block_data": "blocca i dati QDN",
|
||||
"block_name": "nome del blocco",
|
||||
"block_txs": "blocca TSX",
|
||||
"fetch_names": "Nomi di recupero",
|
||||
"copy_address": "Indirizzo di copia",
|
||||
"create_account": "creare un account",
|
||||
"create_qortal_account": "create your Qortal account by clicking <next>NEXT</next> below.",
|
||||
"choose_password": "Scegli nuova password",
|
||||
"download_account": "Scarica account",
|
||||
"enter_amount": "Si prega di inserire un importo maggiore di 0",
|
||||
"enter_recipient": "Inserisci un destinatario",
|
||||
"enter_wallet_password": "Inserisci la password del tuo portafoglio",
|
||||
"export_seedphrase": "Export Seedphrase",
|
||||
"insert_name_address": "Si prega di inserire un nome o un indirizzo",
|
||||
"publish_admin_secret_key": "Pubblica la chiave segreta dell'amministratore",
|
||||
"publish_group_secret_key": "Pubblica Key Secret Group",
|
||||
"reencrypt_key": "Chiave di ri-crittografia",
|
||||
"return_to_list": "Torna all'elenco",
|
||||
"setup_qortal_account": "Imposta il tuo account Qortal",
|
||||
"unblock": "sbloccare",
|
||||
"unblock_name": "Nome sblocco"
|
||||
"fetch_names": "nomi di recupero",
|
||||
"copy_address": "indirizzo di copia",
|
||||
"create_account": "crea un account",
|
||||
"create_qortal_account": "crea il tuo account Qortal cliccando <next>NEXT</next> sotto.",
|
||||
"choose_password": "scegli nuova password",
|
||||
"download_account": "scarica account",
|
||||
"enter_amount": "si prega di inserire un importo maggiore di 0",
|
||||
"enter_recipient": "inserisci un destinatario",
|
||||
"enter_wallet_password": "inserisci la password del tuo wallet",
|
||||
"export_seedphrase": "esporta seed phrase",
|
||||
"insert_name_address": "si prega di inserire un nome o un indirizzo",
|
||||
"publish_admin_secret_key": "pubblica la chiave segreta dell'amministratore",
|
||||
"publish_group_secret_key": "pubblica chiave segreta di gruppo",
|
||||
"reencrypt_key": "chiave di ri-crittografia",
|
||||
"return_to_list": "torna all'elenco",
|
||||
"setup_qortal_account": "imposta il tuo account Qortal",
|
||||
"unblock": "sblocca",
|
||||
"unblock_name": "sblocca nome"
|
||||
},
|
||||
"address": "indirizzo",
|
||||
"address_name": "indirizzo o nome",
|
||||
"advanced_users": "per utenti avanzati",
|
||||
"apikey": {
|
||||
"alternative": "Alternativa: selezione file",
|
||||
"change": "Cambia Apikey",
|
||||
"enter": "Inserisci Apikey",
|
||||
"import": "Importa apikey",
|
||||
"key": "Chiave API",
|
||||
"select_valid": "Seleziona un apikey valido"
|
||||
"alternative": "alternativa: selezione file",
|
||||
"change": "cambia Apikey",
|
||||
"enter": "inserisci Apikey",
|
||||
"import": "importa apikey",
|
||||
"key": "chiave API",
|
||||
"select_valid": "seleziona una apikey valida"
|
||||
},
|
||||
"authentication": "autenticazione",
|
||||
"blocked_users": "utenti bloccati",
|
||||
"build_version": "Build Version",
|
||||
"build_version": "versione build",
|
||||
"message": {
|
||||
"error": {
|
||||
"account_creation": "Impossibile creare un account.",
|
||||
"account_creation": "impossibile creare un account.",
|
||||
"address_not_existing": "l'indirizzo non esiste sulla blockchain",
|
||||
"block_user": "Impossibile bloccare l'utente",
|
||||
"create_simmetric_key": "Impossibile creare una chiave simmetrica",
|
||||
"block_user": "impossibile bloccare l'utente",
|
||||
"create_simmetric_key": "impossibile creare una chiave simmetrica",
|
||||
"decrypt_data": "non poteva decrittografare i dati",
|
||||
"decrypt": "Impossibile decrittografare",
|
||||
"encrypt_content": "Impossibile crittografare il contenuto",
|
||||
"fetch_user_account": "Impossibile recuperare l'account utente",
|
||||
"decrypt": "impossibile decrittografare",
|
||||
"encrypt_content": "impossibile crittografare il contenuto",
|
||||
"fetch_user_account": "impossibile recuperare l'account utente",
|
||||
"field_not_found_json": "{{ field }} not found in JSON",
|
||||
"find_secret_key": "Impossibile trovare secretkey corretta",
|
||||
"find_secret_key": "impossibile trovare secretkey corretta",
|
||||
"incorrect_password": "password errata",
|
||||
"invalid_qortal_link": "collegamento Qortale non valido",
|
||||
"invalid_secret_key": "SecretKey non è valido",
|
||||
"invalid_uint8": "L'uint8arraydata che hai inviato non è valido",
|
||||
"name_not_existing": "Il nome non esiste",
|
||||
"name_not_registered": "Nome non registrato",
|
||||
"read_blob_base64": "Impossibile leggere il BLOB come stringa codificata da base64",
|
||||
"reencrypt_secret_key": "incapace di rivivere nuovamente la chiave segreta",
|
||||
"set_apikey": "Impossibile impostare la chiave API:"
|
||||
"invalid_qortal_link": "collegamento Qortal non valido",
|
||||
"invalid_secret_key": "la chiave segreta non è valida",
|
||||
"invalid_uint8": "l'uint8arraydata che hai inviato non è valido",
|
||||
"name_not_existing": "il nome non esiste",
|
||||
"name_not_registered": "nome non registrato",
|
||||
"read_blob_base64": "impossibile leggere il BLOB come stringa codificata da base64",
|
||||
"reencrypt_secret_key": "impossibile recriptare la chiave segreta",
|
||||
"set_apikey": "impossibile impostare la chiave API:"
|
||||
},
|
||||
"generic": {
|
||||
"blocked_addresses": "Indirizzi bloccati: l'elaborazione dei blocchi di TXS",
|
||||
"blocked_names": "Nomi bloccati per QDN",
|
||||
"blocked_addresses": "indirizzi bloccati: l'elaborazione dei blocchi di TXS",
|
||||
"blocked_names": "nomi bloccati per QDN",
|
||||
"blocking": "blocking {{ name }}",
|
||||
"choose_block": "Scegli \"Block TXS\" o \"All\" per bloccare i messaggi di chat",
|
||||
"congrats_setup": "Congratulazioni, sei tutto impostato!",
|
||||
"decide_block": "Decidi cosa bloccare",
|
||||
"choose_block": "scegli 'Blocca TXS' o 'Tutti' per bloccare i messaggi di chat",
|
||||
"congrats_setup": "congratulazioni, tutto è stato impostato!",
|
||||
"decide_block": "decidi cosa bloccare",
|
||||
"downloading_encryption_keys": "scaricamento chiavi di crittazione",
|
||||
"name_address": "nome o indirizzo",
|
||||
"no_account": "Nessun conti salvati",
|
||||
"no_minimum_length": "Non esiste un requisito di lunghezza minima",
|
||||
"no_secret_key_published": "Nessuna chiave segreta ancora pubblicata",
|
||||
"fetching_admin_secret_key": "recuperare gli amministratori chiave segreta",
|
||||
"fetching_group_secret_key": "Fetching Group Secret Key pubblica",
|
||||
"last_encryption_date": "last encryption date: {{ date }} by {{ name }}",
|
||||
"keep_secure": "Mantieni il tuo file account sicuro",
|
||||
"publishing_key": "Promemoria: dopo aver pubblicato la chiave, ci vorranno un paio di minuti per apparire. Per favore aspetta.",
|
||||
"seedphrase_notice": "a <seed>SEEDPHRASE</seed> has been randomly generated in the background.",
|
||||
"turn_local_node": "Si prega di attivare il nodo locale",
|
||||
"type_seed": "Digita o incolla nella frase di semi",
|
||||
"your_accounts": "I tuoi conti salvati"
|
||||
"no_account": "nessun account salvato",
|
||||
"no_minimum_length": "non esiste un requisito di lunghezza minima",
|
||||
"no_secret_key_published": "nessuna chiave segreta ancora pubblicata",
|
||||
"fetching_admin_secret_key": "recupero chiave segreta admin",
|
||||
"fetching_group_secret_key": "recupero chiavi segreta di gruppo pubblicate",
|
||||
"last_encryption_date": "ultima data di crittazione: {{ date }} eseguito da {{ name }}",
|
||||
"locating_encryption_keys": "individuazione chiavi di crittazione",
|
||||
"keep_secure": "mantieni il tuo file account sicuro",
|
||||
"publishing_key": "attenzione: dopo aver pubblicato la chiave, ci vorranno un paio di minuti per apparire. Attendere, per favore.",
|
||||
"seedphrase_notice": "È stato generato una <seed>SEED PHRASE</seed> in background.",
|
||||
"turn_local_node": "si prega di attivare il nodo locale",
|
||||
"type_seed": "digita o incolla la seed phrase",
|
||||
"your_accounts": "i tuoi conti salvati"
|
||||
},
|
||||
"success": {
|
||||
"reencrypted_secret_key": "Chiave segreta ri-crittografata con successo. Potrebbero essere necessari un paio di minuti per propagare le modifiche. Aggiorna il gruppo in 5 minuti."
|
||||
"reencrypted_secret_key": "chiave segreta recriptata con successo. Potrebbero essere necessari un paio di minuti per propagare le modifiche. Aggiorna il gruppo in 5 minuti."
|
||||
}
|
||||
},
|
||||
"node": {
|
||||
"choose": "scegli il nodo personalizzato",
|
||||
"custom_many": "nodi personalizzati",
|
||||
"use_custom": "usa il nodo personalizzato",
|
||||
"use_local": "usa il nodo locale",
|
||||
"using": "uso del nodo",
|
||||
"using_public": "uso del nodo pubblico",
|
||||
"using_public_gateway": "using public node: {{ gateway }}"
|
||||
"choose": "scegli un nodo custom",
|
||||
"custom_many": "nodi custom",
|
||||
"use_custom": "utilizza nodo custom",
|
||||
"use_local": "utilizza nodo locale",
|
||||
"using": "utilizzo nodo",
|
||||
"using_public": "utilizzo di un nodo pubblico",
|
||||
"using_public_gateway": "utilizzo di un nodo pubblico: {{ gateway }}"
|
||||
},
|
||||
"note": "nota",
|
||||
"password": "password",
|
||||
"password_confirmation": "Conferma password",
|
||||
"seed_phrase": "frase di semi",
|
||||
"seed_your": "la tua seedphrase",
|
||||
"password_confirmation": "conferma password",
|
||||
"seed_phrase": "seed phrase",
|
||||
"seed_your": "la tua seed phrase",
|
||||
"tips": {
|
||||
"additional_wallet": "Usa questa opzione per collegare ulteriori portafogli Qortali che hai già realizzato, per accedere con loro in seguito. Avrai bisogno di accedere al tuo file JSON di backup per farlo.",
|
||||
"digital_id": "Il tuo portafoglio è come il tuo ID digitale su Qortal ed è come accederai all'interfaccia utente Qortal. Contiene il tuo indirizzo pubblico e il nome Qortal che alla fine sceglierai. Ogni transazione che fai è collegata al tuo ID, ed è qui che gestisci tutte le tue criptovalute Qort e altre criptovalute negoziabili su Qortal.",
|
||||
"existing_account": "Hai già un account Qortal? Inserisci la tua frase di backup segreta qui per accedervi. Questa frase è uno dei modi per recuperare il tuo account.",
|
||||
"key_encrypt_admin": "Questa chiave è crittografare i contenuti relativi ad amministrazione. Solo gli amministratori vedrebbero il contenuto crittografato con esso.",
|
||||
"key_encrypt_group": "Questa chiave è crittografare i contenuti relativi al gruppo. Questo è l'unico usato in questa interfaccia utente al momento. Tutti i membri del gruppo saranno in grado di vedere i contenuti crittografati con questa chiave.",
|
||||
"new_account": "La creazione di un account significa creare un nuovo portafoglio e un ID digitale per iniziare a utilizzare Qortal. Una volta che hai realizzato il tuo account, puoi iniziare a fare cose come ottenere un po 'di Qort, acquistare un nome e Avatar, pubblicare video e blog e molto altro.",
|
||||
"new_users": "I nuovi utenti iniziano qui!",
|
||||
"safe_place": "Salva il tuo account in un posto in cui lo ricorderai!",
|
||||
"view_seedphrase": "Se si desidera visualizzare la seedphrase, fai clic sulla parola \"seedphrase\" in questo testo. Le seedphrasi vengono utilizzate per generare la chiave privata per il tuo account Qortal. Per la sicurezza per impostazione predefinita, le semina non vengono visualizzate se non specificamente scelte.",
|
||||
"wallet_secure": "Mantieni il tuo file di portafoglio sicuro."
|
||||
"additional_wallet": "usa quest'opzione per collegare ulteriori portafogli Qortal già creati, per potervi accedere in seguito. Avrai bisogno di accedere al tuo file JSON di backup.",
|
||||
"digital_id": "il tuo wallet è come il tuo ID digitale su Qortal ed e verrà usato per accedere a Qortal. Contiene il tuo indirizzo pubblico e il nome Qortal che alla fine sceglierai. Ogni transazione che fai è collegata al tuo ID, nel quale potrai gestire tutte le tue criptovalute Qort e altre criptovalute negoziabili su Qortal.",
|
||||
"existing_account": "hai già un account Qortal? Inserisci qui la tua frase di backup segreta per accedervi. Questa frase è uno dei modi per recuperare il tuo account.",
|
||||
"key_encrypt_admin": "questa chiave crittografa i contenuti relativi ad amministratore. Solo gli amministratori vedrebbero il contenuto crittografato.",
|
||||
"key_encrypt_group": "questa chiave crittografa i contenuti relativi al gruppo. Questo è l'unico usato in questa interfaccia utente al momento. Tutti i membri del gruppo saranno in grado di vedere i contenuti crittografati con questa chiave.",
|
||||
"new_account": "la creazione di un account consiste nella creazione di un wallet e di un ID digitale per iniziare a utilizzare Qortal. Una volta creato l'account, potrai iniziare a fare cose come ottenere dei Qort, acquistare un nome e un Avatar, pubblicare video e blog e molto altro.",
|
||||
"new_users": "i nuovi utenti iniziano qui!",
|
||||
"safe_place": "salva il tuo account in un posto da ricordare!",
|
||||
"view_seedphrase": "se si desidera visualizzare la seed phrase, fai clic sulla parola \"seed phrase\" in questo testo. Le seed phrase vengono utilizzate per generare la chiave privata per il tuo account Qortal. Per la sicurezza per impostazione predefinita, le seed phrase non vengono visualizzate se non specificamente scelte.",
|
||||
"wallet_secure": "mantieni al sicuro il tuo file di wallet."
|
||||
},
|
||||
"wallet": {
|
||||
"password_confirmation": "Conferma la password del portafoglio",
|
||||
"password": "Password del portafoglio",
|
||||
"keep_password": "Mantieni la password corrente",
|
||||
"new_password": "Nuova password",
|
||||
"password_confirmation": "conferma la password del wallet",
|
||||
"password": "password del wallet",
|
||||
"keep_password": "mantieni la password corrente",
|
||||
"new_password": "nuova password",
|
||||
"error": {
|
||||
"missing_new_password": "Inserisci una nuova password",
|
||||
"missing_password": "Inserisci la tua password"
|
||||
"missing_new_password": "inserisci una nuova password",
|
||||
"missing_password": "inserisci la tua password"
|
||||
}
|
||||
},
|
||||
"welcome": "Benvenuti a"
|
||||
"welcome": "benvenuto in"
|
||||
}
|
||||
|
@ -1,107 +1,107 @@
|
||||
{
|
||||
"action": {
|
||||
"accept": "accettare",
|
||||
"access": "accesso",
|
||||
"access_app": "app di accesso",
|
||||
"add": "aggiungere",
|
||||
"add_custom_framework": "Aggiungi framework personalizzato",
|
||||
"add_reaction": "Aggiungi reazione",
|
||||
"add_theme": "Aggiungi tema",
|
||||
"accept": "accetta",
|
||||
"access": "accedi",
|
||||
"access_app": "accesso app",
|
||||
"add": "aggiungi",
|
||||
"add_custom_framework": "aggiungi framework personalizzato",
|
||||
"add_reaction": "aggiungi reazione",
|
||||
"add_theme": "aggiungi tema",
|
||||
"backup_account": "account di backup",
|
||||
"backup_wallet": "portafoglio di backup",
|
||||
"cancel": "cancellare",
|
||||
"cancel_invitation": "Annulla l'invito",
|
||||
"backup_wallet": "wallet di backup",
|
||||
"cancel": "cancella",
|
||||
"cancel_invitation": "annulla l'invito",
|
||||
"change": "modifica",
|
||||
"change_avatar": "Cambia Avatar",
|
||||
"change_file": "Modifica file",
|
||||
"change_language": "Cambia il linguaggio",
|
||||
"choose": "scegliere",
|
||||
"choose_file": "Scegli il file",
|
||||
"choose_image": "Scegli l'immagine",
|
||||
"choose_logo": "Scegli un logo",
|
||||
"choose_name": "Scegli un nome",
|
||||
"close": "vicino",
|
||||
"close_chat": "Chiudi la chat diretta",
|
||||
"continue": "continuare",
|
||||
"continue_logout": "Continua a logout",
|
||||
"copy_link": "Copia link",
|
||||
"create_apps": "Crea app",
|
||||
"create_file": "Crea file",
|
||||
"create_transaction": "Crea transazioni sulla blockchain Qortal",
|
||||
"create_thread": "Crea thread",
|
||||
"decline": "declino",
|
||||
"decrypt": "decritto",
|
||||
"disable_enter": "Disabilita inserire",
|
||||
"download": "scaricamento",
|
||||
"download_file": "Scarica file",
|
||||
"edit": "modificare",
|
||||
"edit_theme": "Modifica tema",
|
||||
"enable_dev_mode": "Abilita la modalità Dev",
|
||||
"enter_name": "Immettere un nome",
|
||||
"export": "esportare",
|
||||
"get_qort": "Ottieni Qort",
|
||||
"get_qort_trade": "Ottieni Qort a Q-Trade",
|
||||
"change_avatar": "cambia Avatar",
|
||||
"change_file": "modifica file",
|
||||
"change_language": "cambia il linguaggio",
|
||||
"choose": "scegli",
|
||||
"choose_file": "scegli il file",
|
||||
"choose_image": "scegli l'immagine",
|
||||
"choose_logo": "scegli un logo",
|
||||
"choose_name": "scegli un nome",
|
||||
"close": "chiudi",
|
||||
"close_chat": "chiudi la chat diretta",
|
||||
"continue": "continua",
|
||||
"continue_logout": "conferma il logout",
|
||||
"copy_link": "copia link",
|
||||
"create_apps": "crea app",
|
||||
"create_file": "crea file",
|
||||
"create_transaction": "creare transazioni sulla blockchain Qortal",
|
||||
"create_thread": "crea thread",
|
||||
"decline": "rifiuta",
|
||||
"decrypt": "decripta",
|
||||
"disable_enter": "disabilita invio",
|
||||
"download": "scarica",
|
||||
"download_file": "scarica file",
|
||||
"edit": "modifica",
|
||||
"edit_theme": "modifica tema",
|
||||
"enable_dev_mode": "abilita la modalità Dev",
|
||||
"enter_name": "immetti un nome",
|
||||
"export": "esporta",
|
||||
"get_qort": "ottieni QORT",
|
||||
"get_qort_trade": "ottieni Qort in Q-Trade",
|
||||
"hide": "nascondi",
|
||||
"hide_qr_code": "nascondi QR code",
|
||||
"import": "importare",
|
||||
"import_theme": "Tema di importazione",
|
||||
"import_theme": "importa un tema",
|
||||
"invite": "invitare",
|
||||
"invite_member": "Invita un nuovo membro",
|
||||
"join": "giuntura",
|
||||
"leave_comment": "Lascia un commento",
|
||||
"load_announcements": "Carica annunci più vecchi",
|
||||
"invite_member": "invita un nuovo membro",
|
||||
"join": "unisciti",
|
||||
"leave_comment": "lascia un commento",
|
||||
"load_announcements": "carica annunci più vecchi",
|
||||
"login": "login",
|
||||
"logout": "Logout",
|
||||
"logout": "logout",
|
||||
"new": {
|
||||
"chat": "Nuova chat",
|
||||
"post": "Nuovo post",
|
||||
"theme": "Nuovo tema",
|
||||
"thread": "Nuovo thread"
|
||||
"chat": "nuova chat",
|
||||
"post": "nuovo post",
|
||||
"theme": "nuovo tema",
|
||||
"thread": "nuovo thread"
|
||||
},
|
||||
"notify": "notificare",
|
||||
"open": "aprire",
|
||||
"pin": "spillo",
|
||||
"pin_app": "App per pin",
|
||||
"pin_from_dashboard": "Pin dalla dashboard",
|
||||
"post": "inviare",
|
||||
"post_message": "Messaggio post",
|
||||
"publish": "pubblicare",
|
||||
"notify": "notifica",
|
||||
"open": "apri",
|
||||
"pin": "blocca",
|
||||
"pin_app": "blocca app",
|
||||
"pin_from_dashboard": "pin dalla dashboard",
|
||||
"post": "posta",
|
||||
"post_message": "posta messaggio",
|
||||
"publish": "pubblica",
|
||||
"publish_app": "pubblica la tua app",
|
||||
"publish_comment": "pubblica un commento",
|
||||
"register_name": "registra nome",
|
||||
"remove": "rimuovere",
|
||||
"remove_reaction": "rimuovere la reazione",
|
||||
"return_apps_dashboard": "Torna alla dashboard di app",
|
||||
"remove": "rimuovi",
|
||||
"remove_reaction": "rimuovi la reazione",
|
||||
"return_apps_dashboard": "torna alla dashboard di app",
|
||||
"save": "salva",
|
||||
"save_disk": "Salva su disco",
|
||||
"save_disk": "salva su disco",
|
||||
"search": "ricerca",
|
||||
"search_apps": "Cerca app",
|
||||
"search_groups": "Cerca gruppi",
|
||||
"search_chat_text": "Cerca il testo della chat",
|
||||
"search_apps": "cerca app",
|
||||
"search_groups": "cerca gruppi",
|
||||
"search_chat_text": "cerca il testo della chat",
|
||||
"see_qr_code": "vedi QR code",
|
||||
"select_app_type": "Seleziona il tipo di app",
|
||||
"select_category": "Seleziona categoria",
|
||||
"select_name_app": "Seleziona nome/app",
|
||||
"send": "Inviare",
|
||||
"send_qort": "Invia Qort",
|
||||
"set_avatar": "Imposta Avatar",
|
||||
"show": "spettacolo",
|
||||
"select_app_type": "seleziona il tipo di app",
|
||||
"select_category": "seleziona categoria",
|
||||
"select_name_app": "seleziona nome/app",
|
||||
"send": "invia",
|
||||
"send_qort": "i QORT",
|
||||
"set_avatar": "imposta Avatar",
|
||||
"show": "mostra",
|
||||
"show_poll": "mostra il sondaggio",
|
||||
"start_minting": "Inizia a mellire",
|
||||
"start_typing": "Inizia a digitare qui ...",
|
||||
"trade_qort": "commercio qort",
|
||||
"transfer_qort": "Trasferimento Qort",
|
||||
"unpin": "Unpin",
|
||||
"unpin_app": "App di UNPIN",
|
||||
"unpin_from_dashboard": "sballare dalla dashboard",
|
||||
"update": "aggiornamento",
|
||||
"update_app": "Aggiorna la tua app",
|
||||
"vote": "votare"
|
||||
"start_minting": "inizia a coniare",
|
||||
"start_typing": "puoi iniziare a digitare qui...",
|
||||
"trade_qort": "scambia qort",
|
||||
"transfer_qort": "trasferisci QORT",
|
||||
"unpin": "sblocca",
|
||||
"unpin_app": "sblocca app",
|
||||
"unpin_from_dashboard": "rimuovi dalla dashboard",
|
||||
"update": "aggiorna",
|
||||
"update_app": "aggiorna la tua app",
|
||||
"vote": "vota"
|
||||
},
|
||||
"address_your": "il tuo indirizzo",
|
||||
"admin": "amministratore",
|
||||
"admin_other": "amministratori",
|
||||
"all": "Tutto",
|
||||
"all": "tutto",
|
||||
"amount": "quantità",
|
||||
"announcement": "annuncio",
|
||||
"announcement_other": "annunci",
|
||||
@ -109,12 +109,13 @@
|
||||
"app": "app",
|
||||
"app_other": "app",
|
||||
"app_name": "nome app",
|
||||
"app_service_type": "Tipo di servizio app",
|
||||
"apps_dashboard": "dashboard di app",
|
||||
"app_private": "privata",
|
||||
"app_service_type": "tipo di servizio app",
|
||||
"apps_dashboard": "dashboard delle app",
|
||||
"apps_official": "app ufficiali",
|
||||
"attachment": "allegato",
|
||||
"balance": "bilancia:",
|
||||
"basic_tabs_example": "Esempio di schede di base",
|
||||
"basic_tabs_example": "esempio di schede base",
|
||||
"category": "categoria",
|
||||
"category_other": "categorie",
|
||||
"chat": "chat",
|
||||
@ -122,16 +123,16 @@
|
||||
"contact_other": "contatti",
|
||||
"core": {
|
||||
"block_height": "altezza del blocco",
|
||||
"information": "Informazioni di base",
|
||||
"peers": "coetanei connessi",
|
||||
"information": "informazioni di base",
|
||||
"peers": "peer connessi",
|
||||
"version": "versione principale"
|
||||
},
|
||||
"current_language": "current language: {{ language }}",
|
||||
"current_language": "lingua corrente: {{ language }}",
|
||||
"dev": "dev",
|
||||
"dev_mode": "modalità Dev",
|
||||
"domain": "dominio",
|
||||
"ui": {
|
||||
"version": "Versione dell'interfaccia utente"
|
||||
"version": "versione dell'interfaccia utente"
|
||||
},
|
||||
"count": {
|
||||
"none": "nessuno",
|
||||
@ -140,10 +141,10 @@
|
||||
"description": "descrizione",
|
||||
"devmode_apps": "app in modalità dev",
|
||||
"directory": "directory",
|
||||
"downloading_qdn": "Download da QDN",
|
||||
"downloading_qdn": "download da QDN",
|
||||
"fee": {
|
||||
"payment": "Commissione di pagamento",
|
||||
"publish": "Pubblica tassa"
|
||||
"payment": "commissione di pagamento",
|
||||
"publish": "commissione di pubblicazione"
|
||||
},
|
||||
"for": "per",
|
||||
"general": "generale",
|
||||
@ -155,236 +156,239 @@
|
||||
"level": "livello",
|
||||
"library": "biblioteca",
|
||||
"list": {
|
||||
"bans": "Elenco dei divieti",
|
||||
"groups": "Elenco di gruppi",
|
||||
"invite": "Elenco di inviti",
|
||||
"invites": "Elenco degli inviti",
|
||||
"join_request": "Elenco di richieste di iscrizione",
|
||||
"member": "Elenco dei membri",
|
||||
"members": "Elenco dei membri"
|
||||
"bans": "elenco degli esclusi",
|
||||
"groups": "elenco dei gruppi",
|
||||
"invites": "elenco degli inviti",
|
||||
"join_request": "elenco di richieste di iscrizione",
|
||||
"member": "elenco dei membri",
|
||||
"members": "elenco dei membri"
|
||||
},
|
||||
"loading": {
|
||||
"announcements": "Caricamento di annunci",
|
||||
"announcements": "caricamento di annunci",
|
||||
"generic": "caricamento...",
|
||||
"chat": "Caricamento della chat ... per favore aspetta.",
|
||||
"comments": "Caricamento dei commenti ... per favore aspetta.",
|
||||
"posts": "Caricamento di post ... per favore aspetta."
|
||||
"chat": "caricamento della chat. Attendere, per favore.",
|
||||
"comments": "caricamento dei commenti. Attendere, per favore.",
|
||||
"posts": "caricamento di post. Attendere, per favore."
|
||||
},
|
||||
"member": "membro",
|
||||
"member_other": "membri",
|
||||
"message_us": "Si prega di inviarci un messaggio su Telegram o Discord se hai bisogno di 4 Qort per iniziare a chattare senza limitazioni",
|
||||
"message_us": "si prega di inviarci un messaggio su Telegram o Discord se hai bisogno di 4 Qort per iniziare a chattare senza limitazioni",
|
||||
"message": {
|
||||
"error": {
|
||||
"address_not_found": "Il tuo indirizzo non è stato trovato",
|
||||
"app_need_name": "La tua app ha bisogno di un nome",
|
||||
"build_app": "Impossibile creare app private",
|
||||
"decrypt_app": "Impossibile decrittografare l'app privata '",
|
||||
"download_image": "Impossibile scaricare l'immagine. Riprova più tardi facendo clic sul pulsante Aggiorna",
|
||||
"download_private_app": "Impossibile scaricare l'app privata",
|
||||
"encrypt_app": "Impossibile crittografare l'app. App non pubblicata '",
|
||||
"fetch_app": "Impossibile recuperare l'app",
|
||||
"fetch_publish": "Impossibile recuperare la pubblicazione",
|
||||
"address_not_found": "il tuo indirizzo non è stato trovato",
|
||||
"app_need_name": "la tua app ha bisogno di un nome",
|
||||
"build_app": "impossibile creare app private",
|
||||
"decrypt_app": "impossibile decrittografare l'app privata '",
|
||||
"download_image": "impossibile scaricare l'immagine. Riprova più tardi facendo clic sul pulsante Aggiorna",
|
||||
"download_private_app": "impossibile scaricare l'app privata",
|
||||
"encrypt_app": "impossibile crittografare l'app. App non pubblicata '",
|
||||
"fetch_app": "impossibile recuperare l'app",
|
||||
"fetch_publish": "impossibile recuperare la pubblicazione",
|
||||
"file_too_large": "file {{ filename }} is too large. Max size allowed is {{ size }} MB.",
|
||||
"generic": "Si è verificato un errore",
|
||||
"initiate_download": "Impossibile avviare il download",
|
||||
"invalid_amount": "Importo non valido",
|
||||
"invalid_base64": "Dati Base64 non validi",
|
||||
"generic": "si è verificato un errore",
|
||||
"initiate_download": "impossibile avviare il download",
|
||||
"invalid_amount": "importo non valido",
|
||||
"invalid_base64": "dati Base64 non validi",
|
||||
"invalid_embed_link": "collegamento incorporato non valido",
|
||||
"invalid_image_embed_link_name": "IMMAGINE IMMAGINE INCONTRO IN ENTRARE. Param mancante.",
|
||||
"invalid_poll_embed_link_name": "Sondaggio non valido Incorporare il collegamento. Nome mancante.",
|
||||
"invalid_image_embed_link_name": "iMMAGINE IMMAGINE INCONTRO IN ENTRARE. Param mancante.",
|
||||
"invalid_poll_embed_link_name": "sondaggio non valido Incorporare il collegamento. Nome mancante.",
|
||||
"invalid_signature": "firma non valida",
|
||||
"invalid_theme_format": "Formato tema non valido",
|
||||
"invalid_zip": "Zip non valido",
|
||||
"message_loading": "Errore di caricamento del messaggio.",
|
||||
"invalid_theme_format": "formato tema non valido",
|
||||
"invalid_zip": "zip non valido",
|
||||
"message_loading": "errore di caricamento del messaggio.",
|
||||
"message_size": "your message size is of {{ size }} bytes out of a maximum of {{ maximum }}",
|
||||
"minting_account_add": "Impossibile aggiungere l'account di minting",
|
||||
"minting_account_remove": "Impossibile rimuovere l'account di minting",
|
||||
"minting_account_add": "impossibile aggiungere l'account di minting",
|
||||
"minting_account_remove": "impossibile rimuovere l'account di minting",
|
||||
"missing_fields": "missing: {{ fields }}",
|
||||
"navigation_timeout": "Timeout di navigazione",
|
||||
"network_generic": "Errore di rete",
|
||||
"password_not_matching": "I campi di password non corrispondono!",
|
||||
"password_wrong": "Impossibile autenticare. Password sbagliata",
|
||||
"publish_app": "Impossibile pubblicare l'app",
|
||||
"publish_image": "Impossibile pubblicare l'immagine",
|
||||
"rate": "incapace di valutare",
|
||||
"rating_option": "Impossibile trovare l'opzione di valutazione",
|
||||
"save_qdn": "Impossibile salvare a QDN",
|
||||
"send_failed": "Impossibile inviare",
|
||||
"update_failed": "Impossibile aggiornare",
|
||||
"vote": "Impossibile votare"
|
||||
"navigation_timeout": "timeout di navigazione",
|
||||
"network_generic": "errore di rete",
|
||||
"password_not_matching": "i campi della password non corrispondono!",
|
||||
"password_wrong": "impossibile autenticare. Password sbagliata",
|
||||
"publish_app": "impossibile pubblicare l'app",
|
||||
"publish_image": "impossibile pubblicare l'immagine",
|
||||
"rate": "impossibile valutare",
|
||||
"rating_option": "impossibile trovare l'opzione di valutazione",
|
||||
"save_qdn": "impossibile salvare a QDN",
|
||||
"send_failed": "impossibile inviare",
|
||||
"update_failed": "impossibile aggiornare",
|
||||
"vote": "impossibile votare"
|
||||
},
|
||||
"generic": {
|
||||
"already_voted": "Hai già votato.",
|
||||
"avatar_size": "{{ size }} KB max. for GIFS",
|
||||
"benefits_qort": "Vantaggi di avere Qort",
|
||||
"building": "edificio",
|
||||
"building_app": "App di costruzione",
|
||||
"created_by": "created by {{ owner }}",
|
||||
"buy_order_request": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting {{count}} buy order</span>",
|
||||
"buy_order_request_other": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting {{count}} buy orders</span>",
|
||||
"devmode_local_node": "Si prega di utilizzare il tuo nodo locale per la modalità Dev! Logout e usa il nodo locale.",
|
||||
"downloading": "Download",
|
||||
"downloading_decrypting_app": "Download e decritting di app private.",
|
||||
"already_voted": "hai già votato.",
|
||||
"avatar_size": "{{ size }} KB max. per GIFS",
|
||||
"benefits_qort": "vantaggi di avere QORT",
|
||||
"building": "creazione",
|
||||
"building_app": "creazione app",
|
||||
"created_by": "creato da {{ owner }}",
|
||||
"buy_order_request": "l'applicazione <br/><italic>{{hostname}}</italic> <br/><span>sta effettuando {{count}} ordine d'acquisto</span>",
|
||||
"buy_order_request_other": "l'applicazione <br/><italic>{{hostname}}</italic> <br/><span>sta effettuando {{count}} ordini d'acquisto</span>",
|
||||
"devmode_local_node": "si prega di utilizzare il tuo nodo locale per la modalità Dev! Logout e usa il nodo locale.",
|
||||
"downloading": "download",
|
||||
"downloading_decrypting_app": "download e decritting di app private.",
|
||||
"edited": "modificato",
|
||||
"editing_message": "Messaggio di modifica",
|
||||
"editing_message": "messaggio di modifica",
|
||||
"encrypted": "crittografato",
|
||||
"encrypted_not": "non crittografato",
|
||||
"fee_qort": "fee: {{ message }} QORT",
|
||||
"fee_qort": "commissione: {{ message }} QORT",
|
||||
"fetching_data": "recupero dei dati dell'app",
|
||||
"foreign_fee": "foreign fee: {{ message }}",
|
||||
"get_qort_trade_portal": "Ottieni Qort usando il portale commerciale Crosschain di Qortal",
|
||||
"minimal_qort_balance": "having at least {{ quantity }} QORT in your balance (4 qort balance for chat, 1.25 for name, 0.75 for some transactions)",
|
||||
"foreign_fee": "commissione esterna: {{ message }}",
|
||||
"get_qort_trade_portal": "ottieni Qort con il portale di trade crosschain di Qortal",
|
||||
"minimal_qort_balance": "avere almeno {{ quantity }} QORT a bilancio (4 qort per la chat, 1.25 per il nome, 0.75 per alcune transazioni)",
|
||||
"mentioned": "menzionato",
|
||||
"message_with_image": "Questo messaggio ha già un'immagine",
|
||||
"most_recent_payment": "{{ count }} most recent payment",
|
||||
"name_available": "{{ name }} is available",
|
||||
"name_benefits": "Vantaggi di un nome",
|
||||
"name_checking": "Verifica se esiste già il nome",
|
||||
"name_preview": "Hai bisogno di un nome per utilizzare l'anteprima",
|
||||
"name_publish": "Hai bisogno di un nome Qortal per pubblicare",
|
||||
"name_rate": "Hai bisogno di un nome da valutare.",
|
||||
"name_registration": "your balance is {{ balance }} QORT. A name registration requires a {{ fee }} QORT fee",
|
||||
"message_with_image": "questo messaggio ha già un'immagine",
|
||||
"most_recent_payment": "{{ count }} pagamenti più recenti",
|
||||
"name_available": "{{ name }} è disponibile",
|
||||
"name_benefits": "vantaggi di un nome",
|
||||
"name_checking": "verifica se esiste già il nome",
|
||||
"name_preview": "hai bisogno di un nome per utilizzare l'anteprima",
|
||||
"name_publish": "hai bisogno di un nome Qortal per pubblicare",
|
||||
"name_rate": "hai bisogno di un nome da valutare.",
|
||||
"name_registration": "il tuo saldo è {{ balance }} QORT. La registrazione di un nome richiede una commissione di {{ fee }} QORT",
|
||||
"name_unavailable": "{{ name }} is unavailable",
|
||||
"no_data_image": "Nessun dato per l'immagine",
|
||||
"no_description": "Nessuna descrizione",
|
||||
"no_messages": "Nessun messaggio",
|
||||
"no_minting_details": "Impossibile visualizzare i dettagli di minire sul gateway",
|
||||
"no_notifications": "Nessuna nuova notifica",
|
||||
"no_payments": "Nessun pagamento",
|
||||
"no_pinned_changes": "Attualmente non hai modifiche alle tue app appuntate",
|
||||
"no_results": "Nessun risultato",
|
||||
"one_app_per_name": "Nota: attualmente, sono consentiti solo un'app e un sito Web per nome.",
|
||||
"no_data_image": "nessun dato per l'immagine",
|
||||
"no_description": "nessuna descrizione",
|
||||
"no_messages": "nessun messaggio",
|
||||
"no_minting_details": "impossibile visualizzare i dettagli di minire sul gateway",
|
||||
"no_notifications": "nessuna nuova notifica",
|
||||
"no_payments": "nessun pagamento",
|
||||
"no_pinned_changes": "attualmente non hai modifiche alle tue app bloccate",
|
||||
"no_results": "nessun risultato",
|
||||
"one_app_per_name": "nota: attualmente, sono consentiti solo un'app e un sito Web per nome.",
|
||||
"opened": "aperto",
|
||||
"overwrite_qdn": "sovrascrivi a QDN",
|
||||
"password_confirm": "Si prega di confermare una password",
|
||||
"password_enter": "Inserisci una password",
|
||||
"password_confirm": "si prega di confermare una password",
|
||||
"password_enter": "inserisci una password",
|
||||
"payment_request": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting a payment</span>",
|
||||
"people_reaction": "people who reacted with {{ reaction }}",
|
||||
"processing_transaction": "è l'elaborazione della transazione, per favore aspetta ...",
|
||||
"publish_data": "Pubblica dati su Qortal: qualsiasi cosa, dalle app ai video. Completamente decentralizzato!",
|
||||
"publishing": "Publishing ... per favore aspetta.",
|
||||
"qdn": "Usa il salvataggio QDN",
|
||||
"people_reaction": "persone che hanno reagito con {{ reaction }}",
|
||||
"processing_transaction": "elaborazione della transazione, per favore aspetta ...",
|
||||
"publish_data": "pubblica dati su Qortal: qualsiasi cosa, dalle app ai video. Completamente decentralizzato!",
|
||||
"publishing": "publishing. Attendere, per favore.",
|
||||
"qdn": "usa il salvataggio QDN",
|
||||
"rating": "rating for {{ service }} {{ name }}",
|
||||
"register_name": "Hai bisogno di un nome Qortal registrato per salvare le app appuntate a QDN.",
|
||||
"register_name": "hai bisogno di un nome Qortal registrato per salvare in QDN le app bloccate.",
|
||||
"replied_to": "replied to {{ person }}",
|
||||
"revert_default": "Ritorna a predefinito",
|
||||
"revert_qdn": "Ritorna a QDN",
|
||||
"save_qdn": "Salva su QDN",
|
||||
"secure_ownership": "Proprietà sicura dei dati pubblicati con il tuo nome. Puoi anche vendere il tuo nome, insieme ai tuoi dati a una terza parte.",
|
||||
"select_file": "Seleziona un file",
|
||||
"select_image": "Seleziona un'immagine per un logo",
|
||||
"select_zip": "Seleziona il file .zip contenente contenuto statico:",
|
||||
"sending": "Invio ...",
|
||||
"revert_default": "ritorna a predefinito",
|
||||
"revert_qdn": "ritorna a QDN",
|
||||
"save_qdn": "salva su QDN",
|
||||
"secure_ownership": "proprietà sicura dei dati pubblicati con il tuo nome. Puoi anche vendere il tuo nome, insieme ai tuoi dati a una terza parte.",
|
||||
"select_file": "seleziona un file",
|
||||
"select_image": "seleziona un'immagine per un logo",
|
||||
"select_zip": "seleziona il file .zip contenente contenuto statico:",
|
||||
"sending": "invio ...",
|
||||
"settings": "si utilizza il modo di esportazione/importazione per salvare le impostazioni.",
|
||||
"space_for_admins": "Mi dispiace, questo spazio è solo per gli amministratori.",
|
||||
"unread_messages": "Messaggi non letto di seguito",
|
||||
"unsaved_changes": "Hai cambiato modifiche alle app appuntate. Salvali su QDN.",
|
||||
"space_for_admins": "mi dispiace, questo spazio è solo per gli amministratori.",
|
||||
"unread_messages": "messaggi non letto di seguito",
|
||||
"unsaved_changes": "hai cambiato modifiche alle app bloccate. Salvali su QDN.",
|
||||
"updating": "aggiornamento"
|
||||
},
|
||||
"message": "messaggio",
|
||||
"promotion_text": "Testo di promozione",
|
||||
"promotion_text": "testo di promozione",
|
||||
"question": {
|
||||
"accept_vote_on_poll": "Accettate questa transazione vota_on_poll? I sondaggi sono pubblici!",
|
||||
"logout": "Sei sicuro di voler logout?",
|
||||
"new_user": "Sei un nuovo utente?",
|
||||
"delete_chat_image": "Vorresti eliminare la tua immagine di chat precedente?",
|
||||
"perform_transaction": "would you like to perform a {{action}} transaction?",
|
||||
"provide_thread": "Si prega di fornire un titolo di thread",
|
||||
"publish_app": "Vorresti pubblicare questa app?",
|
||||
"publish_avatar": "Vorresti pubblicare un avatar?",
|
||||
"publish_qdn": "Vorresti pubblicare le tue impostazioni su QDN (crittografato)?",
|
||||
"overwrite_changes": "L'app non è stata in grado di scaricare le app appuntate a QDN esistenti. Vorresti sovrascrivere quei cambiamenti?",
|
||||
"rate_app": "would you like to rate this app a rating of {{ rate }}?. It will create a POLL tx.",
|
||||
"register_name": "Vorresti registrare questo nome?",
|
||||
"reset_pinned": "Non ti piacciono le tue attuali modifiche locali? Vorresti ripristinare le app appuntate predefinite?",
|
||||
"reset_qdn": "Non ti piacciono le tue attuali modifiche locali? Vorresti ripristinare le app per appunti QDN salvate?",
|
||||
"transfer_qort": "would you like to transfer {{ amount }} QORT"
|
||||
"accept_vote_on_poll": "accettate questa transazione vota_on_poll? I sondaggi sono pubblici!",
|
||||
"logout": "sei sicuro di voler fare logout?",
|
||||
"new_user": "sei un nuovo utente?",
|
||||
"delete_chat_image": "vorresti eliminare la tua immagine di chat precedente?",
|
||||
"perform_transaction": "vuoi eseguire una transazione {{action}}?",
|
||||
"provide_thread": "si prega di fornire un titolo al thread",
|
||||
"publish_app": "vorresti pubblicare questa app?",
|
||||
"publish_avatar": "vorresti pubblicare un avatar?",
|
||||
"publish_qdn": "vorresti pubblicare le tue impostazioni su QDN (crittografato)?",
|
||||
"overwrite_changes": "l'app non è stata in grado di scaricare le app bloccate a QDN esistenti. Vorresti sovrascrivere quei cambiamenti?",
|
||||
"rate_app": "vorresti dare il voto {{ rate }} a quest'app?. Questo creerà una transazione POLL.",
|
||||
"register_name": "vorresti registrare questo nome?",
|
||||
"reset_pinned": "non ti piacciono le tue attuali modifiche locali? Vorresti ripristinare le app bloccate predefinite?",
|
||||
"reset_qdn": "non ti piacciono le tue attuali modifiche locali? Vorresti ripristinare le app QDN salvate?",
|
||||
"transfer_qort": "vuoi trasferire {{ amount }} QORT?"
|
||||
},
|
||||
"status": {
|
||||
"minting": "(Minting)",
|
||||
"not_minting": "(non minante)",
|
||||
"minting": "(minting)",
|
||||
"not_minting": "(non minting)",
|
||||
"synchronized": "sincronizzato",
|
||||
"synchronizing": "sincronizzazione"
|
||||
},
|
||||
"success": {
|
||||
"order_submitted": "Il tuo ordine di acquisto è stato inviato",
|
||||
"published": "pubblicato con successo. Si prega di attendere un paio di minuti affinché la rete propogerasse le modifiche.",
|
||||
"published_qdn": "Pubblicato con successo su QDN",
|
||||
"rated_app": "valutato con successo. Si prega di attendere un paio di minuti affinché la rete propogerasse le modifiche.",
|
||||
"request_read": "Ho letto questa richiesta",
|
||||
"transfer": "Il trasferimento è stato di successo!",
|
||||
"voted": "votato con successo. Si prega di attendere un paio di minuti affinché la rete propogerasse le modifiche."
|
||||
"order_submitted": "il tuo ordine di acquisto è stato inviato",
|
||||
"published": "pubblicato con successo. Si prega di attendere un paio di minuti affinché la rete propaghi le modifiche.",
|
||||
"published_qdn": "pubblicato con successo su QDN",
|
||||
"rated_app": "valutato con successo. Si prega di attendere un paio di minuti affinché la rete propaghi le modifiche.",
|
||||
"request_read": "ho letto questa richiesta",
|
||||
"transfer": "il trasferimento è stato di successo!",
|
||||
"voted": "votato con successo. Si prega di attendere un paio di minuti affinché la rete propaghi le modifiche."
|
||||
}
|
||||
},
|
||||
"minting_status": "stato di minting",
|
||||
"name": "nome",
|
||||
"name_app": "nome/app",
|
||||
"new_post_in": "new post in {{ title }}",
|
||||
"new_post_in": "nuovo post in {{ title }}",
|
||||
"none": "nessuno",
|
||||
"note": "nota",
|
||||
"option": "opzione",
|
||||
"option_no": "nessuna opzione",
|
||||
"option_other": "opzioni",
|
||||
"page": {
|
||||
"last": "scorso",
|
||||
"first": "Primo",
|
||||
"next": "Prossimo",
|
||||
"first": "primo",
|
||||
"next": "prossimo",
|
||||
"previous": "precedente"
|
||||
},
|
||||
"payment_notification": "Notifica di pagamento",
|
||||
"poll_embed": "Sondaggio incorporato",
|
||||
"payment": "pagamento",
|
||||
"payment_notification": "notifica di pagamento",
|
||||
"poll_embed": "sondaggio incorporato",
|
||||
"port": "porta",
|
||||
"price": "prezzo",
|
||||
"publish": "pubblicazione",
|
||||
"q_apps": {
|
||||
"about": "su questo Q-app",
|
||||
"q_mail": "Q-MAIL",
|
||||
"q_mail": "Q-mail",
|
||||
"q_manager": "Q-manager",
|
||||
"q_sandbox": "Q-sandbox",
|
||||
"q_wallets": "Wallet Q."
|
||||
"q_wallets": "Q-wallet"
|
||||
},
|
||||
"receiver": "ricevitore",
|
||||
"sender": "mittente",
|
||||
"server": "server",
|
||||
"service_type": "Tipo di servizio",
|
||||
"service_type": "tipo di servizio",
|
||||
"settings": "impostazioni",
|
||||
"sort": {
|
||||
"by_member": "dal membro"
|
||||
"by_member": "per membro"
|
||||
},
|
||||
"supply": "fornitura",
|
||||
"tags": "tag",
|
||||
"theme": {
|
||||
"dark": "buio",
|
||||
"dark_mode": "Modalità oscura",
|
||||
"light": "leggero",
|
||||
"light_mode": "Modalità di luce",
|
||||
"manager": "Manager a tema",
|
||||
"name": "Nome tema"
|
||||
"dark": "scuro",
|
||||
"dark_mode": "modalità scura",
|
||||
"default": "tema di default",
|
||||
"light": "chiara",
|
||||
"light_mode": "modalità chiara",
|
||||
"manager": "manager tema",
|
||||
"name": "nome tema"
|
||||
},
|
||||
"thread": "filo",
|
||||
"thread_other": "Discussioni",
|
||||
"thread_title": "Titolo del filo",
|
||||
"thread": "thread",
|
||||
"thread_other": "discussioni",
|
||||
"thread_title": "titolo del thread",
|
||||
"time": {
|
||||
"day_one": "{{count}} day",
|
||||
"day_other": "{{count}} days",
|
||||
"hour_one": "{{count}} hour",
|
||||
"hour_other": "{{count}} hours",
|
||||
"minute_one": "{{count}} minute",
|
||||
"minute_other": "{{count}} minutes",
|
||||
"day_one": "{{count}} giorno",
|
||||
"day_other": "{{count}} giorni",
|
||||
"hour_one": "{{count}} ora",
|
||||
"hour_other": "{{count}} ore",
|
||||
"minute_one": "{{count}} minuto",
|
||||
"minute_other": "{{count}} minuti",
|
||||
"time": "tempo"
|
||||
},
|
||||
"title": "titolo",
|
||||
"to": "A",
|
||||
"tutorial": "Tutorial",
|
||||
"url": "URL",
|
||||
"user_lookup": "Ricerca utente",
|
||||
"to": "a",
|
||||
"tutorial": "tutorial",
|
||||
"url": "uRL",
|
||||
"user_lookup": "ricerca utente",
|
||||
"vote": "votare",
|
||||
"vote_other": "{{ count }} votes",
|
||||
"zip": "zip",
|
||||
"wallet": {
|
||||
"litecoin": "portafoglio litecoin",
|
||||
"qortal": "portafoglio Qortale",
|
||||
"wallet": "portafoglio",
|
||||
"wallet_other": "portafogli"
|
||||
"litecoin": "wallet Litecoin",
|
||||
"qortal": "wallet Qortal",
|
||||
"wallet": "wallet",
|
||||
"wallet_other": "wallet"
|
||||
},
|
||||
"website": "sito web",
|
||||
"welcome": "Benvenuto"
|
||||
"welcome": "benvenuto"
|
||||
}
|
||||
|
@ -1,166 +1,165 @@
|
||||
{
|
||||
"action": {
|
||||
"add_promotion": "Aggiungi promozione",
|
||||
"ban": "Ban membro del gruppo",
|
||||
"cancel_ban": "Annulla divieto",
|
||||
"copy_private_key": "Copia chiave privata",
|
||||
"create_group": "Crea gruppo",
|
||||
"disable_push_notifications": "Disabilita tutte le notifiche push",
|
||||
"add_promotion": "aggiungi promozione",
|
||||
"ban": "escludi membro del gruppo",
|
||||
"cancel_ban": "annulla divieto",
|
||||
"copy_private_key": "copia chiave privata",
|
||||
"create_group": "crea gruppo",
|
||||
"disable_push_notifications": "disabilita tutte le notifiche push",
|
||||
"export_password": "password di esportazione",
|
||||
"export_private_key": "esporta una chiave privata",
|
||||
"find_group": "Trova il gruppo",
|
||||
"join_group": "Unisciti al gruppo",
|
||||
"kick_member": "Kick membro dal gruppo",
|
||||
"invite_member": "Invita membro",
|
||||
"leave_group": "Lascia il gruppo",
|
||||
"load_members": "Carica i membri con i nomi",
|
||||
"make_admin": "fare un amministratore",
|
||||
"manage_members": "Gestisci i membri",
|
||||
"promote_group": "Promuovi il tuo gruppo ai non membri",
|
||||
"publish_announcement": "Pubblica annuncio",
|
||||
"publish_avatar": "Pubblica avatar",
|
||||
"refetch_page": "Pagina REPPETCHE",
|
||||
"remove_admin": "rimuovere come amministratore",
|
||||
"remove_minting_account": "Rimuovere l'account di minting",
|
||||
"return_to_thread": "Torna ai thread",
|
||||
"scroll_bottom": "Scorri sul fondo",
|
||||
"scroll_unread_messages": "Scorri verso i messaggi non letto",
|
||||
"select_group": "Seleziona un gruppo",
|
||||
"visit_q_mintership": "Visita Q-Mintership"
|
||||
"find_group": "trova il gruppo",
|
||||
"join_group": "unisciti al gruppo",
|
||||
"kick_member": "togli membro dal gruppo",
|
||||
"invite_member": "invita membro",
|
||||
"leave_group": "lascia il gruppo",
|
||||
"load_members": "carica i membri con i nomi",
|
||||
"make_admin": "rendere amministratore",
|
||||
"manage_members": "gestisci i membri",
|
||||
"promote_group": "promuovi il tuo gruppo ai non membri",
|
||||
"publish_announcement": "pubblica annuncio",
|
||||
"publish_avatar": "pubblica avatar",
|
||||
"refetch_page": "ricarica pagina",
|
||||
"remove_admin": "rimuovi da amministratore",
|
||||
"remove_minting_account": "rimuovi l'account di minting",
|
||||
"return_to_thread": "torna ai thread",
|
||||
"scroll_bottom": "scorri in fondo",
|
||||
"scroll_unread_messages": "scendi ai messaggi non letti",
|
||||
"select_group": "seleziona un gruppo",
|
||||
"visit_q_mintership": "visita Q-Mintership"
|
||||
},
|
||||
"advanced_options": "opzioni avanzate",
|
||||
"ban_list": "Elenco di divieto",
|
||||
"block_delay": {
|
||||
"minimum": "Ritardo del blocco minimo",
|
||||
"maximum": "Ritardo massimo del blocco"
|
||||
"minimum": "ritardo del blocco minimo",
|
||||
"maximum": "ritardo massimo del blocco"
|
||||
},
|
||||
"group": {
|
||||
"approval_threshold": "Soglia di approvazione del gruppo",
|
||||
"avatar": "Avatar di gruppo",
|
||||
"approval_threshold": "soglia di approvazione del gruppo",
|
||||
"avatar": "avatar di gruppo",
|
||||
"closed": "chiuso (privato) - Gli utenti necessitano dell'autorizzazione per partecipare",
|
||||
"description": "Descrizione del gruppo",
|
||||
"id": "Gruppo ID",
|
||||
"invites": "Inviti di gruppo",
|
||||
"description": "descrizione del gruppo",
|
||||
"id": "gruppo ID",
|
||||
"invites": "inviti di gruppo",
|
||||
"group": "gruppo",
|
||||
"group_name": "group: {{ name }}",
|
||||
"group_other": "gruppi",
|
||||
"groups_admin": "gruppi in cui sei un amministratore",
|
||||
"management": "Gestione del gruppo",
|
||||
"member_number": "Numero di membri",
|
||||
"messaging": "messaggistica",
|
||||
"name": "Nome del gruppo",
|
||||
"management": "gestione del gruppo",
|
||||
"member_number": "numero di membri",
|
||||
"messaging": "chat",
|
||||
"name": "nome del gruppo",
|
||||
"open": "aperto (pubblico)",
|
||||
"private": "gruppo privato",
|
||||
"promotions": "Promozioni di gruppo",
|
||||
"promotions": "promozioni di gruppo",
|
||||
"public": "gruppo pubblico",
|
||||
"type": "Tipo di gruppo"
|
||||
"type": "tipo di gruppo"
|
||||
},
|
||||
"invitation_expiry": "Tempo di scadenza dell'invito",
|
||||
"invitees_list": "Elenco degli inviti",
|
||||
"join_link": "Unisciti al link di gruppo",
|
||||
"join_requests": "Unisciti alle richieste",
|
||||
"last_message": "Ultimo messaggio",
|
||||
"last_message_date": "last message: {{date }}",
|
||||
"latest_mails": "Ultimi Q-Mails",
|
||||
"invitation_expiry": "tempo di scadenza dell'invito",
|
||||
"invitees_list": "elenco degli inviti",
|
||||
"join_link": "unisciti al link di gruppo",
|
||||
"join_requests": "unisciti alle richieste",
|
||||
"last_message": "ultimo messaggio",
|
||||
"last_message_date": "ultimo messaggio: {{date }}",
|
||||
"latest_mails": "ultimi Q-Mail",
|
||||
"message": {
|
||||
"generic": {
|
||||
"avatar_publish_fee": "publishing an Avatar requires {{ fee }}",
|
||||
"avatar_publish_fee": "la pubblicazione di un Avatar richiede {{ fee }}",
|
||||
"avatar_registered_name": "È necessario un nome registrato per impostare un avatar",
|
||||
"admin_only": "Verranno mostrati solo gruppi in cui sei un amministratore",
|
||||
"already_in_group": "Sei già in questo gruppo!",
|
||||
"block_delay_minimum": "Ritardo minimo del blocco per le approvazioni delle transazioni di gruppo",
|
||||
"block_delay_maximum": "Ritardo massimo del blocco per le approvazioni delle transazioni di gruppo",
|
||||
"closed_group": "Questo è un gruppo chiuso/privato, quindi dovrai attendere fino a quando un amministratore accetta la tua richiesta",
|
||||
"descrypt_wallet": "Portafoglio decrypting ...",
|
||||
"encryption_key": "La prima chiave di crittografia comune del gruppo è in procinto di creare. Si prega di attendere qualche minuto per essere recuperato dalla rete. Controllo ogni 2 minuti ...",
|
||||
"group_announcement": "Annunci di gruppo",
|
||||
"group_approval_threshold": "Soglia di approvazione del gruppo (numero / percentuale di amministratori che devono approvare una transazione)",
|
||||
"admin_only": "verranno mostrati solo gruppi in cui sei un amministratore",
|
||||
"already_in_group": "sei già in questo gruppo!",
|
||||
"block_delay_minimum": "ritardo minimo del blocco per le approvazioni delle transazioni di gruppo",
|
||||
"block_delay_maximum": "ritardo massimo del blocco per le approvazioni delle transazioni di gruppo",
|
||||
"closed_group": "questo è un gruppo chiuso/privato, quindi dovrai attendere fino a quando un amministratore accetta la tua richiesta",
|
||||
"descrypt_wallet": "decrittazione del wallet ...",
|
||||
"encryption_key": "la prima chiave di crittografia comune del gruppo è in procinto di creare. Si prega di attendere qualche minuto per essere recuperato dalla rete. Controllo ogni 2 minuti ...",
|
||||
"group_announcement": "annunci di gruppo",
|
||||
"group_approval_threshold": "soglia di approvazione del gruppo (numero / percentuale di amministratori che devono approvare una transazione)",
|
||||
"group_encrypted": "gruppo crittografato",
|
||||
"group_invited_you": "{{group}} has invited you",
|
||||
"group_key_created": "Primo tasto di gruppo creato.",
|
||||
"group_member_list_changed": "L'elenco dei membri del gruppo è cambiato. Si prega di rivivere nuovamente la chiave segreta.",
|
||||
"group_no_secret_key": "Non esiste una chiave segreta di gruppo. Sii il primo amministratore a pubblicarne uno!",
|
||||
"group_secret_key_no_owner": "L'ultima chiave segreta del gruppo è stata pubblicata da un non proprietario. Come proprietario del gruppo si prega di rivivere la chiave come salvaguardia.",
|
||||
"group_key_created": "primo tasto di gruppo creato.",
|
||||
"group_member_list_changed": "l'elenco dei membri del gruppo è cambiato. Si prega di rivivere nuovamente la chiave segreta.",
|
||||
"group_no_secret_key": "non esiste una chiave segreta di gruppo. Sii il primo amministratore a pubblicarne uno!",
|
||||
"group_secret_key_no_owner": "l'ultima chiave segreta del gruppo è stata pubblicata da un non proprietario. Come proprietario del gruppo si prega di rivivere la chiave come salvaguardia.",
|
||||
"invalid_content": "contenuto non valido, mittente o timestamp nei dati di reazione",
|
||||
"invalid_data": "Contenuto di caricamento degli errori: dati non validi",
|
||||
"latest_promotion": "Verrà mostrata solo l'ultima promozione della settimana per il tuo gruppo.",
|
||||
"loading_members": "Caricamento dell'elenco dei membri con nomi ... Attendi.",
|
||||
"max_chars": "Max 200 caratteri. Pubblica tassa",
|
||||
"manage_minting": "Gestisci il tuo minuto",
|
||||
"minter_group": "Al momento non fai parte del gruppo Minter",
|
||||
"mintership_app": "Visita l'app Q-Mintership per fare domanda per essere un minter",
|
||||
"minting_account": "Account di minting:",
|
||||
"minting_keys_per_node": "Sono ammessi solo 2 chiavi di minting per nodo. Rimuovi uno se si desidera menta con questo account.",
|
||||
"minting_keys_per_node_different": "Sono ammessi solo 2 chiavi di minting per nodo. Rimuovi uno se desideri aggiungere un account diverso.",
|
||||
"next_level": "Blocca restanti fino al livello successivo:",
|
||||
"node_minting": "Questo nodo sta estraendo:",
|
||||
"node_minting_account": "Account di minting di Node",
|
||||
"node_minting_key": "Attualmente hai una chiave di estrazione per questo account allegato a questo nodo",
|
||||
"no_announcement": "Nessun annuncio",
|
||||
"no_display": "Niente da visualizzare",
|
||||
"no_selection": "Nessun gruppo selezionato",
|
||||
"not_part_group": "Non fai parte del gruppo crittografato di membri. Aspetta fino a quando un amministratore ri-crittografa le chiavi.",
|
||||
"only_encrypted": "Verranno visualizzati solo messaggi non crittografati.",
|
||||
"only_private_groups": "Verranno mostrati solo gruppi privati",
|
||||
"pending_join_requests": "{{ group }} has {{ count }} pending join requests",
|
||||
"private_key_copied": "Copiata a chiave privata",
|
||||
"provide_message": "Si prega di fornire un primo messaggio al thread",
|
||||
"secure_place": "Mantieni la chiave privata in un luogo sicuro. Non condividere!",
|
||||
"setting_group": "Impostazione del gruppo ... per favore aspetta."
|
||||
"invalid_data": "contenuto di caricamento degli errori: dati non validi",
|
||||
"latest_promotion": "verrà mostrata solo l'ultima promozione della settimana per il tuo gruppo.",
|
||||
"loading_members": "caricamento dell'elenco dei membri con nomi ... Attendi.",
|
||||
"max_chars": "max 200 caratteri. Pubblica tassa",
|
||||
"manage_minting": "gestisci il minting",
|
||||
"minter_group": "al momento non fai parte del gruppo Minter",
|
||||
"mintership_app": "visita l'app Q-Mintership per chiedere di diventare un minter",
|
||||
"minting_account": "account di minting:",
|
||||
"minting_keys_per_node": "sono ammessi solo 2 chiavi di minting per nodo. Rimuovine una se si desidera fare minting con questo account.",
|
||||
"minting_keys_per_node_different": "sono ammessi solo 2 chiavi di minting per nodo. Rimuovi uno se desideri aggiungere un account diverso.",
|
||||
"next_level": "blocchi mancanti al livello successivo:",
|
||||
"node_minting": "questo nodo sta coniando:",
|
||||
"node_minting_account": "account minting del nodo",
|
||||
"node_minting_key": "attualmente hai una chiave di minting per questo account collegata al nodo",
|
||||
"no_announcement": "nessun annuncio",
|
||||
"no_display": "niente da visualizzare",
|
||||
"no_selection": "nessun gruppo selezionato",
|
||||
"not_part_group": "non fai parte del gruppo crittografato di membri. Attendi che un amministratore ricifri le chiavi.",
|
||||
"only_encrypted": "verranno visualizzati solo messaggi non crittografati.",
|
||||
"only_private_groups": "verranno mostrati solo gruppi privati",
|
||||
"pending_join_requests": "{{ group }} ha {{ count }} richieste pendenti di join",
|
||||
"private_key_copied": "copiata a chiave privata",
|
||||
"provide_message": "si prega di fornire un primo messaggio al thread",
|
||||
"secure_place": "mantieni la chiave privata in un luogo sicuro. Non condividerla!",
|
||||
"setting_group": "impostazione gruppo. Attendere, per favore."
|
||||
},
|
||||
"error": {
|
||||
"access_name": "Impossibile inviare un messaggio senza accesso al tuo nome",
|
||||
"descrypt_wallet": "error decrypting wallet {{ :errorMessage }}",
|
||||
"description_required": "Si prega di fornire una descrizione",
|
||||
"group_info": "Impossibile accedere alle informazioni del gruppo",
|
||||
"group_join": "Impossibile aderire al gruppo",
|
||||
"group_promotion": "Errore che pubblica la promozione. Per favore riprova",
|
||||
"group_secret_key": "Impossibile ottenere la chiave segreta del gruppo",
|
||||
"name_required": "Si prega di fornire un nome",
|
||||
"notify_admins": "Prova a avvisare un amministratore dall'elenco degli amministratori di seguito:",
|
||||
"qortals_required": "you need at least {{ quantity }} QORT to send a message",
|
||||
"access_name": "impossibile inviare un messaggio senza accesso al tuo nome",
|
||||
"descrypt_wallet": "errore di decrifrazione del wallet {{ message }}",
|
||||
"description_required": "si prega di fornire una descrizione",
|
||||
"group_info": "impossibile accedere alle informazioni del gruppo",
|
||||
"group_join": "impossibile aderire al gruppo",
|
||||
"group_promotion": "errore che pubblica la promozione. Per favore riprova",
|
||||
"group_secret_key": "impossibile ottenere la chiave segreta del gruppo",
|
||||
"name_required": "si prega di fornire un nome",
|
||||
"notify_admins": "prova a avvisare un amministratore dall'elenco degli amministratori di seguito:",
|
||||
"qortals_required": "occorrono almeno {{ quantity }} QORT per inviare un messaggio",
|
||||
"timeout_reward": "timeout in attesa di conferma della condivisione della ricompensa",
|
||||
"thread_id": "Impossibile individuare ID thread",
|
||||
"unable_determine_group_private": "Impossibile determinare se il gruppo è privato",
|
||||
"unable_minting": "Impossibile iniziare a misire"
|
||||
"thread_id": "impossibile individuare il thread ID",
|
||||
"unable_determine_group_private": "impossibile determinare se il gruppo è privato",
|
||||
"unable_minting": "impossibile iniziare a coniare"
|
||||
},
|
||||
"success": {
|
||||
"group_ban": "membro vietato con successo dal gruppo. Potrebbero essere necessari un paio di minuti per le modifiche da propagare",
|
||||
"group_creation": "Gruppo creato correttamente. Potrebbero essere necessari un paio di minuti per le modifiche da propagare",
|
||||
"group_creation_name": "created group {{group_name}}: awaiting confirmation",
|
||||
"group_creation_label": "created group {{name}}: success!",
|
||||
"group_invite": "successfully invited {{value}}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_join": "richiesto con successo di unirsi al gruppo. Potrebbero essere necessari un paio di minuti per le modifiche da propagare",
|
||||
"group_join_name": "joined group {{group_name}}: awaiting confirmation",
|
||||
"group_join_label": "joined group {{name}}: success!",
|
||||
"group_join_request": "requested to join Group {{group_name}}: awaiting confirmation",
|
||||
"group_join_outcome": "requested to join Group {{group_name}}: success!",
|
||||
"group_kick": "ha calciato con successo il membro dal gruppo. Potrebbero essere necessari un paio di minuti per le modifiche da propagare",
|
||||
"group_leave": "richiesto con successo di lasciare il gruppo. Potrebbero essere necessari un paio di minuti per le modifiche da propagare",
|
||||
"group_leave_name": "left group {{group_name}}: awaiting confirmation",
|
||||
"group_leave_label": "left group {{name}}: success!",
|
||||
"group_member_admin": "ha reso il membro con successo un amministratore. Potrebbero essere necessari un paio di minuti per le modifiche da propagare",
|
||||
"group_promotion": "Promozione pubblicata con successo. Potrebbero essere necessari un paio di minuti per la promozione",
|
||||
"group_remove_member": "Rimosso con successo il membro come amministratore. Potrebbero essere necessari un paio di minuti per le modifiche da propagare",
|
||||
"invitation_cancellation": "Invito annullato con successo. Potrebbero essere necessari un paio di minuti per le modifiche da propagare",
|
||||
"invitation_request": "Richiesta di join accettata: in attesa di conferma",
|
||||
"loading_threads": "Caricamento dei thread ... Attendi.",
|
||||
"post_creation": "Post creato correttamente. Potrebbe essere necessario del tempo per la propagazione della pubblicazione",
|
||||
"published_secret_key": "published secret key for group {{ group_id }}: awaiting confirmation",
|
||||
"published_secret_key_label": "published secret key for group {{ group_id }}: success!",
|
||||
"registered_name": "registrato con successo. Potrebbero essere necessari un paio di minuti per le modifiche da propagare",
|
||||
"registered_name_label": "Nome registrato: in attesa di conferma. Questo potrebbe richiedere un paio di minuti.",
|
||||
"registered_name_success": "Nome registrato: successo!",
|
||||
"rewardshare_add": "Aggiungi ricompensa: in attesa di conferma",
|
||||
"rewardshare_add_label": "Aggiungi ricompensa: successo!",
|
||||
"rewardshare_creation": "Confermare la creazione di ricompensa sulla catena. Si prega di essere paziente, potrebbe richiedere fino a 90 secondi.",
|
||||
"group_ban": "membro escluso con successo dal gruppo. Potrebbero essere necessari un paio di minuti per propagare le modifiche",
|
||||
"group_creation": "gruppo creato correttamente. Potrebbero essere necessari un paio di minuti per propagare le modifiche",
|
||||
"group_creation_name": "creato il gruppo {{group_name}}: attendere la conferma",
|
||||
"group_creation_label": "creato il grupp {{name}}: successo!",
|
||||
"group_invite": "invitato con successo {{invitee}}. Potrebbero essere necessari un paio di minuti per propagare le modifiche",
|
||||
"group_join": "richiesto con successo di unirsi al gruppo. Potrebbero essere necessari un paio di minuti per propagare le modifiche",
|
||||
"group_join_name": "adesione al gruppo {{group_name}}: attendere la conferma",
|
||||
"group_join_label": "adesione al gruppo {{name}}: success!",
|
||||
"group_join_request": "richiesta di adesione al gruppo {{group_name}}: attendere la conferma",
|
||||
"group_join_outcome": "richiesta di adesione al gruppo {{group_name}}: successo!",
|
||||
"group_kick": "il membro è stato escludo dal gruppo. Potrebbero essere necessari un paio di minuti per propagare le modifiche",
|
||||
"group_leave": "richiesto con successo di lasciare il gruppo. Potrebbero essere necessari un paio di minuti per propagare le modifiche",
|
||||
"group_leave_name": "abbandonato il gruppo {{group_name}}: attendere la conferma",
|
||||
"group_leave_label": "abbandonato il gruppo {{name}}: success!",
|
||||
"group_member_admin": "il membro è ora amministratore. Potrebbero essere necessari un paio di minuti per propagare le modifiche",
|
||||
"group_promotion": "promozione pubblicata con successo. Potrebbero essere necessari un paio di minuti per la promozione",
|
||||
"group_remove_member": "rimosso con successo il membro come amministratore. Potrebbero essere necessari un paio di minuti per propagare le modifiche",
|
||||
"invitation_cancellation": "invito annullato con successo. Potrebbero essere necessari un paio di minuti per propagare le modifiche",
|
||||
"invitation_request": "richiesta di join accettata: in attesa di conferma",
|
||||
"loading_threads": "caricamento dei thread ... Attendi.",
|
||||
"post_creation": "post creato correttamente. Potrebbe essere necessario del tempo per la propagazione della pubblicazione",
|
||||
"published_secret_key": "pubblicata la secret key per il gruppo {{ group_id }}: attendere la conferma",
|
||||
"published_secret_key_label": "pubblicata la secret key per il gruppo {{ group_id }}: successo!",
|
||||
"registered_name": "registrato con successo. Potrebbero essere necessari un paio di minuti per propagare le modifiche",
|
||||
"registered_name_label": "nome registrato: in attesa di conferma. Questo potrebbe richiedere un paio di minuti.",
|
||||
"registered_name_success": "nome registrato: successo!",
|
||||
"rewardshare_add": "aggiungi ricompensa: in attesa di conferma",
|
||||
"rewardshare_add_label": "aggiungi ricompensa: successo!",
|
||||
"rewardshare_creation": "confermare la creazione di ricompensa sulla catena. Si prega di essere paziente, potrebbe richiedere fino a 90 secondi.",
|
||||
"rewardshare_confirmed": "ricompensa confermata. Fare clic su Avanti.",
|
||||
"rewardshare_remove": "Rimuovi la ricompensa: in attesa di conferma",
|
||||
"rewardshare_remove_label": "Rimuovi la ricompensa: successo!",
|
||||
"rewardshare_remove": "rimuovi la ricompensa: in attesa di conferma",
|
||||
"rewardshare_remove_label": "rimuovi la ricompensa: successo!",
|
||||
"thread_creation": "thread creato correttamente. Potrebbe essere necessario del tempo per la propagazione della pubblicazione",
|
||||
"unbanned_user": "Utente non suscitato con successo. Potrebbero essere necessari un paio di minuti per le modifiche da propagare",
|
||||
"user_joined": "L'utente si è unita con successo!"
|
||||
"unbanned_user": "utente riammesso con successo. Potrebbero essere necessari un paio di minuti per propagare le modifiche",
|
||||
"user_joined": "l'utente si è unito con successo!"
|
||||
}
|
||||
},
|
||||
"thread_posts": "Nuovi post di thread"
|
||||
"thread_posts": "nuovi post di thread"
|
||||
}
|
||||
|
@ -1,192 +1,192 @@
|
||||
{
|
||||
"accept_app_fee": "accept app fee",
|
||||
"always_authenticate": "always authenticate automatically",
|
||||
"always_chat_messages": "always allow chat messages from this app",
|
||||
"always_retrieve_balance": "always allow balance to be retrieved automatically",
|
||||
"always_retrieve_list": "always allow lists to be retrieved automatically",
|
||||
"always_retrieve_wallet": "always allow wallet to be retrieved automatically",
|
||||
"always_retrieve_wallet_transactions": "always allow wallet transactions to be retrieved automatically",
|
||||
"amount_qty": "amount: {{ quantity }}",
|
||||
"accept_app_fee": "accetta la commissione dell'app",
|
||||
"always_authenticate": "autentica sempre automaticamente",
|
||||
"always_chat_messages": "consenti sempre i messaggi chat da questa app",
|
||||
"always_retrieve_balance": "consenti sempre il recupero automatico del saldo",
|
||||
"always_retrieve_list": "consenti sempre il recupero automatico delle liste",
|
||||
"always_retrieve_wallet": "consenti sempre il recupero automatico del wallet",
|
||||
"always_retrieve_wallet_transactions": "consenti sempre il recupero automatico delle transazioni del wallet",
|
||||
"amount_qty": "quantità: {{ quantity }}",
|
||||
"asset_name": "asset: {{ asset }}",
|
||||
"assets_used_pay": "asset used in payments: {{ asset }}",
|
||||
"coin": "coin: {{ coin }}",
|
||||
"description": "description: {{ description }}",
|
||||
"deploy_at": "would you like to deploy this AT?",
|
||||
"download_file": "would you like to download:",
|
||||
"assets_used_pay": "asset usato nei pagamenti: {{ asset }}",
|
||||
"coin": "moneta: {{ coin }}",
|
||||
"description": "descrizione: {{ description }}",
|
||||
"deploy_at": "vuoi distribuire questo AT?",
|
||||
"download_file": "vuoi scaricare:",
|
||||
"message": {
|
||||
"error": {
|
||||
"add_to_list": "failed to add to list",
|
||||
"at_info": "cannot find AT info.",
|
||||
"buy_order": "failed to submit trade order",
|
||||
"cancel_sell_order": "failed to Cancel Sell Order. Try again!",
|
||||
"copy_clipboard": "failed to copy to clipboard",
|
||||
"create_sell_order": "failed to Create Sell Order. Try again!",
|
||||
"create_tradebot": "unable to create tradebot",
|
||||
"decode_transaction": "failed to decode transaction",
|
||||
"decrypt": "unable to decrypt",
|
||||
"decrypt_message": "failed to decrypt the message. Ensure the data and keys are correct",
|
||||
"decryption_failed": "decryption failed",
|
||||
"empty_receiver": "receiver cannot be empty!",
|
||||
"encrypt": "unable to encrypt",
|
||||
"encryption_failed": "encryption failed",
|
||||
"encryption_requires_public_key": "encrypting data requires public keys",
|
||||
"fetch_balance_token": "failed to fetch {{ token }} Balance. Try again!",
|
||||
"fetch_balance": "unable to fetch balance",
|
||||
"fetch_connection_history": "failed to fetch server connection history",
|
||||
"fetch_generic": "unable to fetch",
|
||||
"fetch_group": "failed to fetch the group",
|
||||
"fetch_list": "failed to fetch the list",
|
||||
"fetch_poll": "failed to fetch poll",
|
||||
"fetch_recipient_public_key": "failed to fetch recipient's public key",
|
||||
"fetch_wallet_info": "unable to fetch wallet information",
|
||||
"fetch_wallet_transactions": "unable to fetch wallet transactions",
|
||||
"fetch_wallet": "fetch Wallet Failed. Please try again",
|
||||
"file_extension": "a file extension could not be derived",
|
||||
"gateway_balance_local_node": "cannot view {{ token }} balance through the gateway. Please use your local node.",
|
||||
"gateway_non_qort_local_node": "cannot send a non-QORT coin through the gateway. Please use your local node.",
|
||||
"gateway_retrieve_balance": "retrieving {{ token }} balance is not allowed through a gateway",
|
||||
"gateway_wallet_local_node": "cannot view {{ token }} wallet through the gateway. Please use your local node.",
|
||||
"get_foreign_fee": "error in get foreign fee",
|
||||
"insufficient_balance_qort": "your QORT balance is insufficient",
|
||||
"insufficient_balance": "your asset balance is insufficient",
|
||||
"insufficient_funds": "insufficient funds",
|
||||
"invalid_encryption_iv": "invalid IV: AES-GCM requires a 12-byte IV",
|
||||
"invalid_encryption_key": "invalid key: AES-GCM requires a 256-bit key.",
|
||||
"invalid_fullcontent": "field fullContent is in an invalid format. Either use a string, base64 or an object",
|
||||
"invalid_receiver": "invalid receiver address or name",
|
||||
"invalid_type": "invalid type",
|
||||
"mime_type": "a mimeType could not be derived",
|
||||
"missing_fields": "missing fields: {{ fields }}",
|
||||
"name_already_for_sale": "this name is already for sale",
|
||||
"name_not_for_sale": "this name is not for sale",
|
||||
"no_api_found": "no usable API found",
|
||||
"no_data_encrypted_resource": "no data in the encrypted resource",
|
||||
"no_data_file_submitted": "no data or file was submitted",
|
||||
"no_group_found": "group not found",
|
||||
"no_group_key": "no group key found",
|
||||
"no_poll": "poll not found",
|
||||
"no_resources_publish": "no resources to publish",
|
||||
"node_info": "failed to retrieve node info",
|
||||
"node_status": "failed to retrieve node status",
|
||||
"only_encrypted_data": "only encrypted data can go into private services",
|
||||
"perform_request": "failed to perform request",
|
||||
"poll_create": "failed to create poll",
|
||||
"poll_vote": "failed to vote on the poll",
|
||||
"process_transaction": "unable to process transaction",
|
||||
"provide_key_shared_link": "for an encrypted resource, you must provide the key to create the shared link",
|
||||
"registered_name": "a registered name is needed to publish",
|
||||
"resources_publish": "some resources have failed to publish",
|
||||
"retrieve_file": "failed to retrieve file",
|
||||
"retrieve_keys": "unable to retrieve keys",
|
||||
"retrieve_summary": "failed to retrieve summary",
|
||||
"retrieve_sync_status": "error in retrieving {{ token }} sync status",
|
||||
"same_foreign_blockchain": "all requested ATs need to be of the same foreign Blockchain.",
|
||||
"send": "failed to send",
|
||||
"server_current_add": "failed to add current server",
|
||||
"server_current_set": "failed to set current server",
|
||||
"server_info": "error in retrieving server info",
|
||||
"server_remove": "failed to remove server",
|
||||
"submit_sell_order": "failed to submit sell order",
|
||||
"synchronization_attempts": "failed to synchronize after {{ quantity }} attempts",
|
||||
"timeout_request": "request timed out",
|
||||
"token_not_supported": "{{ token }} is not supported for this call",
|
||||
"transaction_activity_summary": "error in transaction activity summary",
|
||||
"unknown_error": "unknown error",
|
||||
"unknown_admin_action_type": "unknown admin action type: {{ type }}",
|
||||
"update_foreign_fee": "failed to update foreign fee",
|
||||
"update_tradebot": "unable to update tradebot",
|
||||
"upload_encryption": "upload failed due to failed encryption",
|
||||
"upload": "upload failed",
|
||||
"use_private_service": "for an encrypted publish please use a service that ends with _PRIVATE",
|
||||
"user_qortal_name": "user has no Qortal name"
|
||||
"add_to_list": "impossibile aggiungere alla lista",
|
||||
"at_info": "impossibile trovare informazioni sull'AT.",
|
||||
"buy_order": "invio ordine di scambio fallito",
|
||||
"cancel_sell_order": "annullamento ordine di vendita fallito. Riprova!",
|
||||
"copy_clipboard": "copia negli appunti fallita",
|
||||
"create_sell_order": "creazione ordine di vendita fallita. Riprova!",
|
||||
"create_tradebot": "impossibile creare tradebot",
|
||||
"decode_transaction": "decodifica della transazione fallita",
|
||||
"decrypt": "impossibile decriptare",
|
||||
"decrypt_message": "decriptazione del messaggio fallita. Verifica dati e chiavi",
|
||||
"decryption_failed": "decriptazione fallita",
|
||||
"empty_receiver": "il destinatario non può essere vuoto!",
|
||||
"encrypt": "impossibile criptare",
|
||||
"encryption_failed": "criptazione fallita",
|
||||
"encryption_requires_public_key": "la criptazione richiede chiavi pubbliche",
|
||||
"fetch_balance_token": "impossibile recuperare il saldo di {{ token }}. Riprova!",
|
||||
"fetch_balance": "impossibile recuperare il saldo",
|
||||
"fetch_connection_history": "recupero cronologia connessioni fallito",
|
||||
"fetch_generic": "impossibile recuperare",
|
||||
"fetch_group": "recupero gruppo fallito",
|
||||
"fetch_list": "recupero lista fallito",
|
||||
"fetch_poll": "recupero sondaggio fallito",
|
||||
"fetch_recipient_public_key": "recupero chiave pubblica del destinatario fallito",
|
||||
"fetch_wallet_info": "impossibile recuperare informazioni sul wallet",
|
||||
"fetch_wallet_transactions": "impossibile recuperare transazioni del wallet",
|
||||
"fetch_wallet": "recupero wallet fallito. Riprova",
|
||||
"file_extension": "impossibile determinare l'estensione del file",
|
||||
"gateway_balance_local_node": "non è possibile visualizzare il saldo {{ token }} tramite il gateway. Usa il tuo nodo locale.",
|
||||
"gateway_non_qort_local_node": "non è possibile inviare monete non-QORT tramite il gateway. Usa il tuo nodo locale.",
|
||||
"gateway_retrieve_balance": "il recupero del saldo {{ token }} non è consentito tramite un gateway",
|
||||
"gateway_wallet_local_node": "non è possibile visualizzare il wallet {{ token }} tramite il gateway. Usa il tuo nodo locale.",
|
||||
"get_foreign_fee": "errore nel recupero delle commissioni estere",
|
||||
"insufficient_balance_qort": "saldo QORT insufficiente",
|
||||
"insufficient_balance": "saldo asset insufficiente",
|
||||
"insufficient_funds": "fondi insufficienti",
|
||||
"invalid_encryption_iv": "iV non valido: AES-GCM richiede un IV di 12 byte",
|
||||
"invalid_encryption_key": "chiave non valida: AES-GCM richiede una chiave di 256 bit",
|
||||
"invalid_fullcontent": "campo fullContent in formato non valido. Usa stringa, base64 o oggetto",
|
||||
"invalid_receiver": "indirizzo o nome destinatario non valido",
|
||||
"invalid_type": "tipo non valido",
|
||||
"mime_type": "impossibile determinare il mimeType",
|
||||
"missing_fields": "campi mancanti: {{ fields }}",
|
||||
"name_already_for_sale": "questo nome è già in vendita",
|
||||
"name_not_for_sale": "questo nome non è in vendita",
|
||||
"no_api_found": "nessuna API disponibile trovata",
|
||||
"no_data_encrypted_resource": "nessun dato nella risorsa criptata",
|
||||
"no_data_file_submitted": "nessun dato o file inviato",
|
||||
"no_group_found": "gruppo non trovato",
|
||||
"no_group_key": "chiave del gruppo non trovata",
|
||||
"no_poll": "sondaggio non trovato",
|
||||
"no_resources_publish": "nessuna risorsa da pubblicare",
|
||||
"node_info": "recupero info nodo fallito",
|
||||
"node_status": "recupero stato nodo fallito",
|
||||
"only_encrypted_data": "solo dati criptati possono essere usati nei servizi privati",
|
||||
"perform_request": "richiesta fallita",
|
||||
"poll_create": "creazione sondaggio fallita",
|
||||
"poll_vote": "voto al sondaggio fallito",
|
||||
"process_transaction": "impossibile elaborare la transazione",
|
||||
"provide_key_shared_link": "per una risorsa criptata, devi fornire la chiave per creare il link condiviso",
|
||||
"registered_name": "serve un nome registrato per pubblicare",
|
||||
"resources_publish": "alcune risorse non sono state pubblicate",
|
||||
"retrieve_file": "recupero file fallito",
|
||||
"retrieve_keys": "impossibile recuperare le chiavi",
|
||||
"retrieve_summary": "recupero sommario fallito",
|
||||
"retrieve_sync_status": "errore nel recupero dello stato di sincronizzazione di {{ token }}",
|
||||
"same_foreign_blockchain": "tutti gli AT richiesti devono essere della stessa blockchain estera.",
|
||||
"send": "invio fallito",
|
||||
"server_current_add": "aggiunta server corrente fallita",
|
||||
"server_current_set": "impostazione server corrente fallita",
|
||||
"server_info": "errore nel recupero informazioni del server",
|
||||
"server_remove": "rimozione server fallita",
|
||||
"submit_sell_order": "invio ordine di vendita fallito",
|
||||
"synchronization_attempts": "sincronizzazione fallita dopo {{ quantity }} tentativi",
|
||||
"timeout_request": "richiesta scaduta",
|
||||
"token_not_supported": "{{ token }} non è supportato per questa operazione",
|
||||
"transaction_activity_summary": "errore nel riepilogo attività transazioni",
|
||||
"unknown_error": "errore sconosciuto",
|
||||
"unknown_admin_action_type": "tipo di azione amministrativa sconosciuto: {{ type }}",
|
||||
"update_foreign_fee": "aggiornamento commissione estera fallito",
|
||||
"update_tradebot": "impossibile aggiornare tradebot",
|
||||
"upload_encryption": "caricamento fallito a causa della criptazione",
|
||||
"upload": "caricamento fallito",
|
||||
"use_private_service": "per pubblicare criptato, usa un servizio che termina con _PRIVATE",
|
||||
"user_qortal_name": "l'utente non ha un nome Qortal"
|
||||
},
|
||||
"generic": {
|
||||
"calculate_fee": "*the {{ amount }} sats fee is derived from {{ rate }} sats per kb, for a transaction that is approximately 300 bytes in size.",
|
||||
"confirm_join_group": "confirm joining the group:",
|
||||
"include_data_decrypt": "please include data to decrypt",
|
||||
"include_data_encrypt": "please include data to encrypt",
|
||||
"max_retry_transaction": "max retries reached. Skipping transaction.",
|
||||
"no_action_public_node": "this action cannot be done through a public node",
|
||||
"private_service": "please use a private service",
|
||||
"provide_group_id": "please provide a groupId",
|
||||
"read_transaction_carefully": "read the transaction carefully before accepting!",
|
||||
"user_declined_add_list": "user declined add to list",
|
||||
"user_declined_delete_from_list": "User declined delete from list",
|
||||
"user_declined_delete_hosted_resources": "user declined delete hosted resources",
|
||||
"user_declined_join": "user declined to join group",
|
||||
"user_declined_list": "user declined to get list of hosted resources",
|
||||
"user_declined_request": "user declined request",
|
||||
"user_declined_save_file": "user declined to save file",
|
||||
"user_declined_send_message": "user declined to send message",
|
||||
"user_declined_share_list": "user declined to share list"
|
||||
"calculate_fee": "*la commissione di {{ amount }} sats è calcolata su una tariffa di {{ rate }} sats per kb, per una transazione di circa 300 byte.",
|
||||
"confirm_join_group": "conferma partecipazione al gruppo:",
|
||||
"include_data_decrypt": "includi dati da decriptare",
|
||||
"include_data_encrypt": "includi dati da criptare",
|
||||
"max_retry_transaction": "numero massimo di tentativi raggiunto. Transazione saltata.",
|
||||
"no_action_public_node": "questa azione non può essere eseguita tramite un nodo pubblico",
|
||||
"private_service": "usa un servizio privato",
|
||||
"provide_group_id": "fornisci un groupId",
|
||||
"read_transaction_carefully": "leggi attentamente la transazione prima di accettare!",
|
||||
"user_declined_add_list": "l'utente ha rifiutato l'aggiunta alla lista",
|
||||
"user_declined_delete_from_list": "l'utente ha rifiutato l'eliminazione dalla lista",
|
||||
"user_declined_delete_hosted_resources": "l'utente ha rifiutato l'eliminazione delle risorse ospitate",
|
||||
"user_declined_join": "l'utente ha rifiutato di unirsi al gruppo",
|
||||
"user_declined_list": "l'utente ha rifiutato di ottenere la lista delle risorse ospitate",
|
||||
"user_declined_request": "l'utente ha rifiutato la richiesta",
|
||||
"user_declined_save_file": "l'utente ha rifiutato di salvare il file",
|
||||
"user_declined_send_message": "l'utente ha rifiutato di inviare il messaggio",
|
||||
"user_declined_share_list": "l'utente ha rifiutato di condividere la lista"
|
||||
}
|
||||
},
|
||||
"name": "name: {{ name }}",
|
||||
"option": "option: {{ option }}",
|
||||
"options": "options: {{ optionList }}",
|
||||
"name": "nome: {{ name }}",
|
||||
"option": "opzione: {{ option }}",
|
||||
"options": "opzioni: {{ optionList }}",
|
||||
"permission": {
|
||||
"access_list": "do you give this application permission to access the list",
|
||||
"add_admin": "do you give this application permission to add user {{ invitee }} as an admin?",
|
||||
"all_item_list": "do you give this application permission to add the following to the list {{ name }}:",
|
||||
"authenticate": "do you give this application permission to authenticate?",
|
||||
"ban": "do you give this application permission to ban {{ partecipant }} from the group?",
|
||||
"buy_name_detail": "buying {{ name }} for {{ price }} QORT",
|
||||
"buy_name": "do you give this application permission to buy a name?",
|
||||
"buy_order_fee_estimation_one": "this fee is an estimate based on {{ quantity }} order, assuming a 300-byte size at a rate of {{ fee }} {{ ticker }} per KB.",
|
||||
"buy_order_fee_estimation_other": "this fee is an estimate based on {{ quantity }} orders, assuming a 300-byte size at a rate of {{ fee }} {{ ticker }} per KB.",
|
||||
"buy_order_per_kb": "{{ fee }} {{ ticker }} per kb",
|
||||
"buy_order_quantity_one": "{{ quantity }} buy order",
|
||||
"buy_order_quantity_other": "{{ quantity }} buy orders",
|
||||
"buy_order_ticker": "{{ qort_amount }} QORT for {{ foreign_amount }} {{ ticker }}",
|
||||
"buy_order": "do you give this application permission to perform a buy order?",
|
||||
"cancel_ban": "do you give this application permission to cancel the group ban for user {{ partecipant }}?",
|
||||
"cancel_group_invite": "do you give this application permission to cancel the group invite for {{ invitee }}?",
|
||||
"cancel_sell_order": "do you give this application permission to perform: cancel a sell order?",
|
||||
"create_group": "do you give this application permission to create a group?",
|
||||
"delete_hosts_resources": "do you give this application permission to delete {{ size }} hosted resources?",
|
||||
"fetch_balance": "do you give this application permission to fetch your {{ coin }} balance",
|
||||
"get_wallet_info": "do you give this application permission to get your wallet information?",
|
||||
"get_wallet_transactions": "do you give this application permission to retrieve your wallet transactions",
|
||||
"invite": "do you give this application permission to invite {{ invitee }}?",
|
||||
"kick": "do you give this application permission to kick {{ partecipant }} from the group?",
|
||||
"leave_group": "do you give this application permission to leave the following group?",
|
||||
"list_hosted_data": "do you give this application permission to get a list of your hosted data?",
|
||||
"order_detail": "{{ qort_amount }} QORT for {{ foreign_amount }} {{ ticker }}",
|
||||
"pay_publish": "do you give this application permission to make the following payments and publishes?",
|
||||
"perform_admin_action_with_value": "with value: {{ value }}",
|
||||
"perform_admin_action": "do you give this application permission to perform the admin action: {{ type }}",
|
||||
"publish_qdn": "do you give this application permission to publish to QDN?",
|
||||
"register_name": "do you give this application permission to register this name?",
|
||||
"remove_admin": "do you give this application permission to remove user {{ partecipant }} as an admin?",
|
||||
"remove_from_list": "do you give this application permission to remove the following from the list {{ name }}:",
|
||||
"sell_name_cancel": "do you give this application permission to cancel the selling of a name?",
|
||||
"sell_name_transaction_detail": "sell {{ name }} for {{ price }} QORT",
|
||||
"sell_name_transaction": "do you give this application permission to create a sell name transaction?",
|
||||
"sell_order": "do you give this application permission to perform a sell order?",
|
||||
"send_chat_message": "do you give this application permission to send this chat message?",
|
||||
"send_coins": "do you give this application permission to send coins?",
|
||||
"server_add": "do you give this application permission to add a server?",
|
||||
"server_remove": "do you give this application permission to remove a server?",
|
||||
"set_current_server": "do you give this application permission to set the current server?",
|
||||
"sign_fee": "do you give this application permission to sign the required fees for all your trade offers?",
|
||||
"sign_process_transaction": "do you give this application permission to sign and process a transaction?",
|
||||
"sign_transaction": "do you give this application permission to sign a transaction?",
|
||||
"transfer_asset": "do you give this application permission to transfer the following asset?",
|
||||
"update_foreign_fee": "do you give this application permission to update foreign fees on your node?",
|
||||
"update_group_detail": "new owner: {{ owner }}",
|
||||
"update_group": "do you give this application permission to update this group?"
|
||||
"access_list": "consenti a questa applicazione di accedere alla lista?",
|
||||
"add_admin": "consenti a questa applicazione di aggiungere l'utente {{ invitee }} come amministratore?",
|
||||
"all_item_list": "consenti a questa applicazione di aggiungere i seguenti elementi alla lista {{ name }}:",
|
||||
"authenticate": "consenti a questa applicazione di autenticarti?",
|
||||
"ban": "consenti a questa applicazione di bannare {{ partecipant }} dal gruppo?",
|
||||
"buy_name_detail": "acquisto di {{ name }} per {{ price }} QORT",
|
||||
"buy_name": "consenti a questa applicazione di acquistare un nome?",
|
||||
"buy_order_fee_estimation_one": "questa commissione è una stima basata su {{ quantity }} ordine, assumendo una dimensione di 300 byte e una tariffa di {{ fee }} {{ ticker }} per KB.",
|
||||
"buy_order_fee_estimation_other": "questa commissione è una stima basata su {{ quantity }} ordini, assumendo una dimensione di 300 byte e una tariffa di {{ fee }} {{ ticker }} per KB.",
|
||||
"buy_order_per_kb": "{{ fee }} {{ ticker }} per KB",
|
||||
"buy_order_quantity_one": "{{ quantity }} ordine di acquisto",
|
||||
"buy_order_quantity_other": "{{ quantity }} ordini di acquisto",
|
||||
"buy_order_ticker": "{{ qort_amount }} QORT per {{ foreign_amount }} {{ ticker }}",
|
||||
"buy_order": "consenti a questa applicazione di eseguire un ordine di acquisto?",
|
||||
"cancel_ban": "consenti a questa applicazione di annullare il ban del gruppo per l'utente {{ partecipant }}?",
|
||||
"cancel_group_invite": "consenti a questa applicazione di annullare l'invito al gruppo per {{ invitee }}?",
|
||||
"cancel_sell_order": "consenti a questa applicazione di annullare un ordine di vendita?",
|
||||
"create_group": "consenti a questa applicazione di creare un gruppo?",
|
||||
"delete_hosts_resources": "consenti a questa applicazione di eliminare {{ size }} risorse ospitate?",
|
||||
"fetch_balance": "consenti a questa applicazione di recuperare il saldo {{ coin }}?",
|
||||
"get_wallet_info": "consenti a questa applicazione di ottenere le informazioni del tuo wallet?",
|
||||
"get_wallet_transactions": "consenti a questa applicazione di recuperare le transazioni del tuo wallet?",
|
||||
"invite": "consenti a questa applicazione di invitare {{ invitee }}?",
|
||||
"kick": "consenti a questa applicazione di espellere {{ partecipant }} dal gruppo?",
|
||||
"leave_group": "consenti a questa applicazione di uscire dal seguente gruppo?",
|
||||
"list_hosted_data": "consenti a questa applicazione di ottenere l'elenco dei tuoi dati ospitati?",
|
||||
"order_detail": "{{ qort_amount }} QORT per {{ foreign_amount }} {{ ticker }}",
|
||||
"pay_publish": "consenti a questa applicazione di effettuare i seguenti pagamenti e pubblicazioni?",
|
||||
"perform_admin_action_with_value": "con valore: {{ value }}",
|
||||
"perform_admin_action": "consenti a questa applicazione di eseguire l'azione amministrativa: {{ type }}",
|
||||
"publish_qdn": "consenti a questa applicazione di pubblicare su QDN?",
|
||||
"register_name": "consenti a questa applicazione di registrare questo nome?",
|
||||
"remove_admin": "consenti a questa applicazione di rimuovere l'utente {{ partecipant }} come amministratore?",
|
||||
"remove_from_list": "consenti a questa applicazione di rimuovere i seguenti elementi dalla lista {{ name }}?",
|
||||
"sell_name_cancel": "consenti a questa applicazione di annullare la vendita di un nome?",
|
||||
"sell_name_transaction_detail": "vendi {{ name }} per {{ price }} QORT",
|
||||
"sell_name_transaction": "consenti a questa applicazione di creare una transazione di vendita nome?",
|
||||
"sell_order": "consenti a questa applicazione di eseguire un ordine di vendita?",
|
||||
"send_chat_message": "consenti a questa applicazione di inviare questo messaggio chat?",
|
||||
"send_coins": "consenti a questa applicazione di inviare monete?",
|
||||
"server_add": "consenti a questa applicazione di aggiungere un server?",
|
||||
"server_remove": "consenti a questa applicazione di rimuovere un server?",
|
||||
"set_current_server": "consenti a questa applicazione di impostare il server corrente?",
|
||||
"sign_fee": "consenti a questa applicazione di firmare le commissioni richieste per tutte le tue offerte di scambio?",
|
||||
"sign_process_transaction": "consenti a questa applicazione di firmare ed elaborare una transazione?",
|
||||
"sign_transaction": "consenti a questa applicazione di firmare una transazione?",
|
||||
"transfer_asset": "consenti a questa applicazione di trasferire il seguente asset?",
|
||||
"update_foreign_fee": "consenti a questa applicazione di aggiornare le commissioni estere sul tuo nodo?",
|
||||
"update_group_detail": "nuovo proprietario: {{ owner }}",
|
||||
"update_group": "consenti a questa applicazione di aggiornare questo gruppo?"
|
||||
},
|
||||
"poll": "poll: {{ name }}",
|
||||
"provide_recipient_group_id": "please provide a recipient or groupId",
|
||||
"request_create_poll": "you are requesting to create the poll below:",
|
||||
"request_vote_poll": "you are being requested to vote on the poll below:",
|
||||
"poll": "sondaggio: {{ name }}",
|
||||
"provide_recipient_group_id": "fornisci un destinatario o un groupId",
|
||||
"request_create_poll": "stai richiedendo di creare il seguente sondaggio:",
|
||||
"request_vote_poll": "ti viene richiesto di votare nel seguente sondaggio:",
|
||||
"sats_per_kb": "{{ amount }} sats per KB",
|
||||
"sats": "{{ amount }} sats",
|
||||
"server_host": "host: {{ host }}",
|
||||
"server_type": "type: {{ type }}",
|
||||
"to_group": "to: group {{ group_id }}",
|
||||
"to_recipient": "to: {{ recipient }}",
|
||||
"total_locking_fee": "total Locking Fee:",
|
||||
"total_unlocking_fee": "total Unlocking Fee:",
|
||||
"value": "value: {{ value }}"
|
||||
"server_type": "tipo: {{ type }}",
|
||||
"to_group": "a: gruppo {{ group_id }}",
|
||||
"to_recipient": "a: {{ recipient }}",
|
||||
"total_locking_fee": "commissione totale di blocco:",
|
||||
"total_unlocking_fee": "commissione totale di sblocco:",
|
||||
"value": "valore: {{ value }}"
|
||||
}
|
||||
|
@ -1,21 +1,21 @@
|
||||
{
|
||||
"1_getting_started": "1. Iniziare",
|
||||
"2_overview": "2. Panoramica",
|
||||
"3_groups": "3. Gruppi Qortali",
|
||||
"4_obtain_qort": "4. Ottenimento di Qort",
|
||||
"account_creation": "Creazione dell'account",
|
||||
"important_info": "Informazioni importanti!",
|
||||
"3_groups": "3. Gruppi Qortal",
|
||||
"4_obtain_qort": "4. Ottenere i Qort",
|
||||
"account_creation": "creazione dell'account",
|
||||
"important_info": "informazioni importanti",
|
||||
"apps": {
|
||||
"dashboard": "1. Dashboard di app",
|
||||
"dashboard": "1. Dashboard delle app",
|
||||
"navigation": "2. Navigazione delle app"
|
||||
},
|
||||
"initial": {
|
||||
"recommended_qort_qty": "have at least {{ quantity }} QORT in your wallet",
|
||||
"explore": "esplorare",
|
||||
"recommended_qort_qty": "avere almeno {{ quantity }} QORT nel proprio wallet",
|
||||
"explore": "esplora",
|
||||
"general_chat": "chat generale",
|
||||
"getting_started": "iniziare",
|
||||
"register_name": "Registra un nome",
|
||||
"see_apps": "Vedi le app",
|
||||
"trade_qort": "commercio qort"
|
||||
"getting_started": "come iniziare",
|
||||
"register_name": "registrare un nome",
|
||||
"see_apps": "vedi le app",
|
||||
"trade_qort": "scambia qort"
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -40,12 +40,13 @@
|
||||
"advanced_users": "上級ユーザー向け",
|
||||
"apikey": {
|
||||
"alternative": "代替:ファイル選択",
|
||||
"change": "Apikeyを変更します",
|
||||
"enter": "Apikeyを入力します",
|
||||
"import": "Apikeyをインポートします",
|
||||
"change": "apikeyを変更します",
|
||||
"enter": "apikeyを入力します",
|
||||
"import": "apikeyをインポートします",
|
||||
"key": "APIキー",
|
||||
"select_valid": "有効なApikeyを選択します"
|
||||
},
|
||||
"authentication": "認証",
|
||||
"blocked_users": "ブロックされたユーザー",
|
||||
"build_version": "ビルドバージョン",
|
||||
"message": {
|
||||
@ -62,11 +63,11 @@
|
||||
"find_secret_key": "正しいSecretKeyを見つけることができません",
|
||||
"incorrect_password": "パスワードが正しくありません",
|
||||
"invalid_qortal_link": "無効なQortalリンク",
|
||||
"invalid_secret_key": "SecretKeyは無効です",
|
||||
"invalid_secret_key": "secretKeyは無効です",
|
||||
"invalid_uint8": "提出したuint8arraydataは無効です",
|
||||
"name_not_existing": "名前は存在しません",
|
||||
"name_not_registered": "登録されていない名前",
|
||||
"read_blob_base64": "BASE64エンコード文字列としてBLOBを読み取れませんでした",
|
||||
"read_blob_base64": "bASE64エンコード文字列としてBLOBを読み取れませんでした",
|
||||
"reencrypt_secret_key": "シークレットキーを再構築することができません",
|
||||
"set_apikey": "APIキーの設定に失敗しました:"
|
||||
},
|
||||
@ -77,14 +78,16 @@
|
||||
"choose_block": "「ブロックTXS」または「ALL」を選択して、チャットメッセージをブロックします",
|
||||
"congrats_setup": "おめでとう、あなたはすべてセットアップされています!",
|
||||
"decide_block": "ブロックするものを決定します",
|
||||
"downloading_encryption_keys": "downloading encryption keys",
|
||||
"fetching_admin_secret_key": "管理者の秘密の鍵を取得します",
|
||||
"fetching_group_secret_key": "group Secret Keyの出版物を取得します",
|
||||
"keep_secure": "アカウントファイルを安全に保ちます",
|
||||
"last_encryption_date": "last encryption date: {{ date }} by {{ name }}",
|
||||
"locating_encryption_keys": "locating encryption keys",
|
||||
"name_address": "名前または住所",
|
||||
"no_account": "アカウントは保存されていません",
|
||||
"no_minimum_length": "最小の長さの要件はありません",
|
||||
"no_secret_key_published": "まだ公開されていません",
|
||||
"fetching_admin_secret_key": "管理者の秘密の鍵を取得します",
|
||||
"fetching_group_secret_key": "Group Secret Keyの出版物を取得します",
|
||||
"last_encryption_date": "last encryption date: {{ date }} by {{ name }}",
|
||||
"keep_secure": "アカウントファイルを安全に保ちます",
|
||||
"publishing_key": "リマインダー:キーを公開した後、表示されるまでに数分かかります。待ってください。",
|
||||
"seedphrase_notice": "a <seed>SEEDPHRASE</seed> has been randomly generated in the background.",
|
||||
"turn_local_node": "ローカルノードをオンにしてください",
|
||||
@ -132,4 +135,4 @@
|
||||
}
|
||||
},
|
||||
"welcome": "ようこそ"
|
||||
}
|
||||
}
|
||||
|
@ -31,12 +31,12 @@
|
||||
"create_thread": "スレッドを作成します",
|
||||
"decline": "衰退",
|
||||
"decrypt": "復号化",
|
||||
"disable_enter": "Enterを無効にします",
|
||||
"disable_enter": "enterを無効にします",
|
||||
"download": "ダウンロード",
|
||||
"download_file": "ファイルをダウンロードします",
|
||||
"edit": "編集",
|
||||
"edit_theme": "テーマを編集します",
|
||||
"enable_dev_mode": "DEVモードを有効にします",
|
||||
"enable_dev_mode": "dEVモードを有効にします",
|
||||
"enter_name": "名前を入力します",
|
||||
"export": "輸出",
|
||||
"get_qort": "QORTを取得します",
|
||||
@ -90,7 +90,7 @@
|
||||
"trade_qort": "取引Qort",
|
||||
"transfer_qort": "QORTを転送します",
|
||||
"unpin": "unepin",
|
||||
"unpin_app": "UNPINアプリ",
|
||||
"unpin_app": "uNPINアプリ",
|
||||
"unpin_from_dashboard": "ダッシュボードからリプリッド",
|
||||
"update": "アップデート",
|
||||
"update_app": "アプリを更新します",
|
||||
@ -106,6 +106,7 @@
|
||||
"app": "アプリ",
|
||||
"app_other": "アプリ",
|
||||
"app_name": "アプリ名",
|
||||
"app_private": "プライベート",
|
||||
"app_service_type": "アプリサービスタイプ",
|
||||
"apps_dashboard": "アプリダッシュボード",
|
||||
"apps_official": "公式アプリ",
|
||||
@ -128,7 +129,7 @@
|
||||
"dev_mode": "開発モード",
|
||||
"domain": "ドメイン",
|
||||
"ui": {
|
||||
"version": "UIバージョン"
|
||||
"version": "uIバージョン"
|
||||
},
|
||||
"count": {
|
||||
"none": "なし",
|
||||
@ -154,7 +155,6 @@
|
||||
"list": {
|
||||
"bans": "禁止のリスト",
|
||||
"groups": "グループのリスト",
|
||||
"invite": "リストを招待します",
|
||||
"invites": "招待状のリスト",
|
||||
"join_request": "リクエストリストに参加します",
|
||||
"member": "メンバーリスト",
|
||||
@ -219,7 +219,7 @@
|
||||
"created_by": "created by {{ owner }}",
|
||||
"buy_order_request": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting {{count}} buy order</span>",
|
||||
"buy_order_request_other": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting {{count}} buy orders</span>",
|
||||
"devmode_local_node": "DEVモードにローカルノードを使用してください!ログアウトしてローカルノードを使用します。",
|
||||
"devmode_local_node": "dEVモードにローカルノードを使用してください!ログアウトしてローカルノードを使用します。",
|
||||
"downloading": "ダウンロード",
|
||||
"downloading_decrypting_app": "プライベートアプリのダウンロードと復号化。",
|
||||
"edited": "編集",
|
||||
@ -320,6 +320,7 @@
|
||||
"none": "なし",
|
||||
"note": "注記",
|
||||
"option": "オプション",
|
||||
"option_no": "オプションなし",
|
||||
"option_other": "オプション",
|
||||
"page": {
|
||||
"last": "最後",
|
||||
@ -328,9 +329,11 @@
|
||||
"previous": "前の"
|
||||
},
|
||||
"payment_notification": "支払い通知",
|
||||
"payment": "お支払い",
|
||||
"poll_embed": "投票埋め込み",
|
||||
"port": "ポート",
|
||||
"price": "価格",
|
||||
"publish": "出版物",
|
||||
"q_apps": {
|
||||
"about": "このq-appについて",
|
||||
"q_mail": "Qメール",
|
||||
@ -351,6 +354,7 @@
|
||||
"theme": {
|
||||
"dark": "暗い",
|
||||
"dark_mode": "ダークモード",
|
||||
"default": "デフォルトのテーマ",
|
||||
"light": "ライト",
|
||||
"light_mode": "ライトモード",
|
||||
"manager": "テーママネージャー",
|
||||
@ -371,7 +375,7 @@
|
||||
"title": "タイトル",
|
||||
"to": "に",
|
||||
"tutorial": "チュートリアル",
|
||||
"url": "URL",
|
||||
"url": "uRL",
|
||||
"user_lookup": "ユーザールックアップ",
|
||||
"vote": "投票する",
|
||||
"vote_other": "{{ count }} votes",
|
||||
@ -382,6 +386,6 @@
|
||||
"wallet": "財布",
|
||||
"wallet_other": "財布"
|
||||
},
|
||||
"website": "Webサイト",
|
||||
"website": "webサイト",
|
||||
"welcome": "いらっしゃいませ"
|
||||
}
|
||||
}
|
||||
|
@ -29,7 +29,6 @@
|
||||
"visit_q_mintership": "Q-Mintershipにアクセスしてください"
|
||||
},
|
||||
"advanced_options": "高度なオプション",
|
||||
"ban_list": "禁止リスト",
|
||||
"block_delay": {
|
||||
"minimum": "最小ブロック遅延",
|
||||
"maximum": "最大ブロック遅延"
|
||||
@ -110,7 +109,7 @@
|
||||
},
|
||||
"error": {
|
||||
"access_name": "あなたの名前にアクセスせずにメッセージを送信できません",
|
||||
"descrypt_wallet": "error decrypting wallet {{ :errorMessage }}",
|
||||
"descrypt_wallet": "error decrypting wallet {{ message }}",
|
||||
"description_required": "説明を提供してください",
|
||||
"group_info": "グループ情報にアクセスできません",
|
||||
"group_join": "グループに参加できませんでした",
|
||||
@ -126,10 +125,10 @@
|
||||
},
|
||||
"success": {
|
||||
"group_ban": "グループからメンバーを首尾よく禁止しました。変更が伝播するまでに数分かかる場合があります",
|
||||
"group_creation": "GROUPを正常に作成しました。変更が伝播するまでに数分かかる場合があります",
|
||||
"group_creation": "gROUPを正常に作成しました。変更が伝播するまでに数分かかる場合があります",
|
||||
"group_creation_name": "created group {{group_name}}: awaiting confirmation",
|
||||
"group_creation_label": "created group {{name}}: success!",
|
||||
"group_invite": "successfully invited {{value}}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_invite": "successfully invited {{invitee}}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_join": "グループへの参加を正常にリクエストしました。変更が伝播するまでに数分かかる場合があります",
|
||||
"group_join_name": "joined group {{group_name}}: awaiting confirmation",
|
||||
"group_join_label": "joined group {{name}}: success!",
|
||||
@ -154,8 +153,8 @@
|
||||
"rewardshare_add": "報酬を追加:確認を待っています",
|
||||
"rewardshare_add_label": "報酬を追加:成功!",
|
||||
"rewardshare_creation": "チェーン上の報酬の作成を確認します。我慢してください、これには最大90秒かかる可能性があります。",
|
||||
"rewardshare_confirmed": "RewardShareが確認されました。 [次へ]をクリックしてください。",
|
||||
"rewardshare_remove": "RewardShareを削除:確認を待っています",
|
||||
"rewardshare_confirmed": "rewardShareが確認されました。 [次へ]をクリックしてください。",
|
||||
"rewardshare_remove": "rewardShareを削除:確認を待っています",
|
||||
"rewardshare_remove_label": "報酬を削除:成功!",
|
||||
"thread_creation": "正常に作成されたスレッド。パブリッシュが伝播するまでに時間がかかる場合があります",
|
||||
"unbanned_user": "バーンなしのユーザーに成功しました。変更が伝播するまでに数分かかる場合があります",
|
||||
@ -163,4 +162,4 @@
|
||||
}
|
||||
},
|
||||
"thread_posts": "新しいスレッド投稿"
|
||||
}
|
||||
}
|
||||
|
@ -111,7 +111,7 @@
|
||||
"provide_group_id": "please provide a groupId",
|
||||
"read_transaction_carefully": "read the transaction carefully before accepting!",
|
||||
"user_declined_add_list": "user declined add to list",
|
||||
"user_declined_delete_from_list": "User declined delete from list",
|
||||
"user_declined_delete_from_list": "user declined delete from list",
|
||||
"user_declined_delete_hosted_resources": "user declined delete hosted resources",
|
||||
"user_declined_join": "user declined to join group",
|
||||
"user_declined_list": "user declined to get list of hosted resources",
|
||||
|
@ -4,7 +4,7 @@
|
||||
"3_groups": "3。Qortalグループ",
|
||||
"4_obtain_qort": "4。Qortの取得",
|
||||
"account_creation": "アカウント作成",
|
||||
"important_info": "重要な情報!",
|
||||
"important_info": "重要な情報",
|
||||
"apps": {
|
||||
"dashboard": "1。アプリダッシュボード",
|
||||
"navigation": "2。アプリナビゲーション"
|
||||
@ -18,4 +18,4 @@
|
||||
"see_apps": "アプリを参照してください",
|
||||
"trade_qort": "取引Qort"
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -29,7 +29,7 @@
|
||||
"insert_name_address": "Пожалуйста, вставьте имя или адрес",
|
||||
"publish_admin_secret_key": "Публикуйте секретный ключ администратора",
|
||||
"publish_group_secret_key": "Публикуйте Secret Key Group",
|
||||
"reencrypt_key": "Recrypt Key",
|
||||
"reencrypt_key": "recrypt Key",
|
||||
"return_to_list": "вернуться в список",
|
||||
"setup_qortal_account": "Настройте свою учетную запись Qortal",
|
||||
"unblock": "разблокировать",
|
||||
@ -46,6 +46,7 @@
|
||||
"key": "API -ключ",
|
||||
"select_valid": "Выберите действительный apikey"
|
||||
},
|
||||
"authentication": "идентификация",
|
||||
"blocked_users": "Заблокировали пользователей",
|
||||
"build_version": "Построить версию",
|
||||
"message": {
|
||||
@ -62,8 +63,8 @@
|
||||
"find_secret_key": "Не могу найти правильный секретный клавиш",
|
||||
"incorrect_password": "Неправильный пароль",
|
||||
"invalid_qortal_link": "Неверная ссылка на кортал",
|
||||
"invalid_secret_key": "SecretKey не действителен",
|
||||
"invalid_uint8": "Uint8ArrayData, которую вы отправили, недействительна",
|
||||
"invalid_secret_key": "secretKey не действителен",
|
||||
"invalid_uint8": "uint8ArrayData, которую вы отправили, недействительна",
|
||||
"name_not_existing": "Имя не существует",
|
||||
"name_not_registered": "Имя не зарегистрировано",
|
||||
"read_blob_base64": "Не удалось прочитать каплей в качестве строки, кодированной BASE64",
|
||||
@ -77,14 +78,16 @@
|
||||
"choose_block": "Выберите «Блок TXS» или «Все», чтобы заблокировать сообщения чата",
|
||||
"congrats_setup": "Поздравляю, вы все настроены!",
|
||||
"decide_block": "Решите, что заблокировать",
|
||||
"downloading_encryption_keys": "downloading encryption keys",
|
||||
"fetching_admin_secret_key": "Принесение секретного ключа администраторов",
|
||||
"fetching_group_secret_key": "Выбрать группу Secret Key публикует",
|
||||
"keep_secure": "Держите файл вашей учетной записи в безопасности",
|
||||
"last_encryption_date": "last encryption date: {{ date }} by {{ name }}",
|
||||
"locating_encryption_keys": "locating encryption keys",
|
||||
"name_address": "имя или адрес",
|
||||
"no_account": "Никаких счетов не сохранились",
|
||||
"no_minimum_length": "нет требований к минимальной длине",
|
||||
"no_secret_key_published": "пока не публикуется секретный ключ",
|
||||
"fetching_admin_secret_key": "Принесение секретного ключа администраторов",
|
||||
"fetching_group_secret_key": "Выбрать группу Secret Key публикует",
|
||||
"last_encryption_date": "last encryption date: {{ date }} by {{ name }}",
|
||||
"keep_secure": "Держите файл вашей учетной записи в безопасности",
|
||||
"publishing_key": "Напоминание: после публикации ключа потребуется пару минут, чтобы появиться. Пожалуйста, просто подождите.",
|
||||
"seedphrase_notice": "a <seed>SEEDPHRASE</seed> has been randomly generated in the background.",
|
||||
"turn_local_node": "Пожалуйста, включите свой местный узел",
|
||||
@ -132,4 +135,4 @@
|
||||
}
|
||||
},
|
||||
"welcome": "Добро пожаловать в"
|
||||
}
|
||||
}
|
||||
|
@ -2,7 +2,7 @@
|
||||
"action": {
|
||||
"accept": "принимать",
|
||||
"access": "доступ",
|
||||
"access_app": "Access App",
|
||||
"access_app": "access App",
|
||||
"add": "добавлять",
|
||||
"add_custom_framework": "Добавьте пользовательскую структуру",
|
||||
"add_reaction": "Добавить реакцию",
|
||||
@ -61,7 +61,7 @@
|
||||
"open": "открыть",
|
||||
"pin": "приколоть",
|
||||
"pin_app": "приложение приложения",
|
||||
"pin_from_dashboard": "PIN -штифт от приборной панели",
|
||||
"pin_from_dashboard": "pIN -штифт от приборной панели",
|
||||
"post": "почта",
|
||||
"post_message": "опубликовать сообщение",
|
||||
"publish": "публиковать",
|
||||
@ -90,8 +90,8 @@
|
||||
"trade_qort": "Торговый Qort",
|
||||
"transfer_qort": "Передача qort",
|
||||
"unpin": "не",
|
||||
"unpin_app": "Upin App",
|
||||
"unpin_from_dashboard": "Unlin с приборной панели",
|
||||
"unpin_app": "upin App",
|
||||
"unpin_from_dashboard": "unlin с приборной панели",
|
||||
"update": "обновлять",
|
||||
"update_app": "Обновите свое приложение",
|
||||
"vote": "голосование"
|
||||
@ -106,6 +106,7 @@
|
||||
"app": "приложение",
|
||||
"app_other": "приложения",
|
||||
"app_name": "Название приложения",
|
||||
"app_private": "частное",
|
||||
"app_service_type": "Тип службы приложений",
|
||||
"apps_dashboard": "приложения панель панели",
|
||||
"apps_official": "официальные приложения",
|
||||
@ -135,7 +136,7 @@
|
||||
"one": "один"
|
||||
},
|
||||
"description": "описание",
|
||||
"devmode_apps": "Dev Mode Apps",
|
||||
"devmode_apps": "dev Mode Apps",
|
||||
"directory": "каталог",
|
||||
"downloading_qdn": "Загрузка с QDN",
|
||||
"fee": {
|
||||
@ -320,6 +321,7 @@
|
||||
"none": "никто",
|
||||
"note": "примечание",
|
||||
"option": "вариант",
|
||||
"option_no": "выбора нет",
|
||||
"option_other": "параметры",
|
||||
"page": {
|
||||
"last": "последний",
|
||||
@ -328,9 +330,11 @@
|
||||
"previous": "предыдущий"
|
||||
},
|
||||
"payment_notification": "уведомление о платеже",
|
||||
"payment": "плата",
|
||||
"poll_embed": "Опрос встроен",
|
||||
"port": "порт",
|
||||
"price": "цена",
|
||||
"publish": "публикация",
|
||||
"q_apps": {
|
||||
"about": "об этом Q-App",
|
||||
"q_mail": "Q-Mail",
|
||||
@ -351,6 +355,7 @@
|
||||
"theme": {
|
||||
"dark": "темный",
|
||||
"dark_mode": "темный режим",
|
||||
"default": "тема по умолчанию",
|
||||
"light": "свет",
|
||||
"light_mode": "легкий режим",
|
||||
"manager": "Менеджер темы",
|
||||
@ -371,7 +376,7 @@
|
||||
"title": "заголовок",
|
||||
"to": "к",
|
||||
"tutorial": "Учебник",
|
||||
"url": "URL",
|
||||
"url": "uRL",
|
||||
"user_lookup": "Посмотреть пользователя",
|
||||
"vote": "голосование",
|
||||
"vote_other": "{{ count }} votes",
|
||||
@ -384,4 +389,4 @@
|
||||
},
|
||||
"website": "веб -сайт",
|
||||
"welcome": "добро пожаловать"
|
||||
}
|
||||
}
|
||||
|
@ -29,7 +29,6 @@
|
||||
"visit_q_mintership": "Посетите Q-Mintership"
|
||||
},
|
||||
"advanced_options": "расширенные варианты",
|
||||
"ban_list": "Запрет список",
|
||||
"block_delay": {
|
||||
"minimum": "Минимальная задержка блока",
|
||||
"maximum": "Максимальная задержка блока"
|
||||
@ -110,7 +109,7 @@
|
||||
},
|
||||
"error": {
|
||||
"access_name": "Не могу отправить сообщение без доступа к вашему имени",
|
||||
"descrypt_wallet": "error decrypting wallet {{ :errorMessage }}",
|
||||
"descrypt_wallet": "error decrypting wallet {{ message }}",
|
||||
"description_required": "Пожалуйста, предоставьте описание",
|
||||
"group_info": "Невозможно получить доступ к группе информации",
|
||||
"group_join": "Не удалось присоединиться к группе",
|
||||
@ -129,7 +128,7 @@
|
||||
"group_creation": "успешно созданная группа. Это может занять пару минут для изменений в распространении",
|
||||
"group_creation_name": "created group {{group_name}}: awaiting confirmation",
|
||||
"group_creation_label": "created group {{name}}: success!",
|
||||
"group_invite": "successfully invited {{value}}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_invite": "successfully invited {{invitee}}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_join": "успешно попросил присоединиться к группе. Это может занять пару минут для изменений в распространении",
|
||||
"group_join_name": "joined group {{group_name}}: awaiting confirmation",
|
||||
"group_join_label": "joined group {{name}}: success!",
|
||||
@ -163,4 +162,4 @@
|
||||
}
|
||||
},
|
||||
"thread_posts": "Новые посты ветки"
|
||||
}
|
||||
}
|
||||
|
@ -40,7 +40,7 @@
|
||||
"fetch_recipient_public_key": "Не удалось получить открытый ключ получателя",
|
||||
"fetch_wallet_info": "Невозможно получить информацию о кошельке",
|
||||
"fetch_wallet_transactions": "Невозможно получить транзакции кошелька",
|
||||
"fetch_wallet": "Fetch Wallet вышел из строя. Пожалуйста, попробуйте еще раз",
|
||||
"fetch_wallet": "fetch Wallet вышел из строя. Пожалуйста, попробуйте еще раз",
|
||||
"file_extension": "Расширение файла не может быть получено",
|
||||
"gateway_balance_local_node": "cannot view {{ token }} balance through the gateway. Please use your local node.",
|
||||
"gateway_non_qort_local_node": "Не могу отправить не-Qort монету через шлюз. Пожалуйста, используйте свой локальный узел.",
|
||||
@ -50,7 +50,7 @@
|
||||
"insufficient_balance_qort": "Ваш баланс Qort недостаточен",
|
||||
"insufficient_balance": "Ваша баланс активов недостаточен",
|
||||
"insufficient_funds": "Недостаточно средств",
|
||||
"invalid_encryption_iv": "Invalid IV: AES-GCM требует 12-байтового IV",
|
||||
"invalid_encryption_iv": "invalid IV: AES-GCM требует 12-байтового IV",
|
||||
"invalid_encryption_key": "Неверный ключ: AES-GCM требует 256-битного ключа.",
|
||||
"invalid_fullcontent": "Полевой полной контент находится в неверном формате. Либо используйте строку, base64 или объект",
|
||||
"invalid_receiver": "Неверный адрес или имя приемника",
|
||||
@ -189,4 +189,4 @@
|
||||
"total_locking_fee": "Общая плата за блокировку:",
|
||||
"total_unlocking_fee": "Общая плата за разблокировку:",
|
||||
"value": "value: {{ value }}"
|
||||
}
|
||||
}
|
||||
|
@ -4,7 +4,7 @@
|
||||
"3_groups": "3. Qortal Groups",
|
||||
"4_obtain_qort": "4. Получение qort",
|
||||
"account_creation": "создание счета",
|
||||
"important_info": "Важная информация!",
|
||||
"important_info": "Важная информация",
|
||||
"apps": {
|
||||
"dashboard": "1. Приложения приборной панели",
|
||||
"navigation": "2. Приложения навигации"
|
||||
|
@ -19,7 +19,7 @@
|
||||
"fetch_names": "获取名称",
|
||||
"copy_address": "复制地址",
|
||||
"create_account": "创建账户",
|
||||
"create_qortal_account": "create your Qortal account by clicking <next>NEXT</next> below.",
|
||||
"create_qortal_account": "通过单击下面的<next>NEXT</next>创建您的珊瑚帐户。",
|
||||
"choose_password": "选择新密码",
|
||||
"download_account": "下载帐户",
|
||||
"enter_amount": "请输入大于0的金额",
|
||||
@ -46,6 +46,7 @@
|
||||
"key": "API键",
|
||||
"select_valid": "选择有效的apikey"
|
||||
},
|
||||
"authentication": "身份验证",
|
||||
"blocked_users": "阻止用户",
|
||||
"build_version": "构建版本",
|
||||
"message": {
|
||||
@ -62,7 +63,7 @@
|
||||
"find_secret_key": "找不到正确的SecretKey",
|
||||
"incorrect_password": "密码不正确",
|
||||
"invalid_qortal_link": "无效的Qortal链接",
|
||||
"invalid_secret_key": "SecretKey无效",
|
||||
"invalid_secret_key": "secretKey无效",
|
||||
"invalid_uint8": "您提交的Uint8arraydata无效",
|
||||
"name_not_existing": "名称不存在",
|
||||
"name_not_registered": "名称未注册",
|
||||
@ -77,16 +78,18 @@
|
||||
"choose_block": "选择“块TXS”或“所有”来阻止聊天消息",
|
||||
"congrats_setup": "恭喜,你们都设置了!",
|
||||
"decide_block": "决定阻止什么",
|
||||
"downloading_encryption_keys": "下载加密密钥",
|
||||
"name_address": "名称或地址",
|
||||
"no_account": "没有保存帐户",
|
||||
"no_minimum_length": "没有最小长度要求",
|
||||
"no_secret_key_published": "尚未发布秘密密钥",
|
||||
"fetching_admin_secret_key": "获取管理员秘密钥匙",
|
||||
"fetching_group_secret_key": "获取组秘密密钥发布",
|
||||
"last_encryption_date": "last encryption date: {{ date }} by {{ name }}",
|
||||
"last_encryption_date": "最后加密日期:{{date}}由{{name}}",
|
||||
"locating_encryption_keys": "查找加密密钥",
|
||||
"keep_secure": "确保您的帐户文件安全",
|
||||
"publishing_key": "提醒:发布钥匙后,出现需要几分钟才能出现。请等待。",
|
||||
"seedphrase_notice": "a <seed>SEEDPHRASE</seed> has been randomly generated in the background.",
|
||||
"seedphrase_notice": "在后台随机生成了一个<seed>种子短语</seed>。",
|
||||
"turn_local_node": "请打开您的本地节点",
|
||||
"type_seed": "在您的种子角度中输入或粘贴",
|
||||
"your_accounts": "您保存的帐户"
|
||||
@ -102,7 +105,7 @@
|
||||
"use_local": "使用本地节点",
|
||||
"using": "使用节点",
|
||||
"using_public": "使用公共节点",
|
||||
"using_public_gateway": "using public node: {{ gateway }}"
|
||||
"using_public_gateway": "使用公共节点: {{ gateway }}"
|
||||
},
|
||||
"note": "笔记",
|
||||
"password": "密码",
|
||||
@ -132,4 +135,4 @@
|
||||
}
|
||||
},
|
||||
"welcome": "欢迎来"
|
||||
}
|
||||
}
|
||||
|
@ -27,7 +27,7 @@
|
||||
"copy_link": "复制链接",
|
||||
"create_apps": "创建应用程序",
|
||||
"create_file": "创建文件",
|
||||
"create_transaction": "在Qortal区块链上创建交易",
|
||||
"create_transaction": "在QORTal区块链上创建交易",
|
||||
"create_thread": "创建线程",
|
||||
"decline": "衰退",
|
||||
"decrypt": "解密",
|
||||
@ -39,8 +39,8 @@
|
||||
"enable_dev_mode": "启用开发模式",
|
||||
"enter_name": "输入名称",
|
||||
"export": "出口",
|
||||
"get_qort": "获取Qort",
|
||||
"get_qort_trade": "在Q-trade获取Qort",
|
||||
"get_qort": "获取QORT",
|
||||
"get_qort_trade": "在Q-trade获取QORT",
|
||||
"hide": "隐藏",
|
||||
"import": "进口",
|
||||
"import_theme": "导入主题",
|
||||
@ -81,16 +81,16 @@
|
||||
"select_category": "选择类别",
|
||||
"select_name_app": "选择名称/应用",
|
||||
"send": "发送",
|
||||
"send_qort": "发送Qort",
|
||||
"send_qort": "发送QORT",
|
||||
"set_avatar": "设置化身",
|
||||
"show": "展示",
|
||||
"show_poll": "显示民意调查",
|
||||
"start_minting": "开始铸造",
|
||||
"start_typing": "开始在这里输入...",
|
||||
"trade_qort": "贸易Qort",
|
||||
"transfer_qort": "转移Qort",
|
||||
"unpin": "Uncin",
|
||||
"unpin_app": "Unpin App",
|
||||
"trade_qort": "贸易QORT",
|
||||
"transfer_qort": "转移QORT",
|
||||
"unpin": "取消固定",
|
||||
"unpin_app": "取消固定应用程序",
|
||||
"unpin_from_dashboard": "从仪表板上锁定",
|
||||
"update": "更新",
|
||||
"update_app": "更新您的应用程序",
|
||||
@ -106,6 +106,7 @@
|
||||
"app": "应用程序",
|
||||
"app_other": "应用",
|
||||
"app_name": "应用名称",
|
||||
"app_private": "私人应用程序",
|
||||
"app_service_type": "应用服务类型",
|
||||
"apps_dashboard": "应用仪表板",
|
||||
"apps_official": "官方应用程序",
|
||||
@ -123,12 +124,12 @@
|
||||
"peers": "连接的同行",
|
||||
"version": "核心版本"
|
||||
},
|
||||
"current_language": "current language: {{ language }}",
|
||||
"current_language": "当前语言:{{ language }}",
|
||||
"dev": "开发",
|
||||
"dev_mode": "开发模式",
|
||||
"domain": "领域",
|
||||
"ui": {
|
||||
"version": "UI版本"
|
||||
"version": "uI版本"
|
||||
},
|
||||
"count": {
|
||||
"none": "没有任何",
|
||||
@ -154,7 +155,6 @@
|
||||
"list": {
|
||||
"bans": "禁令名单",
|
||||
"groups": "组列表",
|
||||
"invite": "邀请列表",
|
||||
"invites": "邀请列表",
|
||||
"join_request": "加入请求列表",
|
||||
"member": "成员列表",
|
||||
@ -169,7 +169,7 @@
|
||||
},
|
||||
"member": "成员",
|
||||
"member_other": "成员",
|
||||
"message_us": "如果您需要4个Qort开始聊天而无需任何限制",
|
||||
"message_us": "如果您需要4个QORT开始聊天而无需任何限制",
|
||||
"message": {
|
||||
"error": {
|
||||
"address_not_found": "找不到您的地址",
|
||||
@ -181,7 +181,7 @@
|
||||
"encrypt_app": "无法加密应用程序。应用未发布'",
|
||||
"fetch_app": "无法获取应用",
|
||||
"fetch_publish": "无法获取发布",
|
||||
"file_too_large": "file {{ filename }} is too large. Max size allowed is {{ size }} MB.",
|
||||
"file_too_large": "文件{{ filename }}太大。 允许的最大大小为{{size}}MB。",
|
||||
"generic": "发生错误",
|
||||
"initiate_download": "无法启动下载",
|
||||
"invalid_amount": "无效的金额",
|
||||
@ -193,10 +193,10 @@
|
||||
"invalid_theme_format": "无效的主题格式",
|
||||
"invalid_zip": "无效拉链",
|
||||
"message_loading": "错误加载消息。",
|
||||
"message_size": "your message size is of {{ size }} bytes out of a maximum of {{ maximum }}",
|
||||
"message_size": "您的消息大小为{{size}}字节,超出{{maximum}}的最大值",
|
||||
"minting_account_add": "无法添加薄荷帐户",
|
||||
"minting_account_remove": "无法删除铸造帐户",
|
||||
"missing_fields": "missing: {{ fields }}",
|
||||
"missing_fields": "失踪:{{ fields }}",
|
||||
"navigation_timeout": "导航超时",
|
||||
"network_generic": "网络错误",
|
||||
"password_not_matching": "密码字段不匹配!",
|
||||
@ -212,13 +212,13 @@
|
||||
},
|
||||
"generic": {
|
||||
"already_voted": "您已经投票了。",
|
||||
"avatar_size": "{{ size }} KB max. for GIFS",
|
||||
"benefits_qort": "Qort的好处",
|
||||
"avatar_size": "{大小}KB最大。 对于GIF",
|
||||
"benefits_qort": "QORT的好处",
|
||||
"building": "建筑",
|
||||
"building_app": "建筑应用",
|
||||
"created_by": "created by {{ owner }}",
|
||||
"buy_order_request": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting {{count}} buy order</span>",
|
||||
"buy_order_request_other": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting {{count}} buy orders</span>",
|
||||
"buy_order_request": "应用程序<br/><italic>{{hostname}}</italic><br/><span>正在请求{{count}}购买订单</span>",
|
||||
"buy_order_request_other": "应用程序<br/><italic>{{hostname}}</italic><br/><span>正在请求{{count}}购买订单</span>",
|
||||
"devmode_local_node": "请使用您的本地节点进行开发模式!注销并使用本地节点。",
|
||||
"downloading": "下载",
|
||||
"downloading_decrypting_app": "下载和解密私人应用程序。",
|
||||
@ -226,22 +226,22 @@
|
||||
"editing_message": "编辑消息",
|
||||
"encrypted": "加密",
|
||||
"encrypted_not": "没有加密",
|
||||
"fee_qort": "fee: {{ message }} QORT",
|
||||
"fee_qort": "费用:{讯息}QORT",
|
||||
"fetching_data": "获取应用程序数据",
|
||||
"foreign_fee": "foreign fee: {{ message }}",
|
||||
"get_qort_trade_portal": "使用Qortal的交叉链贸易门户网站获取Qort",
|
||||
"minimal_qort_balance": "having at least {{ quantity }} QORT in your balance (4 qort balance for chat, 1.25 for name, 0.75 for some transactions)",
|
||||
"foreign_fee": "国外费用:{{ message }}",
|
||||
"get_qort_trade_portal": "使用QORTal的交叉链贸易门户网站获取QORT",
|
||||
"minimal_qort_balance": "在您的余额中至少有{{quantity}}字(聊天4个QORT余额,姓名1.25,某些交易0.75)",
|
||||
"mentioned": "提及",
|
||||
"message_with_image": "此消息已经有一个图像",
|
||||
"most_recent_payment": "{{ count }} most recent payment",
|
||||
"name_available": "{{ name }} is available",
|
||||
"most_recent_payment": "{{ count }}最近一次付款",
|
||||
"name_available": "{{ name }}可用",
|
||||
"name_benefits": "名称的好处",
|
||||
"name_checking": "检查名称是否已经存在",
|
||||
"name_preview": "您需要一个使用预览的名称",
|
||||
"name_publish": "您需要一个Qortal名称才能发布",
|
||||
"name_publish": "您需要一个QORTal名称才能发布",
|
||||
"name_rate": "您需要一个名称来评估。",
|
||||
"name_registration": "your balance is {{ balance }} QORT. A name registration requires a {{ fee }} QORT fee",
|
||||
"name_unavailable": "{{ name }} is unavailable",
|
||||
"name_registration": "您的余额值{{balance}}。 注册名称需要{{fee}}QORT费用",
|
||||
"name_unavailable": "{{ name }}不可用",
|
||||
"no_data_image": "没有图像数据",
|
||||
"no_description": "没有描述",
|
||||
"no_messages": "没有消息",
|
||||
@ -255,14 +255,14 @@
|
||||
"overwrite_qdn": "覆盖为QDN",
|
||||
"password_confirm": "请确认密码",
|
||||
"password_enter": "请输入密码",
|
||||
"payment_request": "the Application <br/><italic>{{hostname}}</italic> <br/><span>is requesting a payment</span>",
|
||||
"payment_request": "应用程序<br/><italic>{{hostname}}</italic><br/><span>正在请求付款</span>",
|
||||
"people_reaction": "people who reacted with {{ reaction }}",
|
||||
"processing_transaction": "正在处理交易,请等待...",
|
||||
"publish_data": "将数据发布到Qortal:从应用到视频的任何内容。完全分散!",
|
||||
"publish_data": "将数据发布到QORTal:从应用到视频的任何内容。完全分散!",
|
||||
"publishing": "出版...请等待。",
|
||||
"qdn": "使用QDN保存",
|
||||
"rating": "rating for {{ service }} {{ name }}",
|
||||
"register_name": "您需要一个注册的Qortal名称来将固定的应用程序保存到QDN。",
|
||||
"register_name": "您需要一个注册的QORTal名称来将固定的应用程序保存到QDN。",
|
||||
"replied_to": "replied to {{ person }}",
|
||||
"revert_default": "还原为默认值",
|
||||
"revert_qdn": "还原为QDN",
|
||||
@ -285,17 +285,17 @@
|
||||
"logout": "您确定要注销吗?",
|
||||
"new_user": "您是新用户吗?",
|
||||
"delete_chat_image": "您想删除以前的聊天图片吗?",
|
||||
"perform_transaction": "would you like to perform a {{action}} transaction?",
|
||||
"perform_transaction": "您想执行{{action}}事务吗?",
|
||||
"provide_thread": "请提供线程标题",
|
||||
"publish_app": "您想发布此应用吗?",
|
||||
"publish_avatar": "您想发布一个化身吗?",
|
||||
"publish_qdn": "您想将您的设置发布到QDN(加密)吗?",
|
||||
"overwrite_changes": "该应用程序无法下载您现有的QDN固定固定应用程序。您想覆盖这些更改吗?",
|
||||
"rate_app": "would you like to rate this app a rating of {{ rate }}?. It will create a POLL tx.",
|
||||
"rate_app": "你想评价这个应用程序的评级{{rate}}?. 它将创建一个POLL事务。",
|
||||
"register_name": "您想注册这个名字吗?",
|
||||
"reset_pinned": "不喜欢您当前的本地更改吗?您想重置默认的固定应用吗?",
|
||||
"reset_qdn": "不喜欢您当前的本地更改吗?您想重置保存的QDN固定应用吗?",
|
||||
"transfer_qort": "would you like to transfer {{ amount }} QORT"
|
||||
"transfer_qort": "你想转{{ amount }}个QORT吗?"
|
||||
},
|
||||
"status": {
|
||||
"minting": "(铸造)",
|
||||
@ -316,10 +316,11 @@
|
||||
"minting_status": "铸造状态",
|
||||
"name": "姓名",
|
||||
"name_app": "名称/应用",
|
||||
"new_post_in": "new post in {{ title }}",
|
||||
"new_post_in": "新职位 {{ title }}",
|
||||
"none": "没有任何",
|
||||
"note": "笔记",
|
||||
"option": "选项",
|
||||
"option_no": "没有选择",
|
||||
"option_other": "选项",
|
||||
"page": {
|
||||
"last": "最后的",
|
||||
@ -328,6 +329,8 @@
|
||||
"previous": "以前的"
|
||||
},
|
||||
"payment_notification": "付款通知",
|
||||
"payment": "付款",
|
||||
"publish": "出版刊物",
|
||||
"poll_embed": "嵌入民意测验",
|
||||
"port": "港口",
|
||||
"price": "价格",
|
||||
@ -335,8 +338,8 @@
|
||||
"about": "关于这个Q-App",
|
||||
"q_mail": "Q邮件",
|
||||
"q_manager": "Q-Manager",
|
||||
"q_sandbox": "q-sandbox",
|
||||
"q_wallets": "Q-WALLETS"
|
||||
"q_sandbox": "Q-Sandbox",
|
||||
"q_wallets": "Q-Wallet"
|
||||
},
|
||||
"receiver": "接收者",
|
||||
"sender": "发件人",
|
||||
@ -351,6 +354,7 @@
|
||||
"theme": {
|
||||
"dark": "黑暗的",
|
||||
"dark_mode": "黑暗模式",
|
||||
"default": "默认主题",
|
||||
"light": "光",
|
||||
"light_mode": "光模式",
|
||||
"manager": "主题经理",
|
||||
@ -360,28 +364,28 @@
|
||||
"thread_other": "线程",
|
||||
"thread_title": "线程标题",
|
||||
"time": {
|
||||
"day_one": "{{count}} day",
|
||||
"day_other": "{{count}} days",
|
||||
"hour_one": "{{count}} hour",
|
||||
"hour_other": "{{count}} hours",
|
||||
"minute_one": "{{count}} minute",
|
||||
"minute_other": "{{count}} minutes",
|
||||
"day_one": "{{count}} 日",
|
||||
"day_other": "{{count}} 天数",
|
||||
"hour_one": "{{count}} 时间",
|
||||
"hour_other": "{{count}} 工作时数",
|
||||
"minute_one": "{{count}} 分钟",
|
||||
"minute_other": "{{count}} 分钟",
|
||||
"time": "时间"
|
||||
},
|
||||
"title": "标题",
|
||||
"to": "到",
|
||||
"tutorial": "教程",
|
||||
"url": "URL",
|
||||
"url": "uRL",
|
||||
"user_lookup": "用户查找",
|
||||
"vote": "投票",
|
||||
"vote_other": "{{ count }} votes",
|
||||
"vote_other": "{{ count }} 投票",
|
||||
"zip": "拉链",
|
||||
"wallet": {
|
||||
"litecoin": "莱特币钱包",
|
||||
"qortal": "Qortal钱包",
|
||||
"qortal": "QORTal钱包",
|
||||
"wallet": "钱包",
|
||||
"wallet_other": "钱包"
|
||||
},
|
||||
"website": "网站",
|
||||
"welcome": "欢迎"
|
||||
}
|
||||
}
|
||||
|
@ -29,7 +29,6 @@
|
||||
"visit_q_mintership": "访问Q-Mintership"
|
||||
},
|
||||
"advanced_options": "高级选项",
|
||||
"ban_list": "禁令列表",
|
||||
"block_delay": {
|
||||
"minimum": "最小块延迟",
|
||||
"maximum": "最大块延迟"
|
||||
@ -56,7 +55,7 @@
|
||||
"type": "组类型"
|
||||
},
|
||||
"invitation_expiry": "邀请到期时间",
|
||||
"invitees_list": "Invitees列表",
|
||||
"invitees_list": "invitees列表",
|
||||
"join_link": "加入组链接",
|
||||
"join_requests": "加入请求",
|
||||
"last_message": "最后一条消息",
|
||||
@ -110,7 +109,7 @@
|
||||
},
|
||||
"error": {
|
||||
"access_name": "如果没有访问您的名字,就无法发送消息",
|
||||
"descrypt_wallet": "error decrypting wallet {{ :errorMessage }}",
|
||||
"descrypt_wallet": "error decrypting wallet {{ message }}",
|
||||
"description_required": "请提供描述",
|
||||
"group_info": "无法访问组信息",
|
||||
"group_join": "未能加入小组",
|
||||
@ -129,7 +128,7 @@
|
||||
"group_creation": "成功创建了组。更改可能需要几分钟才能传播",
|
||||
"group_creation_name": "created group {{group_name}}: awaiting confirmation",
|
||||
"group_creation_label": "created group {{name}}: success!",
|
||||
"group_invite": "successfully invited {{value}}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_invite": "successfully invited {{invitee}}. It may take a couple of minutes for the changes to propagate",
|
||||
"group_join": "成功要求加入组。更改可能需要几分钟才能传播",
|
||||
"group_join_name": "joined group {{group_name}}: awaiting confirmation",
|
||||
"group_join_label": "joined group {{name}}: success!",
|
||||
@ -163,4 +162,4 @@
|
||||
}
|
||||
},
|
||||
"thread_posts": "新线程帖子"
|
||||
}
|
||||
}
|
||||
|
@ -111,7 +111,7 @@
|
||||
"provide_group_id": "please provide a groupId",
|
||||
"read_transaction_carefully": "read the transaction carefully before accepting!",
|
||||
"user_declined_add_list": "user declined add to list",
|
||||
"user_declined_delete_from_list": "User declined delete from list",
|
||||
"user_declined_delete_from_list": "user declined delete from list",
|
||||
"user_declined_delete_hosted_resources": "user declined delete hosted resources",
|
||||
"user_declined_join": "user declined to join group",
|
||||
"user_declined_list": "user declined to get list of hosted resources",
|
||||
|
@ -4,7 +4,7 @@
|
||||
"3_groups": "3。Qortal组",
|
||||
"4_obtain_qort": "4。获取Qort",
|
||||
"account_creation": "帐户创建",
|
||||
"important_info": "重要信息!",
|
||||
"important_info": "重要信息",
|
||||
"apps": {
|
||||
"dashboard": "1。应用仪表板",
|
||||
"navigation": "2。应用导航"
|
||||
@ -18,4 +18,4 @@
|
||||
"see_apps": "请参阅应用程序",
|
||||
"trade_qort": "贸易Qort"
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -130,7 +130,7 @@ export async function getPermission(key) {
|
||||
}
|
||||
}
|
||||
|
||||
// TODO: GET_FRIENDS_LIST
|
||||
// TODO: feature: add call to GET_FRIENDS_LIST
|
||||
// NOT SURE IF TO IMPLEMENT: LINK_TO_QDN_RESOURCE, QDN_RESOURCE_DISPLAYED, SET_TAB_NOTIFICATIONS
|
||||
|
||||
function setupMessageListenerQortalRequest() {
|
||||
|
@ -107,16 +107,15 @@ export const AddressBox = styled(Box)(({ theme }) => ({
|
||||
|
||||
export const CustomButton = styled(Box)(({ theme }) => ({
|
||||
alignItems: 'center',
|
||||
backgroundColor: theme.palette.background.default,
|
||||
backgroundColor: theme.palette.background.paper,
|
||||
borderColor: theme.palette.background.paper,
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
borderStyle: 'solid',
|
||||
borderWidth: '0.5px',
|
||||
boxSizing: 'border-box',
|
||||
color: theme.palette.text.primary,
|
||||
cursor: 'pointer',
|
||||
display: 'inline-flex',
|
||||
filter: 'drop-shadow(1px 4px 10.5px rgba(0, 0, 0, 0.3))',
|
||||
fontFamily: 'Inter',
|
||||
fontWeight: 600,
|
||||
gap: '10px',
|
||||
@ -124,12 +123,12 @@ export const CustomButton = styled(Box)(({ theme }) => ({
|
||||
minWidth: '160px',
|
||||
padding: '15px 20px',
|
||||
textAlign: 'center',
|
||||
transition: 'all 0.2s',
|
||||
transition: 'all 0.3s',
|
||||
width: 'fit-content',
|
||||
'&:hover': {
|
||||
backgroundColor: theme.palette.background.paper,
|
||||
backgroundColor: theme.palette.background.surface,
|
||||
'svg path': {
|
||||
fill: theme.palette.background.secondary,
|
||||
fill: theme.palette.secondary,
|
||||
},
|
||||
},
|
||||
}));
|
||||
@ -178,7 +177,7 @@ export const CustomButtonAccept = styled(Box)<CustomButtonProps>(
|
||||
export const CustomInput = styled(TextField)(({ theme }) => ({
|
||||
backgroundColor: theme.palette.background.default,
|
||||
borderColor: theme.palette.background.paper,
|
||||
borderRadius: '5px',
|
||||
borderRadius: '8px',
|
||||
color: theme.palette.text.primary,
|
||||
outline: 'none',
|
||||
width: '183px', // Adjust the width as needed
|
||||
|
@ -61,7 +61,6 @@ const commonThemeOptions = {
|
||||
MuiButton: {
|
||||
styleOverrides: {
|
||||
root: {
|
||||
backgroundColor: 'inherit',
|
||||
transition: 'filter 0.3s ease-in-out',
|
||||
'&:hover': {
|
||||
filter: 'brightness(1.1)',
|
||||
|
@ -6,7 +6,7 @@ export const darkThemeOptions: ThemeOptions = {
|
||||
palette: {
|
||||
mode: 'dark',
|
||||
primary: {
|
||||
main: 'rgb(100, 155, 240)',
|
||||
main: 'rgba(0, 133, 255, 1)',
|
||||
dark: 'rgb(45, 92, 201)',
|
||||
light: 'rgb(130, 185, 255)',
|
||||
},
|
||||
@ -14,9 +14,9 @@ export const darkThemeOptions: ThemeOptions = {
|
||||
main: 'rgb(69, 173, 255)',
|
||||
},
|
||||
background: {
|
||||
default: 'rgb(49, 51, 56)',
|
||||
default: 'rgba(6, 10, 30, 1)',
|
||||
paper: 'rgb(62, 64, 68)',
|
||||
surface: 'rgb(58, 60, 65)',
|
||||
surface: 'rgb(113, 113, 114)',
|
||||
},
|
||||
text: {
|
||||
primary: 'rgb(255, 255, 255)',
|
||||
@ -52,8 +52,8 @@ export const darkThemeOptions: ThemeOptions = {
|
||||
MuiCssBaseline: {
|
||||
styleOverrides: (theme) => ({
|
||||
':root': {
|
||||
'--Mail-Background': 'rgb(43, 43, 43)',
|
||||
'--bg-primary': 'rgba(31, 32, 35, 1)',
|
||||
'--Mail-Background': 'rgba(6, 10, 30, 1)',
|
||||
'--bg-primary': 'rgba(6, 10, 30, 1)',
|
||||
'--bg-2': 'rgb(39, 40, 44)',
|
||||
'--primary-main': theme.palette.primary.main,
|
||||
'--text-primary': theme.palette.text.primary,
|
||||
|
@ -6,12 +6,12 @@ export const lightThemeOptions: ThemeOptions = {
|
||||
palette: {
|
||||
mode: 'light',
|
||||
primary: {
|
||||
main: 'rgb(162, 162, 221)',
|
||||
main: 'rgba(0, 133, 255, 1)',
|
||||
dark: 'rgb(113, 198, 212)',
|
||||
light: 'rgb(180, 200, 235)',
|
||||
},
|
||||
secondary: {
|
||||
main: 'rgba(194, 222, 236, 1)',
|
||||
main: 'rgb(69, 173, 255)',
|
||||
},
|
||||
background: {
|
||||
default: 'rgba(250, 250, 250, 1)',
|
||||
|
Loading…
x
Reference in New Issue
Block a user