Merge branch 'development' of https://github.com/ecency/ecency-mobile into sa/improve-hive-uri-support

This commit is contained in:
Sadaqat Ali 2023-09-27 11:33:42 +05:00
commit 5e45fdeb69
97 changed files with 715 additions and 371 deletions

View File

@ -77,7 +77,7 @@ const CommentView = ({
const _handleOnReplyPress = () => { const _handleOnReplyPress = () => {
if (isLoggedIn) { if (isLoggedIn) {
dispatch(showReplyModal({mode:'comment', parentPost:comment})); dispatch(showReplyModal({ mode: 'comment', parentPost: comment }));
} else { } else {
console.log('Not LoggedIn'); console.log('Not LoggedIn');
} }
@ -97,11 +97,17 @@ const CommentView = ({
); );
const _renderComment = () => { const _renderComment = () => {
const _hideContent = isMuted || comment.author_reputation < 25 || comment.net_rshares < 0;
return ( return (
<View style={[{ marginLeft: 2, marginTop: -6 }]}> <View style={[{ marginLeft: 2, marginTop: -6 }]}>
<CommentBody <CommentBody
body={comment.body}
metadata={comment.json_metadata}
key={`key-${comment.permlink}`}
hideContent={_hideContent}
commentDepth={_depth} commentDepth={_depth}
reputation={comment.author_reputation}
handleOnContentPress={_handleOnContentPress} handleOnContentPress={_handleOnContentPress}
handleOnUserPress={handleOnUserPress} handleOnUserPress={handleOnUserPress}
handleOnLongPress={() => handleOnLongPress(comment)} handleOnLongPress={() => handleOnLongPress(comment)}
@ -109,9 +115,6 @@ const CommentView = ({
handleImagePress={handleImagePress} handleImagePress={handleImagePress}
handleVideoPress={handleVideoPress} handleVideoPress={handleVideoPress}
handleYoutubePress={handleYoutubePress} handleYoutubePress={handleYoutubePress}
body={comment.body}
key={`key-${comment.permlink}`}
isMuted={isMuted}
/> />
<Fragment> <Fragment>
@ -216,9 +219,9 @@ const CommentView = ({
const customContainerStyle = const customContainerStyle =
_depth > 1 _depth > 1
? { ? {
paddingLeft: (_depth - 2) * 44, paddingLeft: (_depth - 2) * 44,
backgroundColor: EStyleSheet.value('$primaryLightBackground'), backgroundColor: EStyleSheet.value('$primaryLightBackground'),
} }
: null; : null;
return ( return (

View File

@ -52,6 +52,7 @@ const CommentsContainer = ({
incrementRepliesCount, incrementRepliesCount,
handleOnReplyPress, handleOnReplyPress,
handleOnCommentsLoaded, handleOnCommentsLoaded,
postType
}) => { }) => {
const navigation = useNavigation(); const navigation = useNavigation();
const postsCachePrimer = postQueries.usePostsCachePrimer(); const postsCachePrimer = postQueries.usePostsCachePrimer();
@ -318,6 +319,7 @@ const CommentsContainer = ({
fetchedAt={fetchedAt} fetchedAt={fetchedAt}
postContentView={postContentView} postContentView={postContentView}
isLoading={isLoading} isLoading={isLoading}
postType={postType}
/> />
); );
}; };

View File

@ -41,6 +41,7 @@ const CommentsView = ({
incrementRepliesCount, incrementRepliesCount,
postContentView, postContentView,
isLoading, isLoading,
postType
}) => { }) => {
const [selectedComment, setSelectedComment] = useState(null); const [selectedComment, setSelectedComment] = useState(null);
const intl = useIntl(); const intl = useIntl();
@ -172,7 +173,7 @@ const CommentsView = ({
contentContainerStyle={{ padding: 0 }} contentContainerStyle={{ padding: 0 }}
data={comments} data={comments}
renderItem={_renderItem} renderItem={_renderItem}
keyExtractor={(item) => get(item, 'permlink')} keyExtractor={(item) => item.author + item.permlink}
ListEmptyComponent={_renderEmptyContent()} ListEmptyComponent={_renderEmptyContent()}
ListHeaderComponent={postContentView} ListHeaderComponent={postContentView}
overScrollMode="never" overScrollMode="never"
@ -192,7 +193,7 @@ const CommentsView = ({
/> />
)} )}
<UpvotePopover ref={upvotePopoverRef} /> <UpvotePopover ref={upvotePopoverRef} />
<PostHtmlInteractionHandler ref={postInteractionRef} /> <PostHtmlInteractionHandler ref={postInteractionRef} postType={postType} />
</Fragment> </Fragment>
); );
}; };

View File

@ -22,8 +22,26 @@ import getWindowDimensions from '../../../../utils/getWindowDimensions';
const WIDTH = getWindowDimensions().width; const WIDTH = getWindowDimensions().width;
interface CommentBodyProps {
body: string;
metadata?: any;
commentDepth: number;
hideContent: boolean;
handleOnContentPress: () => void;
handleOnUserPress: () => void;
handleOnPostPress: () => void;
handleOnLongPress: () => void;
handleVideoPress: () => void;
handleYoutubePress: () => void;
handleImagePress: () => void;
handleLinkPress: () => void;
}
const CommentBody = ({ const CommentBody = ({
body, body,
metadata,
commentDepth,
hideContent,
handleOnContentPress, handleOnContentPress,
handleOnUserPress, handleOnUserPress,
handleOnPostPress, handleOnPostPress,
@ -32,15 +50,12 @@ const CommentBody = ({
handleYoutubePress, handleYoutubePress,
handleImagePress, handleImagePress,
handleLinkPress, handleLinkPress,
commentDepth, }: CommentBodyProps) => {
reputation = 25,
isMuted,
}) => {
const _contentWidth = WIDTH - (40 + 28 + (commentDepth > 2 ? 44 : 0)); const _contentWidth = WIDTH - (40 + 28 + (commentDepth > 2 ? 44 : 0));
const dispatch = useAppDispatch(); const dispatch = useAppDispatch();
const [revealComment, setRevealComment] = useState(reputation > 0 && !isMuted); const [revealComment, setRevealComment] = useState(!hideContent);
const intl = useIntl(); const intl = useIntl();
@ -119,6 +134,7 @@ const CommentBody = ({
<PostHtmlRenderer <PostHtmlRenderer
contentWidth={_contentWidth} contentWidth={_contentWidth}
body={body} body={body}
metadata={metadata}
isComment={true} isComment={true}
setSelectedImage={handleImagePress} setSelectedImage={handleImagePress}
setSelectedLink={handleLinkPress} setSelectedLink={handleLinkPress}

View File

@ -13,7 +13,7 @@ import { VideoPlayer } from '..';
interface PostHtmlRendererProps { interface PostHtmlRendererProps {
contentWidth: number; contentWidth: number;
body: string; body: string;
metadata: string; metadata: any;
isComment?: boolean; isComment?: boolean;
onLoaded?: () => void; onLoaded?: () => void;
setSelectedImage: (imgUrl: string, postImageUrls: string[]) => void; setSelectedImage: (imgUrl: string, postImageUrls: string[]) => void;

View File

@ -25,8 +25,15 @@ import { useDispatch } from 'react-redux';
import { useNavigation } from '@react-navigation/native'; import { useNavigation } from '@react-navigation/native';
import { IconButton } from '../buttons'; import { IconButton } from '../buttons';
import styles from './postHtmlRendererStyles' import styles from './postHtmlRendererStyles'
import { PostTypes } from '../../constants/postTypes';
export const PostHtmlInteractionHandler = forwardRef(({ }, ref) => { interface PostHtmlInteractionHandlerProps {
postType?:PostTypes
}
export const PostHtmlInteractionHandler = forwardRef(({
postType
}:PostHtmlInteractionHandlerProps, ref) => {
const navigation = useNavigation(); const navigation = useNavigation();
const dispatch = useDispatch(); const dispatch = useDispatch();
@ -51,7 +58,12 @@ export const PostHtmlInteractionHandler = forwardRef(({ }, ref) => {
handleImagePress: (url: string, postImgUrls: string[]) => { handleImagePress: (url: string, postImgUrls: string[]) => {
setPostImages(postImgUrls); setPostImages(postImgUrls);
setSelectedImage(url); setSelectedImage(url);
actionImage.current?.show(); if(postType === PostTypes.WAVE){
setIsImageModalOpen(true);
} else {
actionImage.current?.show();
}
}, },
handleLinkPress: (url: string) => { handleLinkPress: (url: string) => {
setSelectedLink(url); setSelectedLink(url);

View File

@ -1,7 +1,7 @@
import { useDispatch } from "react-redux"; import { useDispatch } from "react-redux";
import { useAppSelector } from "../../hooks"; import { useAppSelector } from "../../hooks";
import { postComment } from "../../providers/hive/dhive"; import { postComment } from "../../providers/hive/dhive";
import { generateReplyPermlink, makeJsonMetadataReply } from "../../utils/editor"; import { extractMetadata, generateUniquePermlink, makeJsonMetadata } from "../../utils/editor";
import { Alert } from "react-native"; import { Alert } from "react-native";
import { updateCommentCache } from "../../redux/actions/cacheActions"; import { updateCommentCache } from "../../redux/actions/cacheActions";
import { toastNotification } from "../../redux/actions/uiAction"; import { toastNotification } from "../../redux/actions/uiAction";
@ -10,6 +10,7 @@ import { useState } from "react";
import { useUserActivityMutation, wavesQueries } from "../../providers/queries"; import { useUserActivityMutation, wavesQueries } from "../../providers/queries";
import { PointActivityIds } from "../../providers/ecency/ecency.types"; import { PointActivityIds } from "../../providers/ecency/ecency.types";
import { usePublishWaveMutation } from "../../providers/queries/postQueries/wavesQueries"; import { usePublishWaveMutation } from "../../providers/queries/postQueries/wavesQueries";
import { PostTypes } from "../../constants/postTypes";
export const usePostSubmitter = () => { export const usePostSubmitter = () => {
@ -27,9 +28,9 @@ export const usePostSubmitter = () => {
// handle submit reply // handle submit reply
const _submitReply = async (commentBody: string, parentPost: any) => { const _submitReply = async (commentBody: string, parentPost: any, postType: PostTypes = PostTypes.COMMENT) => {
if (!commentBody) { if (!commentBody) {
return false ; return false;
} }
if (isSending) { if (isSending) {
return false; return false;
@ -38,7 +39,11 @@ export const usePostSubmitter = () => {
if (currentAccount) { if (currentAccount) {
setIsSending(true); setIsSending(true);
const permlink = generateReplyPermlink(parentPost.author); const _prefix = postType === PostTypes.WAVE
? postType
: `re-${parentPost.author.replace(/\./g, '')}`
const permlink = generateUniquePermlink(_prefix);
const author = currentAccount.name; const author = currentAccount.name;
const parentAuthor = parentPost.author; const parentAuthor = parentPost.author;
const parentPermlink = parentPost.permlink; const parentPermlink = parentPost.permlink;
@ -46,6 +51,14 @@ export const usePostSubmitter = () => {
const category = parentPost.category || ''; const category = parentPost.category || '';
const url = `/${category}/@${parentAuthor}/${parentPermlink}#@${author}/${permlink}`; const url = `/${category}/@${parentAuthor}/${parentPermlink}#@${author}/${permlink}`;
//adding jsonmeta with image ratios here....
const meta = await extractMetadata({
body: commentBody,
fetchRatios: true,
postType
})
const jsonMetadata = makeJsonMetadata(meta, parentTags || ['ecency'])
console.log( console.log(
currentAccount, currentAccount,
pinCode, pinCode,
@ -53,7 +66,7 @@ export const usePostSubmitter = () => {
parentPermlink, parentPermlink,
permlink, permlink,
commentBody, commentBody,
parentTags, jsonMetadata
); );
@ -65,7 +78,8 @@ export const usePostSubmitter = () => {
parentPermlink, parentPermlink,
permlink, permlink,
commentBody, commentBody,
parentTags, [],
jsonMetadata
) )
userActivityMutation.mutate({ userActivityMutation.mutate({
@ -83,16 +97,16 @@ export const usePostSubmitter = () => {
); );
// add comment cache entry // add comment cache entry
const _cacheCommentData = { const _cacheCommentData = {
author, author,
permlink, permlink,
url, url,
parent_author: parentAuthor, parent_author: parentAuthor,
parent_permlink: parentPermlink, parent_permlink: parentPermlink,
markdownBody: commentBody, markdownBody: commentBody,
json_metadata: makeJsonMetadataReply(parentTags || ['ecency']) json_metadata: jsonMetadata
} }
dispatch( dispatch(
updateCommentCache( updateCommentCache(
`${author}/${permlink}`, `${author}/${permlink}`,
@ -129,15 +143,15 @@ export const usePostSubmitter = () => {
//feteced lates wafves container and post wave to that container //feteced lates wafves container and post wave to that container
const _submitWave = async (body:string) => { const _submitWave = async (body: string) => {
try { try {
const _wavesHost = 'ecency.waves' //TODO: make waves host selection dynamic const _wavesHost = 'ecency.waves' //TODO: make waves host selection dynamic
const latestWavesPost = await wavesQueries.fetchLatestWavesContainer(_wavesHost); const latestWavesPost = await wavesQueries.fetchLatestWavesContainer(_wavesHost);
const _cacheCommentData = await _submitReply(body, latestWavesPost) const _cacheCommentData = await _submitReply(body, latestWavesPost, PostTypes.WAVE)
if(_cacheCommentData){ if (_cacheCommentData) {
pusblishWaveMutation.mutate(_cacheCommentData) pusblishWaveMutation.mutate(_cacheCommentData)
} }

View File

@ -1,4 +1,5 @@
import React from 'react'; import React, { useEffect } from 'react';
import { Alert } from 'react-native'
import { useDispatch, useSelector } from 'react-redux'; import { useDispatch, useSelector } from 'react-redux';
// Actions // Actions
@ -7,9 +8,16 @@ import { setInitPosts, setFeedPosts } from '../../../redux/actions/postsAction';
// Component // Component
import SideMenuView from '../view/sideMenuView'; import SideMenuView from '../view/sideMenuView';
import { useDrawerStatus } from '@react-navigation/drawer';
import { updateCurrentAccount } from '../../../redux/actions/accountAction';
import { getUser } from '../../../providers/hive/dhive';
import bugsnapInstance from '../../../config/bugsnag';
const SideMenuContainer = ({ navigation }) => { const SideMenuContainer = ({ navigation }) => {
const dispatch = useDispatch(); const dispatch = useDispatch();
const drawerStatus = useDrawerStatus();
const isLoggedIn = useSelector((state) => state.application.isLoggedIn); const isLoggedIn = useSelector((state) => state.application.isLoggedIn);
const currentAccount = useSelector((state) => state.account.currentAccount); const currentAccount = useSelector((state) => state.account.currentAccount);
@ -17,6 +25,34 @@ const SideMenuContainer = ({ navigation }) => {
(state) => state.ui.isVisibleAccountsBottomSheet, (state) => state.ui.isVisibleAccountsBottomSheet,
); );
useEffect(()=>{
if(drawerStatus === 'open'){
//update profile on drawer open
_updateUserData();
}
}, [drawerStatus])
//fetches and update user data
const _updateUserData = async () => {
try{
if(currentAccount?.username){
let accountData = await getUser(currentAccount.username);
if(accountData){
dispatch(updateCurrentAccount({...currentAccount, ...accountData}))
}
}
} catch(err){
console.warn("failed to update user data")
bugsnapInstance.notify(err);
}
}
const _navigateToRoute = (route = null) => { const _navigateToRoute = (route = null) => {
if (route) { if (route) {
navigation.navigate(route); navigation.navigate(route);

View File

@ -30,7 +30,7 @@ import { PostTypes } from '../../../constants/postTypes';
// Utils // Utils
import { getEstimatedAmount } from '../../../utils/vote'; import { calculateEstimatedRShares, getEstimatedAmount } from '../../../utils/vote';
// Components // Components
import { Icon } from '../../icon'; import { Icon } from '../../icon';
@ -309,6 +309,9 @@ const UpvotePopover = forwardRef(({ }: Props, ref) => {
incrementStep = 1; incrementStep = 1;
} }
const percent = Math.floor(sliderValue * 10000 * (isDownvote ? -1 : 1));
const rshares = calculateEstimatedRShares(currentAccount, percent) * (isDownvote ? -1 : 1);
// update redux // update redux
const postPath = `${author || ''}/${permlink || ''}`; const postPath = `${author || ''}/${permlink || ''}`;
const curTime = new Date().getTime(); const curTime = new Date().getTime();
@ -316,7 +319,8 @@ const UpvotePopover = forwardRef(({ }: Props, ref) => {
votedAt: curTime, votedAt: curTime,
amount: amountNum, amount: amountNum,
isDownvote, isDownvote,
sliderValue, rshares,
percent: Math.round(sliderValue * 100) * 100,
incrementStep, incrementStep,
voter: currentAccount.username, voter: currentAccount.username,
expiresAt: curTime + 30000, expiresAt: curTime + 30000,

View File

@ -1,6 +1,6 @@
import React from 'react'; import React from 'react';
import { SafeAreaView, FlatList, Text } from 'react-native'; import { SafeAreaView, FlatList } from 'react-native';
import { useIntl } from 'react-intl';
// Utils // Utils
import { useNavigation } from '@react-navigation/native'; import { useNavigation } from '@react-navigation/native';
@ -17,16 +17,6 @@ import styles from './votersDisplayStyles';
const VotersDisplayView = ({ votes, createdAt = '2010-01-01T00:00:00' }) => { const VotersDisplayView = ({ votes, createdAt = '2010-01-01T00:00:00' }) => {
const navigation = useNavigation(); const navigation = useNavigation();
const intl = useIntl();
/* getActiveVotes(get(content, 'author'), get(content, 'permlink'))
.then((result) => {
result.sort((a, b) => b.rshares - a.rshares);
const _votes = parseActiveVotes({ ...content, active_votes: result });
setActiveVotes(_votes);
})
.catch(() => {}); */
const _handleOnUserPress = (username) => { const _handleOnUserPress = (username) => {
navigation.navigate({ navigation.navigate({
@ -40,7 +30,7 @@ const VotersDisplayView = ({ votes, createdAt = '2010-01-01T00:00:00' }) => {
const _renderItem = ({ item, index }) => { const _renderItem = ({ item, index }) => {
const value = `$ ${item.reward}`; const value = `$ ${item.reward}`;
const percent = `${item.percent}%`; const percent = `${item.percent100}%`;
// snippet to avoid rendering time form long past // snippet to avoid rendering time form long past
const minTimestamp = new Date(createdAt).getTime(); const minTimestamp = new Date(createdAt).getTime();

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Gaji kurasi", "curation_reward": "Gaji kurasi",
"author_reward": "Upah Keupoe", "author_reward": "Upah Keupoe",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Kirèm", "transfer": "Kirèm",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Komentar", "title": "Komentar",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "مكافأة التصويت", "curation_reward": "مكافأة التصويت",
"author_reward": "مكافأة المؤلف", "author_reward": "مكافأة المؤلف",
"community_reward": "مكافآت المجتمع",
"comment_benefactor_reward": "مكافأة المستفيد", "comment_benefactor_reward": "مكافأة المستفيد",
"claim_reward_balance": "الحصول على المكافأة ", "claim_reward_balance": "الحصول على المكافأة ",
"points_activity": "الأنشطة والمستجدّات",
"transfer": "تحويل", "transfer": "تحويل",
"power_up": "إلى استحقاق", "power_up": "إلى استحقاق",
"transfer_from_savings": "من المدخرات", "transfer_from_savings": "من المدخرات",
@ -665,7 +667,7 @@
"in": "في", "in": "في",
"reveal_muted": "مكتوم\nانقر لإظهار المحتوى", "reveal_muted": "مكتوم\nانقر لإظهار المحتوى",
"posted_by": "تم نشره بواسطة {username} عبر {appname} ", "posted_by": "تم نشره بواسطة {username} عبر {appname} ",
"ecency_waves": "Ecency Waves" "ecency_waves": "موجات Ecency"
}, },
"drafts": { "drafts": {
"title": "المسودات", "title": "المسودات",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "التعليقات", "title": "التعليقات",
"reveal_comment": "كشف التعليق", "reveal_comment": "Reveal Content",
"read_more": "المزيد من التعليقات", "read_more": "المزيد من التعليقات",
"more_replies": "ردود", "more_replies": "ردود",
"no_comments": "كن اول من يرد..." "no_comments": "كن اول من يرد..."
@ -1009,11 +1011,11 @@
}, },
"quick_reply": { "quick_reply": {
"placeholder": "إضافة تعليق...", "placeholder": "إضافة تعليق...",
"placeholder_wave": "What's happening?", "placeholder_wave": "ماذا يحدث؟",
"summary_wave": "Will be published in: {host}", "summary_wave": "سيتم نشره في: {host}",
"comment": "تعليق", "comment": "تعليق",
"reply": "رد", "reply": "رد",
"publish": "PUBLISH", "publish": "نشر",
"close": "إغلاق" "close": "إغلاق"
}, },
"walkthrough": { "walkthrough": {
@ -1035,11 +1037,11 @@
"detected_url": "الرابط الذي تم اكتشافه", "detected_url": "الرابط الذي تم اكتشافه",
"unsupported_alert_title": "رابط غير مدعوم!", "unsupported_alert_title": "رابط غير مدعوم!",
"unsupported_alert_desc": "يرجى مسح رابط ecency صالح.", "unsupported_alert_desc": "يرجى مسح رابط ecency صالح.",
"confirmTransaction": "Confirm transaction", "confirmTransaction": "تأكيد المعاملة",
"approve": "Approve", "approve": "إعتماد",
"cancel": "Cancel", "cancel": "إلغاء",
"multi_array_ops_alert": "Multiple operations array detected!", "multi_array_ops_alert": "تم اكتشاف عمليات متعددة!",
"multi_array_ops_aler_desct": "Ecency does not support signing multiple operations, yet" "multi_array_ops_aler_desct": "Ecency لا تدعم عمليات متعددة، حتى الآن"
}, },
"history": { "history": {
"edit": "تعديل التاريخ", "edit": "تعديل التاريخ",

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "লিখকৰ পাৰিতোষিক", "author_reward": "লিখকৰ পাৰিতোষিক",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "পাৰিতোষিক গ্ৰহণ ", "claim_reward_balance": "পাৰিতোষিক গ্ৰহণ ",
"points_activity": "Activity",
"transfer": "বদলি কৰক", "transfer": "বদলি কৰক",
"power_up": "ভেষ্‌টিঙৰ বাবে", "power_up": "ভেষ্‌টিঙৰ বাবে",
"transfer_from_savings": "জমাপুণ্জীৰ পৰা", "transfer_from_savings": "জমাপুণ্জীৰ পৰা",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Kurator Mükafatı", "curation_reward": "Kurator Mükafatı",
"author_reward": "Müəllif Mükafatı", "author_reward": "Müəllif Mükafatı",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Mükafatı Götür ", "claim_reward_balance": "Mükafatı Götür ",
"points_activity": "Activity",
"transfer": "Köçürmə", "transfer": "Köçürmə",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "Yığımlardan", "transfer_from_savings": "Yığımlardan",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Rəylər", "title": "Rəylər",
"reveal_comment": "Rəyi açın", "reveal_comment": "Reveal Content",
"read_more": "Daha çox rəy oxuyun", "read_more": "Daha çox rəy oxuyun",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Награда за участие", "curation_reward": "Награда за участие",
"author_reward": "Авторска награда", "author_reward": "Авторска награда",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Награда за благодетели", "comment_benefactor_reward": "Награда за благодетели",
"claim_reward_balance": "Получи награда", "claim_reward_balance": "Получи награда",
"points_activity": "Activity",
"transfer": "Прехвърляне", "transfer": "Прехвърляне",
"power_up": "Подсилване на гласа", "power_up": "Подсилване на гласа",
"transfer_from_savings": "От спестявания", "transfer_from_savings": "От спестявания",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Коментари", "title": "Коментари",
"reveal_comment": "Покажи коментара", "reveal_comment": "Reveal Content",
"read_more": "Прочети още коментари", "read_more": "Прочети още коментари",
"more_replies": "отговори", "more_replies": "отговори",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "কিউরেটর পুরস্কার", "curation_reward": "কিউরেটর পুরস্কার",
"author_reward": "লেখক পুরস্কার", "author_reward": "লেখক পুরস্কার",
"community_reward": "Community Reward",
"comment_benefactor_reward": "উপকারকারীর পুরষ্কার", "comment_benefactor_reward": "উপকারকারীর পুরষ্কার",
"claim_reward_balance": "পুরস্কার দাবি", "claim_reward_balance": "পুরস্কার দাবি",
"points_activity": "Activity",
"transfer": "স্থানান্তর", "transfer": "স্থানান্তর",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "সঞ্চয় থেকে", "transfer_from_savings": "সঞ্চয় থেকে",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "মন্তব্য", "title": "মন্তব্য",
"reveal_comment": "মন্তব্য প্রকাশ করুন", "reveal_comment": "Reveal Content",
"read_more": "আরও মন্তব্য পড়ুন", "read_more": "আরও মন্তব্য পড়ুন",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Nagrada za Glasanje", "curation_reward": "Nagrada za Glasanje",
"author_reward": "Autorska Nagrada", "author_reward": "Autorska Nagrada",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Dobrotvorna Nagrada", "comment_benefactor_reward": "Dobrotvorna Nagrada",
"claim_reward_balance": "Zatražite Nagradu ", "claim_reward_balance": "Zatražite Nagradu ",
"points_activity": "Activity",
"transfer": "Prijenos", "transfer": "Prijenos",
"power_up": "Za Dodijeliti", "power_up": "Za Dodijeliti",
"transfer_from_savings": "Od štednje", "transfer_from_savings": "Od štednje",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Komentari", "title": "Komentari",
"reveal_comment": "Prikaži komentar", "reveal_comment": "Reveal Content",
"read_more": "Pročitajte još komentara", "read_more": "Pročitajte još komentara",
"more_replies": "odgovori", "more_replies": "odgovori",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Kurátorské odměny od", "curation_reward": "Kurátorské odměny od",
"author_reward": "Autorská odměna", "author_reward": "Autorská odměna",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Odměna pro příjemce", "comment_benefactor_reward": "Odměna pro příjemce",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Kuratoren-Belohnung", "curation_reward": "Kuratoren-Belohnung",
"author_reward": "Autoren-Belohnung", "author_reward": "Autoren-Belohnung",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Belohnung für den Gönner", "comment_benefactor_reward": "Belohnung für den Gönner",
"claim_reward_balance": "Belohnung abholen ", "claim_reward_balance": "Belohnung abholen ",
"points_activity": "Activity",
"transfer": "Überweisen", "transfer": "Überweisen",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "aus den Ersparnissen", "transfer_from_savings": "aus den Ersparnissen",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Kommentare", "title": "Kommentare",
"reveal_comment": "Kommentar anzeigen", "reveal_comment": "Reveal Content",
"read_more": "Weitere Kommentare", "read_more": "Weitere Kommentare",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -915,7 +915,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments":"Be the first to respond..." "no_comments":"Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Recompensa por curaduria", "curation_reward": "Recompensa por curaduria",
"author_reward": "Recompensa del autor", "author_reward": "Recompensa del autor",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Recompensa de Benefactor del comentario", "comment_benefactor_reward": "Recompensa de Benefactor del comentario",
"claim_reward_balance": "Reclamar recompensa ", "claim_reward_balance": "Reclamar recompensa ",
"points_activity": "Activity",
"transfer": "Transferir", "transfer": "Transferir",
"power_up": "A invertir", "power_up": "A invertir",
"transfer_from_savings": "Desde Ahorros", "transfer_from_savings": "Desde Ahorros",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Recompensa de curación", "curation_reward": "Recompensa de curación",
"author_reward": "Recompensa de autor", "author_reward": "Recompensa de autor",
"community_reward": "Recompensas de comunidad",
"comment_benefactor_reward": "Recompensa de Benefactor del comentario", "comment_benefactor_reward": "Recompensa de Benefactor del comentario",
"claim_reward_balance": "Reclamar recompensa ", "claim_reward_balance": "Reclamar recompensa ",
"points_activity": "Actividad",
"transfer": "Transferir", "transfer": "Transferir",
"power_up": "A invertir", "power_up": "A invertir",
"transfer_from_savings": "Desde Ahorros", "transfer_from_savings": "Desde Ahorros",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comentarios", "title": "Comentarios",
"reveal_comment": "Revelar comentario", "reveal_comment": "Revelar Contenido",
"read_more": "Cargar más comentarios", "read_more": "Cargar más comentarios",
"more_replies": "respuestas", "more_replies": "respuestas",
"no_comments": "Sé el primero en responder..." "no_comments": "Sé el primero en responder..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Kuraatori tasu", "curation_reward": "Kuraatori tasu",
"author_reward": "Autoritasu", "author_reward": "Autoritasu",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Kasusaaja tasu", "comment_benefactor_reward": "Kasusaaja tasu",
"claim_reward_balance": "Tasu lunastatud ", "claim_reward_balance": "Tasu lunastatud ",
"points_activity": "Activity",
"transfer": "Ülekanne", "transfer": "Ülekanne",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "Hoiusest", "transfer_from_savings": "Hoiusest",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Kommentaarid", "title": "Kommentaarid",
"reveal_comment": "Näita kommentaari", "reveal_comment": "Reveal Content",
"read_more": "Näita veel kommentaare", "read_more": "Näita veel kommentaare",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "پاداش مشارکت", "curation_reward": "پاداش مشارکت",
"author_reward": "پاداش نویسنده", "author_reward": "پاداش نویسنده",
"community_reward": "Community Reward",
"comment_benefactor_reward": "پاداش حامی", "comment_benefactor_reward": "پاداش حامی",
"claim_reward_balance": "دریافت پاداش", "claim_reward_balance": "دریافت پاداش",
"points_activity": "Activity",
"transfer": "انتقال", "transfer": "انتقال",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "از پس انداز", "transfer_from_savings": "از پس انداز",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "نظرات", "title": "نظرات",
"reveal_comment": "نشان دادن نظریه", "reveal_comment": "Reveal Content",
"read_more": "نظرات بیشتر را بخوانید", "read_more": "نظرات بیشتر را بخوانید",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Tarkastuspalkinto", "curation_reward": "Tarkastuspalkinto",
"author_reward": "Julkaisupalkinto", "author_reward": "Julkaisupalkinto",
"community_reward": "Yhteisöpalkkiot",
"comment_benefactor_reward": "Hyötyjäpalkkio", "comment_benefactor_reward": "Hyötyjäpalkkio",
"claim_reward_balance": "Lunasta palkkio ", "claim_reward_balance": "Lunasta palkkio ",
"points_activity": "Aktiivisuus",
"transfer": "Siirto", "transfer": "Siirto",
"power_up": "Ansaintaan", "power_up": "Ansaintaan",
"transfer_from_savings": "Säästöistä", "transfer_from_savings": "Säästöistä",
@ -599,7 +601,7 @@
"warning": "Varoitus", "warning": "Varoitus",
"invalid_pincode": "Virheellinen PIN-koodi, tarkista koodi ja yritä uudelleen.", "invalid_pincode": "Virheellinen PIN-koodi, tarkista koodi ja yritä uudelleen.",
"remove_alert": "Haluatko varmasti poistaa?", "remove_alert": "Haluatko varmasti poistaa?",
"remove_all_alert": "Are you sure you want to remove all selected items?", "remove_all_alert": "Haluatko varmasti poistaa kaikki valitut?",
"clear_alert": "Haluatko varmasti poistaa?", "clear_alert": "Haluatko varmasti poistaa?",
"clear_user_alert": "Haluatko varmasti tyhjentää kaikki historiatiedot?", "clear_user_alert": "Haluatko varmasti tyhjentää kaikki historiatiedot?",
"decrypt_fail_alert": "Sovelluksen tila on virheellinen, ole hyvä ja kirjaudu uudelleen nollataksesi tilan.", "decrypt_fail_alert": "Sovelluksen tila on virheellinen, ole hyvä ja kirjaudu uudelleen nollataksesi tilan.",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Kommentit", "title": "Kommentit",
"reveal_comment": "Näytä kommentti", "reveal_comment": "Reveal Content",
"read_more": "Lue lisää kommentteja", "read_more": "Lue lisää kommentteja",
"more_replies": "vastaukset", "more_replies": "vastaukset",
"no_comments": "Ole ensimmäinen kommentoija..." "no_comments": "Ole ensimmäinen kommentoija..."
@ -1009,11 +1011,11 @@
}, },
"quick_reply": { "quick_reply": {
"placeholder": "Lisää kommentti...", "placeholder": "Lisää kommentti...",
"placeholder_wave": "What's happening?", "placeholder_wave": "Mitä tapahtuu?",
"summary_wave": "Will be published in: {host}", "summary_wave": "Julkaistaan: {host}",
"comment": "Kommentti", "comment": "Kommentti",
"reply": "VASTAA", "reply": "VASTAA",
"publish": "PUBLISH", "publish": "Julkaise",
"close": "SULJE" "close": "SULJE"
}, },
"walkthrough": { "walkthrough": {
@ -1035,11 +1037,11 @@
"detected_url": "Havaittu URL", "detected_url": "Havaittu URL",
"unsupported_alert_title": "URL-osoitetta ei tuettu!", "unsupported_alert_title": "URL-osoitetta ei tuettu!",
"unsupported_alert_desc": "Ole hyvä ja skannaa kelvollinen ecency url.", "unsupported_alert_desc": "Ole hyvä ja skannaa kelvollinen ecency url.",
"confirmTransaction": "Confirm transaction", "confirmTransaction": "Vahvista tapahtuma",
"approve": "Approve", "approve": "Hyväksy",
"cancel": "Cancel", "cancel": "Peruuta",
"multi_array_ops_alert": "Multiple operations array detected!", "multi_array_ops_alert": "Multiple operations array detected!",
"multi_array_ops_aler_desct": "Ecency does not support signing multiple operations, yet" "multi_array_ops_aler_desct": "Ecency ei tue vielä useiden toimintojen vahvistamista"
}, },
"history": { "history": {
"edit": "Muokkaushistoria", "edit": "Muokkaushistoria",

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation gantimpala", "curation_reward": "Curation gantimpala",
"author_reward": "Gantimpala ng may-akda", "author_reward": "Gantimpala ng may-akda",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Makaka-benepisyo sa Gantimpala", "comment_benefactor_reward": "Makaka-benepisyo sa Gantimpala",
"claim_reward_balance": "Kunin ang Gantimpala ", "claim_reward_balance": "Kunin ang Gantimpala ",
"points_activity": "Activity",
"transfer": "Paglipat", "transfer": "Paglipat",
"power_up": "Patungong Vesting", "power_up": "Patungong Vesting",
"transfer_from_savings": "Galing sa Inipon", "transfer_from_savings": "Galing sa Inipon",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Mga komento", "title": "Mga komento",
"reveal_comment": "Ibunyag ang komento", "reveal_comment": "Reveal Content",
"read_more": "Magbasa ng maraming komento", "read_more": "Magbasa ng maraming komento",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,14 +2,16 @@
"wallet": { "wallet": {
"curation_reward": "Gains de curation", "curation_reward": "Gains de curation",
"author_reward": "Gain de l'Auteur", "author_reward": "Gain de l'Auteur",
"comment_benefactor_reward": "Benefactor Reward", "community_reward": "Récompenses de la communauté",
"comment_benefactor_reward": "Les bénéficiaires des récompenses",
"claim_reward_balance": "Réclamer la récompense ", "claim_reward_balance": "Réclamer la récompense ",
"points_activity": "Activité",
"transfer": "Transférer", "transfer": "Transférer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "De l'économie", "transfer_from_savings": "De l'économie",
"withdraw_savings": "Withdraw Savings", "withdraw_savings": "Withdraw Savings",
"withdraw_vesting": "Power Down | Unstake", "withdraw_vesting": "Power Down | Unstake",
"open_order": "Open Order", "open_order": "Ouvrir la commande",
"fill_order": "Remplir lordre", "fill_order": "Remplir lordre",
"post": "Publier", "post": "Publier",
"comment": "Commentaire", "comment": "Commentaire",
@ -20,9 +22,9 @@
"incoming_transfer_title": "Transfert entrant", "incoming_transfer_title": "Transfert entrant",
"outgoing_transfer_title": "Transfert sortant", "outgoing_transfer_title": "Transfert sortant",
"checkin_extra": "Bonus", "checkin_extra": "Bonus",
"staked": "Staked", "staked": "Stakée",
"delegations_in": "Delegagtions In", "delegations_in": "Délégations reçues",
"delegations_out": "Delegations Out", "delegations_out": "Délégations sortantes",
"delegation": "Délégation", "delegation": "Délégation",
"delegations": "Délégations", "delegations": "Délégations",
"delegation_title": "Récompense de délégation", "delegation_title": "Récompense de délégation",
@ -54,17 +56,17 @@
"to": "À", "to": "À",
"estimated_value_desc": "Selon la valeur d'achat", "estimated_value_desc": "Selon la valeur d'achat",
"estimated_value": "Valeur estimée", "estimated_value": "Valeur estimée",
"vote_value": "Vote value", "vote_value": "Valeur du vote",
"delegated_hive_power": "Delegated hive power", "delegated_hive_power": "Hive power déléguée",
"powering_down_hive_power": "Powering down", "powering_down_hive_power": "Powering down",
"received_hive_power": "Received hive power", "received_hive_power": "Hive Power reçu",
"total_hive_power": "Total hive power", "total_hive_power": "Total hive power",
"savings": "Savings", "savings": "Savings",
"estimated_amount": "Valeur de vote", "estimated_amount": "Valeur de vote",
"amount_information": "Faites glisser le curseur pour ajuster le montant", "amount_information": "Faites glisser le curseur pour ajuster le montant",
"amount": "Montant", "amount": "Montant",
"memo": "Mémo", "memo": "Mémo",
"tap_update": "Tap to update", "tap_update": "Appuyer pour mettre à jour",
"information": "Are you sure to proceed with transaction?", "information": "Are you sure to proceed with transaction?",
"amount_desc": "Solde", "amount_desc": "Solde",
"memo_desc": "Ce mémo est public", "memo_desc": "Ce mémo est public",
@ -83,7 +85,7 @@
"withdraw_hive": "Withdraw Savings", "withdraw_hive": "Withdraw Savings",
"withdraw_hbd": "Withdraw Savings", "withdraw_hbd": "Withdraw Savings",
"transfer_to_savings": "Vers les économies", "transfer_to_savings": "Vers les économies",
"swap_token": "Swap Token", "swap_token": "Échanger des jetons",
"convert": "Convertir", "convert": "Convertir",
"convert_request": "Convert Request", "convert_request": "Convert Request",
"escrow_transfer": "Escrow Transfer", "escrow_transfer": "Escrow Transfer",
@ -96,13 +98,13 @@
"fill_transfer_from_savings": "Épargne effectuée", "fill_transfer_from_savings": "Épargne effectuée",
"fill_vesting_withdraw": "PowerDown executed", "fill_vesting_withdraw": "PowerDown executed",
"engine_title": "Hive Engine Tokens", "engine_title": "Hive Engine Tokens",
"engine_claim_btn": "Claim Rewards ({count})", "engine_claim_btn": "Réclamer les récompenses ({count})",
"engine_select_assets": "Select Assets", "engine_select_assets": "Sélectionner l'actif",
"available_assets": "Available Assets", "available_assets": "Actifs disponibles",
"selected_assets": "Selected Assets", "selected_assets": "Actifs sélectionnés",
"no_selected_assets": "Add from available", "no_selected_assets": "Ajouter à partir du disponible",
"manage_assets": "Add / Remove Assets", "manage_assets": "Ajout/Suppressions des actifs",
"tokens_create": "Token Created", "tokens_create": "Jeton créé",
"tokens_issue": "Tokens Issued", "tokens_issue": "Tokens Issued",
"tokens_transfer": "Tokens Transferred", "tokens_transfer": "Tokens Transferred",
"tokens_transferToContract": "Tokens Transferred to Contract", "tokens_transferToContract": "Tokens Transferred to Contract",
@ -121,28 +123,28 @@
"tokens_undelegateStart": "Undelegation Started", "tokens_undelegateStart": "Undelegation Started",
"tokens_undelegateDone": "Undelegation Completed", "tokens_undelegateDone": "Undelegation Completed",
"tokens_transferFee": "Token Transfer Fee", "tokens_transferFee": "Token Transfer Fee",
"market_cancel": "Order Canceled", "market_cancel": "Commande annulée",
"market_placeOrder": "Order Placed", "market_placeOrder": "Commande passée",
"market_expire": "Order Expired", "market_expire": "Commande expirée",
"market_buy": "Tokens Bought", "market_buy": "Jetons Achetés",
"market_buyRemaining": "Remaining Tokens Transferred (Buy)", "market_buyRemaining": "Jetons Restants transférés (Acheter)",
"market_sell": "Tokens Sold", "market_sell": "Jetons vendus",
"market_sellRemaining": "Remaining Tokens Transferred (Sell)", "market_sellRemaining": "Remaining Tokens Transferred (Sell)",
"market_close": "Order Closed", "market_close": "Commande fermée",
"mining_lottery": "Lottery Won", "mining_lottery": "Loterie gagnée",
"witnesses_proposeRound": "Witnesses Propose Round", "witnesses_proposeRound": "Witnesses Propose Round",
"hivepegged_buy": "HIVE Deposited", "hivepegged_buy": "HIVE Deposited",
"hivepegged_withdraw": "HIVE Withdrawn", "hivepegged_withdraw": "HIVE Withdrawn",
"inflation_issueNewTokens": "New BEE Tokens Issued", "inflation_issueNewTokens": "New BEE Tokens Issued",
"nft_transfer": "NFTs Transferred", "nft_transfer": "NFTs transférés",
"nft_issue": "NFT Issued", "nft_issue": "NFT émise",
"nft_issueMultiple": "Multiple NFTs Issued", "nft_issueMultiple": "Plusieurs NFT émises",
"nft_burn": "NFT Burned", "nft_burn": "NFT Burned",
"nft_delegate": "NFT Delegated", "nft_delegate": "NFT Delegated",
"nft_undelegate": "Undelegation Started for NFT", "nft_undelegate": "Undelegation Started for NFT",
"nft_undelegateDone": "Undelegation Completed for NFT", "nft_undelegateDone": "Undelegation Completed for NFT",
"nft_enableDelegation": "Delegation Enabled for NFT", "nft_enableDelegation": "Delegation Enabled for NFT",
"nft_create": "NFT Symbol Created", "nft_create": "Symbole NFT créé",
"nft_addAuthorizedIssuingAccounts": "Authorized Issuing Accounts Added to NFT", "nft_addAuthorizedIssuingAccounts": "Authorized Issuing Accounts Added to NFT",
"nft_setGroupBy": "Group By Set for NFT Symbol", "nft_setGroupBy": "Group By Set for NFT Symbol",
"nft_setProperties": "Properties Set for NFT Symbol", "nft_setProperties": "Properties Set for NFT Symbol",
@ -154,16 +156,16 @@
"nft_updateName": "NFT Name Updated", "nft_updateName": "NFT Name Updated",
"nft_updateOrgName": "NFT Organization Name Updated", "nft_updateOrgName": "NFT Organization Name Updated",
"nft_updateProductName": "NFT Product Name Updated", "nft_updateProductName": "NFT Product Name Updated",
"nft_transferFee": "NFT Transfer Fee", "nft_transferFee": "Frais de transfert de NFT",
"nftmarket_buy": "Order Bought", "nftmarket_buy": "Commande achetée",
"nftmarket_transferFee": "Buy Order Fee", "nftmarket_transferFee": "Frais de commande d'achat",
"nftmarket_sell": "Order Listed", "nftmarket_sell": "Liste des commandes",
"nftmarket_cancel": "Order Canceled", "nftmarket_cancel": "Commande annulée",
"nftmarket_changePrice": "Order Price Changed", "nftmarket_changePrice": "Prix de la commande modifié",
"nftmarket_enableMarket": "Market Enabled for NFT Symbol", "nftmarket_enableMarket": "Marché activé pour symbole NFT",
"ecency": { "ecency": {
"title": "Points", "title": "Points",
"name": "Ecency Points", "name": "Points d'Ecency",
"buy": "GET POINTS" "buy": "GET POINTS"
}, },
"savinghive": { "savinghive": {
@ -174,7 +176,7 @@
}, },
"hive": { "hive": {
"title": "HIVE", "title": "HIVE",
"name": "Liquid Hive", "name": "Hive Liquide",
"buy": "OBTENIR HIVE" "buy": "OBTENIR HIVE"
}, },
"hbd": { "hbd": {
@ -186,7 +188,7 @@
"name": "Staked Hive" "name": "Staked Hive"
}, },
"hive_dollar": { "hive_dollar": {
"name": "Hive Dollar" "name": "Hive Dollars"
}, },
"btc": { "btc": {
"title": "BTC", "title": "BTC",
@ -195,8 +197,8 @@
}, },
"last_updated": "Last Updated:", "last_updated": "Last Updated:",
"updating": "Updating...", "updating": "Updating...",
"coin_details": "Details", "coin_details": "Afficher les détails",
"change": "Change", "change": "Changement",
"activities": "Activités", "activities": "Activités",
"savings_withdrawal": "Pending Withdrawals", "savings_withdrawal": "Pending Withdrawals",
"open_orders": "Ordres ouverts", "open_orders": "Ordres ouverts",
@ -216,19 +218,19 @@
"lock_liquidity_spk": "Lock Liquidity", "lock_liquidity_spk": "Lock Liquidity",
"power_up_spk": "Power Up | Stake", "power_up_spk": "Power Up | Stake",
"power_down_spk": "Power Down | Unstake", "power_down_spk": "Power Down | Unstake",
"low_liquidity": "Low Liquidity!", "low_liquidity": "Faible liquidité !",
"inactive_token": "Token is relatively inactive, some functionalities might be affected.", "inactive_token": "Token is relatively inactive, some functionalities might be affected.",
"scheduled_power_downs": "Scheduled Power Downs", "scheduled_power_downs": "Scheduled Power Downs",
"delegated_larynx_power": "Granted Power", "delegated_larynx_power": "Granted Power",
"delegating_larynx_power": "Delegating Power", "delegating_larynx_power": "Delegating Power",
"total_larynx_power": "Total Power" "total_larynx_power": "Puissance Totale"
}, },
"notification": { "notification": {
"vote": "voté", "vote": "voté",
"unvote": "sous-vote", "unvote": "sous-vote",
"reply": "répondu à", "reply": "répondu à",
"mention": "mentionné dans", "mention": "mentionné dans",
"favorites": "made new post", "favorites": "crée un nouveau message",
"bookmarks": "replied to bookmarked content", "bookmarks": "replied to bookmarked content",
"follow": "vous a suivi", "follow": "vous a suivi",
"unfollow": "ne vous suit plus", "unfollow": "ne vous suit plus",
@ -309,7 +311,7 @@
"currency": "Devise", "currency": "Devise",
"language": "Langue", "language": "Langue",
"server": "Serveur", "server": "Serveur",
"color_theme": "Appearance", "color_theme": "Apparence",
"push_notification": "Notification push", "push_notification": "Notification push",
"notification": { "notification": {
"follow": "Abonné", "follow": "Abonné",
@ -317,13 +319,13 @@
"comment": "Commentaire", "comment": "Commentaire",
"mention": "Mention", "mention": "Mention",
"favorite": "Favoris", "favorite": "Favoris",
"bookmark": "Bookmarks", "bookmark": "Signets",
"reblog": "Reblog", "reblog": "Reblog",
"transfers": "Transferts", "transfers": "Transferts",
"delegations": "Délégations" "delegations": "Délégations"
}, },
"pincode": "Pincode", "pincode": "Pincode",
"biometric": "Finger Print / Face Unlock", "biometric": "Empreinte digitale / Déverrouillage facial",
"reset_pin": "Réinitialisez le Code Pin", "reset_pin": "Réinitialisez le Code Pin",
"reset": "Réinitialiser", "reset": "Réinitialiser",
"nsfw_content": "NSFW", "nsfw_content": "NSFW",
@ -336,7 +338,7 @@
"always_warn": "Toujours avertir" "always_warn": "Toujours avertir"
}, },
"theme": { "theme": {
"system": "Device settings", "system": "Paramètres de l'appareil",
"light": "Clair", "light": "Clair",
"dark": "Sombre" "dark": "Sombre"
}, },
@ -348,23 +350,23 @@
"backup_private_keys": "Manage Authorities", "backup_private_keys": "Manage Authorities",
"backup": "Manage", "backup": "Manage",
"keys_warning": "Sensitive account information!\nEcency must be secured with PIN code before viewing private keys.", "keys_warning": "Sensitive account information!\nEcency must be secured with PIN code before viewing private keys.",
"set_pin": "Set PIN", "set_pin": "Configurer PIN",
"backup_keys_modal": { "backup_keys_modal": {
"owner_key": "Owner Key", "owner_key": "Clé Propriétaire",
"active_key": "Active Key", "active_key": "Clé active",
"posting_key": "Posting Key", "posting_key": "Clé de publication",
"memo_key": "Memo Key", "memo_key": "Clé Mémo",
"key_copied": "Key copied to clipboard", "key_copied": "Clé copiée dans le presse-papiers",
"no_keys": "Your signin method is hivesigner. Application does not have any key stored in device. Kindly login with master password to generate keys", "no_keys": "Your signin method is hivesigner. Application does not have any key stored in device. Kindly login with master password to generate keys",
"reveal_private": "Reveal Private", "reveal_private": "Révéler le privé",
"reveal_public": "Reveal Public", "reveal_public": "Révéler public",
"public": "Public", "public": "Publique",
"private": "Private", "private": "Privé",
"import_key": "Import Private", "import_key": "Importer la clé privée",
"enter_pass": "Enter Password or Private Key", "enter_pass": "Entrez le mot de passe ou la clé privée",
"import_key_modal_desc": "Individual Private key or Master password to import all keys", "import_key_modal_desc": "Clé privée individuelle ou mot de passe principal pour importer toutes les clés",
"sign": "Sign", "sign": "Sign",
"sign_input_placeholder": "Master password or Private Key", "sign_input_placeholder": "Mot de passe maître ou clé privée",
"import_failed": "Keys Import Failed" "import_failed": "Keys Import Failed"
} }
}, },
@ -445,7 +447,7 @@
"add_an_existing_account": "Ajouter à un compte existant", "add_an_existing_account": "Ajouter à un compte existant",
"accounts": "Comptes", "accounts": "Comptes",
"refer": "Recommandez Et Gagnez", "refer": "Recommandez Et Gagnez",
"qr": "QR Scan" "qr": "Scanner le QR code"
}, },
"header": { "header": {
"title": "Connectez-vous pour personnaliser votre flux", "title": "Connectez-vous pour personnaliser votre flux",
@ -491,13 +493,13 @@
"select_community": "Choisir une communauté", "select_community": "Choisir une communauté",
"community_selected": "Communauté sélectionnée", "community_selected": "Communauté sélectionnée",
"my_communities": "Mes Communautés", "my_communities": "Mes Communautés",
"top_communities": "Top Communities", "top_communities": "Meilleures Communautés",
"schedule_modal_title": "Schedule Post", "schedule_modal_title": "Planifier la publication",
"snippets": "Snippets", "snippets": "Snippets",
"alert_init_title": "New Content", "alert_init_title": "Nouveau contenu",
"alert_init_body": "Open recent draft or Create new post", "alert_init_body": "Open recent draft or Create new post",
"alert_btn_draft": "Recent Draft", "alert_btn_draft": "Recent Draft",
"alert_btn_new": "New Post", "alert_btn_new": "Nouvelle Publication",
"alert_pub_edit_title": "Publishing edits", "alert_pub_edit_title": "Publishing edits",
"alert_pub_new_title": "Publishing new post", "alert_pub_new_title": "Publishing new post",
"alert_pub_body": "Êtes-vous sûr ?", "alert_pub_body": "Êtes-vous sûr ?",
@ -510,14 +512,14 @@
"two_thumbs_required": "Add more images in your post before setting thumbnail", "two_thumbs_required": "Add more images in your post before setting thumbnail",
"scheduled_for": "Scheduled For", "scheduled_for": "Scheduled For",
"scheduled_immediate": "Immediate", "scheduled_immediate": "Immediate",
"scheduled_later": "Later", "scheduled_later": "Plus tard",
"settings_title": "Post Options", "settings_title": "Options de publication",
"done": "DONE", "done": "TERMINÉ",
"draft_save_title": "Saving Draft", "draft_save_title": "Enregistrement du brouillon",
"draft_update": "Update current draft", "draft_update": "Mettre à jour le brouillon actuel",
"draft_save_new": "Save as new draft", "draft_save_new": "Enregistrer en tant que nouveau brouillon",
"label": "Label", "label": "Étiquette",
"enter_label_placeholder": "Enter Label (Optional)", "enter_label_placeholder": "Entrez l'étiquette (facultatif)",
"url": "URL", "url": "URL",
"enter_url_placeholder": "Entrer lURL", "enter_url_placeholder": "Entrer lURL",
"link_type_text": "Type de lien", "link_type_text": "Type de lien",
@ -575,7 +577,7 @@
"move": "Déplacer", "move": "Déplacer",
"continue": "Continuer", "continue": "Continuer",
"okay": "D'accord", "okay": "D'accord",
"done": "Done", "done": "Terminé",
"move_question": "Êtes-vous sûr de vouloir déplacer vers Broullions ?", "move_question": "Êtes-vous sûr de vouloir déplacer vers Broullions ?",
"success_shared": "Succès ! Contenu soumis !", "success_shared": "Succès ! Contenu soumis !",
"success_moved": "Déplacé vers Brouillons", "success_moved": "Déplacé vers Brouillons",
@ -633,23 +635,23 @@
"update_available_title": "Mise à jour possible ({version})", "update_available_title": "Mise à jour possible ({version})",
"update_available_body": "Using latest version of Ecency gives you the best experience", "update_available_body": "Using latest version of Ecency gives you the best experience",
"update": "Mettre à jour maintenant", "update": "Mettre à jour maintenant",
"remind_later": "Remind Later", "remind_later": "Me le rappeler ultérieurement",
"failed_to_open": "Failed to open a link", "failed_to_open": "Impossible d'ouvrir un lien",
"restart_ecency": "Redémarrer Ecency ?", "restart_ecency": "Redémarrer Ecency ?",
"restart_ecency_desc": "Applying changes will require a restart.", "restart_ecency_desc": "Applying changes will require a restart.",
"invalid_response": "Could not process request, Try again later.", "invalid_response": "Could not process request, Try again later.",
"wallet_updating": "Wallet update in progress, try again as update finishes", "wallet_updating": "Wallet update in progress, try again as update finishes",
"claim_failed": "Failed to claim rewards, {message}\nTry again or write to support@ecency.com", "claim_failed": "Failed to claim rewards, {message}\nTry again or write to support@ecency.com",
"connection_issues": "The server is unreachable, please check your connection and try again.", "connection_issues": "The server is unreachable, please check your connection and try again.",
"open_settings": "Open Settings", "open_settings": "Ouvrir les paramètres",
"auth_expired": "We need to verify you still has access to your keys, please verify login.", "auth_expired": "We need to verify you still has access to your keys, please verify login.",
"verify": "Verify", "verify": "Vérifier",
"logging_out": "Logging out {username}" "logging_out": "Logging out {username}"
}, },
"post": { "post": {
"reblog_alert": "Are you sure you want to reblog?", "reblog_alert": "Êtes-vous sûr de vouloir rebloguer ?",
"removed_hint": "Le contenu est indisponible", "removed_hint": "Le contenu est indisponible",
"select_action": "Select Action", "select_action": "Sélectionnez une action",
"copy_link": "Copier le lien", "copy_link": "Copier le lien",
"copy_text": "Copier le texte", "copy_text": "Copier le texte",
"reblogged": "reblogué par", "reblogged": "reblogué par",
@ -662,7 +664,7 @@
"image_saved": "Image sauvegardée dans la Galerie Photo", "image_saved": "Image sauvegardée dans la Galerie Photo",
"image_saved_error": "Erreur de sauvegarde de l'image", "image_saved_error": "Erreur de sauvegarde de l'image",
"wrong_link": "Mauvais lien", "wrong_link": "Mauvais lien",
"in": "in", "in": "dans",
"reveal_muted": "MUTED\nTap to reveal content", "reveal_muted": "MUTED\nTap to reveal content",
"posted_by": "Posted by {username} via {appname} ", "posted_by": "Posted by {username} via {appname} ",
"ecency_waves": "Ecency Waves" "ecency_waves": "Ecency Waves"
@ -673,7 +675,7 @@
"empty_list": "Rien ici", "empty_list": "Rien ici",
"deleted": "Brouillon supprimé", "deleted": "Brouillon supprimé",
"unsynced_title": "Unsynced Draft", "unsynced_title": "Unsynced Draft",
"unsynced_body": "Draft not synced with Ecency cloud, resume editing and save draft" "unsynced_body": "Le brouillon n'est pas synchronisé avec le nuage Ecency, reprise de l'édition et l'enregistrement du brouillon"
}, },
"schedules": { "schedules": {
"title": "Plannings", "title": "Plannings",
@ -681,9 +683,9 @@
"deleted": "Publication planifiée supprimée", "deleted": "Publication planifiée supprimée",
"move": "Déplacer vers brouillons", "move": "Déplacer vers brouillons",
"moved": "Déplacé vers brouillons", "moved": "Déplacé vers brouillons",
"pending": "Pending", "pending": "En attente",
"postponed": "Postponed", "postponed": "Postponed",
"published": "Published", "published": "Publié",
"error": "Erreur" "error": "Erreur"
}, },
"bookmarks": { "bookmarks": {
@ -697,13 +699,13 @@
}, },
"report": { "report": {
"added": "Contenu indésirable signalé", "added": "Contenu indésirable signalé",
"confirm_report_title": "Confirm Report!", "confirm_report_title": "Confirmer le Signalement!",
"confirm_report_body": "Are you sure you want report?" "confirm_report_body": "Êtes-vous sûr de vouloir signaler ?"
}, },
"delete": { "delete": {
"confirm_delete_title": "Confirm Delete", "confirm_delete_title": "Confirmer la suppression",
"confirm_delete_body": "Are you sure you want to delete account? It will erase all of your data", "confirm_delete_body": "Êtes-vous sûr de vouloir supprimer le compte ? Toutes vos données seront effacées",
"request_sent": "Your request for deletion is sent" "request_sent": "Votre demande de suppression a été envoyée"
}, },
"favorites": { "favorites": {
"title": "Favoris", "title": "Favoris",
@ -727,7 +729,7 @@
"beneficiaries": "Bénéficiaires", "beneficiaries": "Bénéficiaires",
"warn_zero_payout": "Le montant doit atteindre 0,02 $ pour le retrait", "warn_zero_payout": "Le montant doit atteindre 0,02 $ pour le retrait",
"breakdown": "Répartition", "breakdown": "Répartition",
"max_accepted": "Max Accepted" "max_accepted": "Maximum accepté"
}, },
"post_dropdown": { "post_dropdown": {
"copy": "copier le lien", "copy": "copier le lien",
@ -738,11 +740,11 @@
"promote": "promouvoir", "promote": "promouvoir",
"boost": "accélérer", "boost": "accélérer",
"report": "signaler", "report": "signaler",
"pin-blog": "Pin to blog", "pin-blog": "Épingler sur le blog",
"unpin-blog": "Unpin from blog", "unpin-blog": "Désépingler du blog",
"pin-community": "Pin to community", "pin-community": "Épingler à la communauté",
"unpin-community": "Unpin from community", "unpin-community": "Dépingler de la communauté",
"edit-history": "Edit History", "edit-history": "Modifier l'historique",
"mute": "Mute / Block" "mute": "Mute / Block"
}, },
"deep_link": { "deep_link": {
@ -768,7 +770,7 @@
"amount_information": "Faites glisser le curseur pour ajuster le montant", "amount_information": "Faites glisser le curseur pour ajuster le montant",
"amount": "Montant", "amount": "Montant",
"memo": "Mémo", "memo": "Mémo",
"information": "Continue transaction?", "information": "Confirmer la transaction?",
"amount_desc": "Solde", "amount_desc": "Solde",
"memo_desc": "Ce mémo est public", "memo_desc": "Ce mémo est public",
"convert_desc": "Convertir prend 3,5 jours et n'est PAS recommandé SI le prix HBD est supérieur à $1", "convert_desc": "Convertir prend 3,5 jours et n'est PAS recommandé SI le prix HBD est supérieur à $1",
@ -793,8 +795,8 @@
"unstake_engine": "Unstake Token", "unstake_engine": "Unstake Token",
"delegate_engine": "Delegate Token", "delegate_engine": "Delegate Token",
"undelegate_engine": "Undelegate Token", "undelegate_engine": "Undelegate Token",
"transfer_spk": "Transfer SPK", "transfer_spk": "Transférer SPK",
"transfer_larynx_spk": "Transfer LARYNX", "transfer_larynx_spk": "Transférer LARYNX",
"power_up_spk": "Power Up LARYNX", "power_up_spk": "Power Up LARYNX",
"power_down_spk": "Power Down LARYNX", "power_down_spk": "Power Down LARYNX",
"lock_liquidity_spk": "Lock Liquidity LARYNX", "lock_liquidity_spk": "Lock Liquidity LARYNX",
@ -815,7 +817,7 @@
"account_detail_subhead": "Enter username for HIVE Power delegation", "account_detail_subhead": "Enter username for HIVE Power delegation",
"delegat_detail_head": "Delegation Details", "delegat_detail_head": "Delegation Details",
"delegat_detail_subhead": "New amount overwrites already delegated HIVE Power ", "delegat_detail_subhead": "New amount overwrites already delegated HIVE Power ",
"new_amount": "New Amount", "new_amount": "Nouveau montant ",
"review": "REVIEW", "review": "REVIEW",
"confirm": "Confirmer la délégation", "confirm": "Confirmer la délégation",
"confirm_summary": "Delegate {hp} HP ({vests} VESTS) To @{delegator} from @{delegatee} ", "confirm_summary": "Delegate {hp} HP ({vests} VESTS) To @{delegator} from @{delegatee} ",
@ -834,23 +836,23 @@
"invalid_amount_desc": "Veuillez saisir un montant valide", "invalid_amount_desc": "Veuillez saisir un montant valide",
"account_select_title": "Détails du Compte", "account_select_title": "Détails du Compte",
"account_select_description": "Operations related to funds are irreversible, make sure username is correct", "account_select_description": "Operations related to funds are irreversible, make sure username is correct",
"amount_select_title": "Action Details", "amount_select_title": "Détails de l'action",
"amount_select_description": "Enter amount within maximum available balance {suffix}", "amount_select_description": "Enter amount within maximum available balance {suffix}",
"amount_select_desc_limit": " and must be greater than 0.001" "amount_select_desc_limit": " et doit être supérieur à 0.001"
}, },
"trade": { "trade": {
"swap_token": "Swap Your Funds", "swap_token": "Swap Your Funds",
"more-than-balance": "Entered amount is more than your available balance", "more-than-balance": "Entered amount is more than your available balance",
"offer-unavailable": "Offer not available for entered amount. Please reduce amount", "offer-unavailable": "Offer not available for entered amount. Please reduce amount",
"too-much-slippage": "We highly recommend you to reduce amount for better pricing", "too-much-slippage": "We highly recommend you to reduce amount for better pricing",
"fee": "Fee", "fee": "Frais",
"free": "Free", "free": "Gratuit",
"confirm_swap": "Confirm Swap", "confirm_swap": "Confirmer l'échange",
"swap_for": "Swapping {fromAmount} for {toAmount}", "swap_for": "Swapping {fromAmount} for {toAmount}",
"swap_successful": "Successfully Swapped", "swap_successful": "Successfully Swapped",
"swap_pending": "Swap Pending!", "swap_pending": "Swap Pending!",
"swap_pending_body": "Swap requests may be pending, please check pending open orders in selected token details", "swap_pending_body": "Swap requests may be pending, please check pending open orders in selected token details",
"new_swap": "New Swap" "new_swap": "Nouvel échange"
}, },
"boost": { "boost": {
"title": "Obtenir des points", "title": "Obtenir des points",
@ -867,14 +869,14 @@
"points_purchase_fail_msg": "Points purchase failed\n{message}" "points_purchase_fail_msg": "Points purchase failed\n{message}"
}, },
"buy_account": { "buy_account": {
"title": "Buy Account", "title": "Acheter un compte",
"btn_register": "Buy Account - {price}", "btn_register": "Acheter un compte - {price}",
"desc": "Get a full-fledged, premium Hive account with no extra checks and few perks such as:\n\n- Instant creation without extra checks and waiting\n- 3x RC compared to normal new accounts for 90 days\n- 300 Points to help you get started", "desc": "Get a full-fledged, premium Hive account with no extra checks and few perks such as:\n\n- Instant creation without extra checks and waiting\n- 3x RC compared to normal new accounts for 90 days\n- 300 Points to help you get started",
"claim": "Claim Paid Account" "claim": "Revendiquer le compte payant"
}, },
"free_account": { "free_account": {
"title": "Compte gratuit", "title": "Compte gratuit",
"btn_register": "Register Free", "btn_register": "Inscription gratuite",
"desc": "Get a full-fledged Hive account, this method has basic checks to make sure botnet doesn't abuse our signup faucet." "desc": "Get a full-fledged Hive account, this method has basic checks to make sure botnet doesn't abuse our signup faucet."
}, },
"free_estm": { "free_estm": {
@ -912,25 +914,25 @@
}, },
"comments": { "comments": {
"title": "Commentaires", "title": "Commentaires",
"reveal_comment": "Révéler le commentaire", "reveal_comment": "Reveal Content",
"read_more": "Lire plus de commentaires", "read_more": "Lire plus de commentaires",
"more_replies": "replies", "more_replies": "réponses",
"no_comments": "Be the first to respond..." "no_comments": "Soyez le premier à répondre..."
}, },
"search_result": { "search_result": {
"others": "Autres", "others": "Autres",
"best": { "best": {
"title": "Best" "title": "À la une"
}, },
"people": { "people": {
"title": "People" "title": "Personnes"
}, },
"topics": { "topics": {
"title": "Sujets" "title": "Sujets"
}, },
"communities": { "communities": {
"title": "Groups", "title": "Groupes",
"subscribe": "Join", "subscribe": "Rejoindre",
"unsubscribe": "Quitter", "unsubscribe": "Quitter",
"subscribers": "Membres", "subscribers": "Membres",
"posters": "Publieurs", "posters": "Publieurs",
@ -956,47 +958,47 @@
"new_post": "Nouvelle Publication", "new_post": "Nouvelle Publication",
"community": "communauté", "community": "communauté",
"details": "Détails", "details": "Détails",
"muted": "Muted", "muted": "En sourdine",
"payout": "Payout" "payout": "Paiement"
}, },
"user": { "user": {
"follow": "Follow", "follow": "Suivre",
"unfollow": "Unfollow", "unfollow": "Ne plus suivre",
"add_to_favourites": "AJOUTER AUX FAVORIS", "add_to_favourites": "AJOUTER AUX FAVORIS",
"remove_from_favourites": "REMOVE FROM FAVOURITES", "remove_from_favourites": "SUPPRIMER DE FAVORIS",
"mute": "MUTE / BLOCK", "mute": "MUTE / BLOC",
"unmute": "UNMUTE / UNBLOCK", "unmute": "DÉSACTIVER / DÉBLOQUER",
"report": "REPORT USER", "report": "REPORT USER",
"delegate": "DELEGATE HIVE POWER" "delegate": "DELEGATE HIVE POWER"
}, },
"communities": { "communities": {
"joined": "Membership", "joined": "Adhésion",
"discover": "Découvrir", "discover": "Découvrir",
"discover_communities": "Discover Communities", "discover_communities": "Découvrir les communautés",
"no_communities": "Connect with people who share your interests by joining Communities." "no_communities": "Connect with people who share your interests by joining Communities."
}, },
"empty_screen": { "empty_screen": {
"nothing_here": "Nothing here" "nothing_here": "Il n'y a rien ici"
}, },
"beneficiary_modal": { "beneficiary_modal": {
"percent": "Percent", "percent": "Pourcentage",
"username": "Nom d'utilisateur", "username": "Nom d'utilisateur",
"addAccount": "Add Account", "addAccount": "Ajouter un compte",
"save": "Sauvegarder", "save": "Sauvegarder",
"cancel": "Annuler" "cancel": "Annuler"
}, },
"welcome": { "welcome": {
"label": "Welcome to", "label": "Bienvenue à",
"title": "Ecency", "title": "Ecency",
"line1_heading": "Are you looking for community?", "line1_heading": "Vous recherchez une communauté ?",
"line1_body": "Uncensored, immutable, rewarding, decentralized, that you own.", "line1_body": "Uncensuré, immuable, gratifiant, décentralisé, que vous possédez.",
"line2_heading": "Nous avons une solution !", "line2_heading": "Nous avons une solution !",
"line2_body": "Utilizing blockchain, censorship-free, decentralized and rewarding.", "line2_body": "Utilizing blockchain, censorship-free, decentralized and rewarding.",
"line3_heading": "Rejoignez les communautés Ecency !", "line3_heading": "Rejoignez les communautés Ecency !",
"line3_body": "Build community you own, get rewarded and reward others.", "line3_body": "Construisez la communauté que vous possédez, gagnez des récompenses et récompensez les autres.",
"get_started": "Get started!", "get_started": "C'est parti !",
"terms_description": "By accepting, you agree to our Terms of Service and Privacy Policies.", "terms_description": "En vous inscrivant, vous acceptez nos conditions d'utilisation et notre politique de confidentialité.",
"terms_text": "Read Here!" "terms_text": "Lisez ça !"
}, },
"time": { "time": {
"second": "secondes", "second": "secondes",
@ -1009,7 +1011,7 @@
}, },
"quick_reply": { "quick_reply": {
"placeholder": "Ajouter un commentaire...", "placeholder": "Ajouter un commentaire...",
"placeholder_wave": "What's happening?", "placeholder_wave": "Quoi de neuf ?",
"summary_wave": "Will be published in: {host}", "summary_wave": "Will be published in: {host}",
"comment": "Commentaire", "comment": "Commentaire",
"reply": "RÉPONDRE", "reply": "RÉPONDRE",
@ -1017,32 +1019,32 @@
"close": "FERMER" "close": "FERMER"
}, },
"walkthrough": { "walkthrough": {
"load_draft_tooltip": "Load your lastest draft here" "load_draft_tooltip": "Chargez votre dernier brouillon ici"
}, },
"refer": { "refer": {
"refer_earn": "Refer & Earn", "refer_earn": "Recommandez Et Gagnez",
"refer": "Refer", "refer": "Parrainé",
"rewarded": "Referral points rewarded", "rewarded": "Points de parrainage récompensés",
"not_rewarded": "Referral reward pending", "not_rewarded": "Récompense de parrainage en attente",
"delegate_hp": "Delegate HP", "delegate_hp": "Déléguer HP",
"earned": "Earned Points", "earned": "Points gagnés",
"pending": "Pending Points", "pending": "Points en attente",
"empty_text": "Refer your loved ones today and earn free points" "empty_text": "Parrainez vos proches aujourd'hui et gagnez des points gratuits"
}, },
"qr": { "qr": {
"qr_scan": "QR Scan", "qr_scan": "Scanner le QR code",
"open": "Open URL", "open": "Ouvrir l'URL",
"detected_url": "Detected URL", "detected_url": "URL détectée",
"unsupported_alert_title": "Unsupported URL!", "unsupported_alert_title": "URL non supportée!",
"unsupported_alert_desc": "Please scan a valid ecency url.", "unsupported_alert_desc": "Veuillez scanner une Url Ecency valide.",
"confirmTransaction": "Confirm transaction", "confirmTransaction": "Confirmer la transaction",
"approve": "Approve", "approve": "Approuver",
"cancel": "Cancel", "cancel": "Annuler",
"multi_array_ops_alert": "Multiple operations array detected!", "multi_array_ops_alert": "Multiple operations array detected!",
"multi_array_ops_aler_desct": "Ecency does not support signing multiple operations, yet" "multi_array_ops_aler_desct": "Ecency ne prend pas en charge la signature de multiples opérations pour le moment"
}, },
"history": { "history": {
"edit": "Edit History", "edit": "Modifier l'historique",
"version": "Version" "version": "Version"
} }
} }

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Bokarjis Sigislaun", "author_reward": "Bokarjis Sigislaun",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Ufarbair", "transfer": "Ufarbair",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Waurda", "title": "Waurda",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "תגמול עבור פעילויות ותוכן", "curation_reward": "תגמול עבור פעילויות ותוכן",
"author_reward": "תגמול הסופר", "author_reward": "תגמול הסופר",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "העברה", "transfer": "העברה",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "תגובות", "title": "תגובות",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "अध्यक्षता इनाम", "curation_reward": "अध्यक्षता इनाम",
"author_reward": "लेखक इनाम", "author_reward": "लेखक इनाम",
"community_reward": "Community Reward",
"comment_benefactor_reward": "लाभार्थी पुरस्कार", "comment_benefactor_reward": "लाभार्थी पुरस्कार",
"claim_reward_balance": "इनाम दावा ", "claim_reward_balance": "इनाम दावा ",
"points_activity": "Activity",
"transfer": "स्थानांतरण", "transfer": "स्थानांतरण",
"power_up": "वेस्टिंग को", "power_up": "वेस्टिंग को",
"transfer_from_savings": "बचत से", "transfer_from_savings": "बचत से",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "विवेचनाऐं", "title": "विवेचनाऐं",
"reveal_comment": "टिप्पणी का खुलासा", "reveal_comment": "Reveal Content",
"read_more": "अधिक टिप्पणियाँ पढ़ें", "read_more": "अधिक टिप्पणियाँ पढ़ें",
"more_replies": "जवाब", "more_replies": "जवाब",
"no_comments": "जवाब देने वाले पहले बनें..." "no_comments": "जवाब देने वाले पहले बनें..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Nagrada za Glasanje", "curation_reward": "Nagrada za Glasanje",
"author_reward": "Autorova Nagrada", "author_reward": "Autorova Nagrada",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Pošalji", "transfer": "Pošalji",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Komentari", "title": "Komentari",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Kuráció Jutalom", "curation_reward": "Kuráció Jutalom",
"author_reward": "Szerzői Jutalom", "author_reward": "Szerzői Jutalom",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Jótevői jutalom", "comment_benefactor_reward": "Jótevői jutalom",
"claim_reward_balance": "Jutalom átvétele ", "claim_reward_balance": "Jutalom átvétele ",
"points_activity": "Activity",
"transfer": "Átutalás", "transfer": "Átutalás",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "A megtakarításoktól", "transfer_from_savings": "A megtakarításoktól",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Hozzászólások", "title": "Hozzászólások",
"reveal_comment": "Hozzászólás megjelenítése", "reveal_comment": "Reveal Content",
"read_more": "Még több hozzáaszólás", "read_more": "Még több hozzáaszólás",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Imbalan kurasi", "curation_reward": "Imbalan kurasi",
"author_reward": "Imbalan Penulis", "author_reward": "Imbalan Penulis",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Hadiah Benefactor", "comment_benefactor_reward": "Hadiah Benefactor",
"claim_reward_balance": "Klaim Hadiah ", "claim_reward_balance": "Klaim Hadiah ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "Untuk Menjamin", "power_up": "Untuk Menjamin",
"transfer_from_savings": "Dari Tabungan", "transfer_from_savings": "Dari Tabungan",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Komentar", "title": "Komentar",
"reveal_comment": "Ungkapkan komentar", "reveal_comment": "Reveal Content",
"read_more": "Baca lebih banyak komentar", "read_more": "Baca lebih banyak komentar",
"more_replies": "balasan", "more_replies": "balasan",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Ricompensa Curatore", "curation_reward": "Ricompensa Curatore",
"author_reward": "Ricompensa Autore", "author_reward": "Ricompensa Autore",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Ricompensa dei Benefattori", "comment_benefactor_reward": "Ricompensa dei Benefattori",
"claim_reward_balance": "Richiedi ricompensa ", "claim_reward_balance": "Richiedi ricompensa ",
"points_activity": "Activity",
"transfer": "Trasferimento", "transfer": "Trasferimento",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "Dal salvadanaio", "transfer_from_savings": "Dal salvadanaio",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Commenti", "title": "Commenti",
"reveal_comment": "Mostra Commento", "reveal_comment": "Reveal Content",
"read_more": "Carica altri commenti", "read_more": "Carica altri commenti",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "キュレーション報酬", "curation_reward": "キュレーション報酬",
"author_reward": "投稿者報酬", "author_reward": "投稿者報酬",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor 報酬", "comment_benefactor_reward": "Benefactor 報酬",
"claim_reward_balance": "報酬を請求 ", "claim_reward_balance": "報酬を請求 ",
"points_activity": "Activity",
"transfer": "送金", "transfer": "送金",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "貯蓄口座からの送金", "transfer_from_savings": "貯蓄口座からの送金",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "コメント", "title": "コメント",
"reveal_comment": "コメントを表示", "reveal_comment": "Reveal Content",
"read_more": "もっとコメントを読む", "read_more": "もっとコメントを読む",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Rrbeḥ n umeskar", "author_reward": "Rrbeḥ n umeskar",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Ceyyeɛ", "transfer": "Ceyyeɛ",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Iwenniten", "title": "Iwenniten",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "큐레이션 보상", "curation_reward": "큐레이션 보상",
"author_reward": "저자 보상", "author_reward": "저자 보상",
"community_reward": "Community Reward",
"comment_benefactor_reward": "베네피셔리 보상", "comment_benefactor_reward": "베네피셔리 보상",
"claim_reward_balance": "보상 청구하기", "claim_reward_balance": "보상 청구하기",
"points_activity": "Activity",
"transfer": "전송", "transfer": "전송",
"power_up": "파워업", "power_up": "파워업",
"transfer_from_savings": "안전 금고에서 출금하기", "transfer_from_savings": "안전 금고에서 출금하기",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "작성한 댓글", "title": "작성한 댓글",
"reveal_comment": "명성도가 낮은 사용자의 댓글 보기", "reveal_comment": "Reveal Content",
"read_more": "댓글 더 보기", "read_more": "댓글 더 보기",
"more_replies": "댓글", "more_replies": "댓글",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Xelata Kuratorê", "curation_reward": "Xelata Kuratorê",
"author_reward": "Xelata Nivîskêr", "author_reward": "Xelata Nivîskêr",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Xelata Xêrxwaz", "comment_benefactor_reward": "Xelata Xêrxwaz",
"claim_reward_balance": "Xelata Daxwazê ", "claim_reward_balance": "Xelata Daxwazê ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "Ji Berhevkirinan", "transfer_from_savings": "Ji Berhevkirinan",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Şîrove", "title": "Şîrove",
"reveal_comment": "Şîroveyê eşkere bike", "reveal_comment": "Reveal Content",
"read_more": "Zêdetir şîroveyan bixwîne", "read_more": "Zêdetir şîroveyan bixwîne",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Билдирүүлөр", "title": "Билдирүүлөр",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Kuracijos Atlygis", "curation_reward": "Kuracijos Atlygis",
"author_reward": "Autorius Atlygis", "author_reward": "Autorius Atlygis",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Labdarystės atlygis", "comment_benefactor_reward": "Labdarystės atlygis",
"claim_reward_balance": "Atsiimti atlygį ", "claim_reward_balance": "Atsiimti atlygį ",
"points_activity": "Activity",
"transfer": "Pervesti", "transfer": "Pervesti",
"power_up": "Į Teisių suteikimą", "power_up": "Į Teisių suteikimą",
"transfer_from_savings": "Iš santaupų", "transfer_from_savings": "Iš santaupų",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Komentarai", "title": "Komentarai",
"reveal_comment": "Rodyti komentarus", "reveal_comment": "Reveal Content",
"read_more": "Skaityti daugiau komentarų", "read_more": "Skaityti daugiau komentarų",
"more_replies": "atsakytos žinutės", "more_replies": "atsakytos žinutės",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Ganjaran Kurasi", "curation_reward": "Ganjaran Kurasi",
"author_reward": "Ganjaran penulis", "author_reward": "Ganjaran penulis",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Ganjaran Penyumbang", "comment_benefactor_reward": "Ganjaran Penyumbang",
"claim_reward_balance": "Tuntut Ganjaran ", "claim_reward_balance": "Tuntut Ganjaran ",
"points_activity": "Activity",
"transfer": "Pindah", "transfer": "Pindah",
"power_up": "Tingkatkan Kuasa", "power_up": "Tingkatkan Kuasa",
"transfer_from_savings": "Dari Simpanan", "transfer_from_savings": "Dari Simpanan",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Komen-komen", "title": "Komen-komen",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curatie-beloning", "curation_reward": "Curatie-beloning",
"author_reward": "Auteurs-beloning", "author_reward": "Auteurs-beloning",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Overschrijven", "transfer": "Overschrijven",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Reacties", "title": "Reacties",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Reward For Post Wey You Upvote", "curation_reward": "Reward For Post Wey You Upvote",
"author_reward": "Person Wey Write Reward", "author_reward": "Person Wey Write Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Ur helper property", "comment_benefactor_reward": "Ur helper property",
"claim_reward_balance": "Collect your property ", "claim_reward_balance": "Collect your property ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From wia you keep am", "transfer_from_savings": "From wia you keep am",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Show dis comment", "reveal_comment": "Reveal Content",
"read_more": "Check dem comments", "read_more": "Check dem comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Wynagrodzenie Kuratora", "curation_reward": "Wynagrodzenie Kuratora",
"author_reward": "Nagroda autora", "author_reward": "Nagroda autora",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Nagroda dobroczynna", "comment_benefactor_reward": "Nagroda dobroczynna",
"claim_reward_balance": "Odbierz nagrodę ", "claim_reward_balance": "Odbierz nagrodę ",
"points_activity": "Activity",
"transfer": "Przelew", "transfer": "Przelew",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "Z oszczędności", "transfer_from_savings": "Z oszczędności",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Komentarze", "title": "Komentarze",
"reveal_comment": "Pokaż komentarz", "reveal_comment": "Reveal Content",
"read_more": "Przeczytaj więcej komentarzy", "read_more": "Przeczytaj więcej komentarzy",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Recompensa de Curadoria", "curation_reward": "Recompensa de Curadoria",
"author_reward": "Recompensa do Autor", "author_reward": "Recompensa do Autor",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Recompensa de Beneficiário", "comment_benefactor_reward": "Recompensa de Beneficiário",
"claim_reward_balance": "Solicitar recompensa ", "claim_reward_balance": "Solicitar recompensa ",
"points_activity": "Activity",
"transfer": "Transferir", "transfer": "Transferir",
"power_up": "Power Up", "power_up": "Power Up",
"transfer_from_savings": "Das poupanças", "transfer_from_savings": "Das poupanças",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comentários", "title": "Comentários",
"reveal_comment": "Revelar comentário", "reveal_comment": "Reveal Content",
"read_more": "Ler mais comentários", "read_more": "Ler mais comentários",
"more_replies": "respostas", "more_replies": "respostas",
"no_comments": "Seja o primeiro a comentar..." "no_comments": "Seja o primeiro a comentar..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Recompensă de curare", "curation_reward": "Recompensă de curare",
"author_reward": "Recompensă Autor", "author_reward": "Recompensă Autor",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Recompensa Binefăcătorului", "comment_benefactor_reward": "Recompensa Binefăcătorului",
"claim_reward_balance": "Colectează recompensa ", "claim_reward_balance": "Colectează recompensa ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "De la economii", "transfer_from_savings": "De la economii",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comentarii", "title": "Comentarii",
"reveal_comment": "Arată comentariul", "reveal_comment": "Reveal Content",
"read_more": "Vizualizați mai multe comentarii", "read_more": "Vizualizați mai multe comentarii",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Кураторская награда", "curation_reward": "Кураторская награда",
"author_reward": "Авторская награда", "author_reward": "Авторская награда",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Награда бенефициару", "comment_benefactor_reward": "Награда бенефициару",
"claim_reward_balance": "Получить награду ", "claim_reward_balance": "Получить награду ",
"points_activity": "Activity",
"transfer": "Перевод", "transfer": "Перевод",
"power_up": "В Силу", "power_up": "В Силу",
"transfer_from_savings": "Из сейфа", "transfer_from_savings": "Из сейфа",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Комментарии", "title": "Комментарии",
"reveal_comment": "Показать комментарий", "reveal_comment": "Reveal Content",
"read_more": "Читать больше комментариев", "read_more": "Читать больше комментариев",
"more_replies": "ответы", "more_replies": "ответы",
"no_comments": "Прокомментируйте первым..." "no_comments": "Прокомментируйте первым..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Nagrada od glasov", "curation_reward": "Nagrada od glasov",
"author_reward": "Avtorska nagrada", "author_reward": "Avtorska nagrada",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Prenesi", "transfer": "Prenesi",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Nagrade za glasanje", "curation_reward": "Nagrade za glasanje",
"author_reward": "Nagrada za autora", "author_reward": "Nagrada za autora",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Nagrada dobrotvora", "comment_benefactor_reward": "Nagrada dobrotvora",
"claim_reward_balance": "Potvrdi nagradu ", "claim_reward_balance": "Potvrdi nagradu ",
"points_activity": "Activity",
"transfer": "Prenos", "transfer": "Prenos",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "Od štednje", "transfer_from_savings": "Od štednje",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Komentari", "title": "Komentari",
"reveal_comment": "Prikaži komentar", "reveal_comment": "Reveal Content",
"read_more": "Pročitajte još komentara", "read_more": "Pročitajte još komentara",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Küratör Ödülü", "curation_reward": "Küratör Ödülü",
"author_reward": "Yazar Ödülü", "author_reward": "Yazar Ödülü",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Bağış Ödülü", "comment_benefactor_reward": "Bağış Ödülü",
"claim_reward_balance": "Ödül Talep Et ", "claim_reward_balance": "Ödül Talep Et ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "Hakediş", "power_up": "Hakediş",
"transfer_from_savings": "Tasarruflardan", "transfer_from_savings": "Tasarruflardan",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Yorumlar", "title": "Yorumlar",
"reveal_comment": "Yorumu göster", "reveal_comment": "Reveal Content",
"read_more": "Daha fazla yorum oku", "read_more": "Daha fazla yorum oku",
"more_replies": "yanıtlar", "more_replies": "yanıtlar",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Кураторська Винагорода", "curation_reward": "Кураторська Винагорода",
"author_reward": "Авторська Винагорода", "author_reward": "Авторська Винагорода",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Винагорода бенефіціару", "comment_benefactor_reward": "Винагорода бенефіціару",
"claim_reward_balance": "Отримати винагороду ", "claim_reward_balance": "Отримати винагороду ",
"points_activity": "Activity",
"transfer": "Переказ", "transfer": "Переказ",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "Із заощаджень", "transfer_from_savings": "Із заощаджень",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Коментарі", "title": "Коментарі",
"reveal_comment": "Показати коментар", "reveal_comment": "Reveal Content",
"read_more": "Читати більше коментарів", "read_more": "Читати більше коментарів",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Curation Reward", "curation_reward": "Curation Reward",
"author_reward": "Author Reward", "author_reward": "Author Reward",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Transfer", "transfer": "Transfer",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Comments", "title": "Comments",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Kuratorlik mukofoti", "curation_reward": "Kuratorlik mukofoti",
"author_reward": "Avtorlik mukofoti", "author_reward": "Avtorlik mukofoti",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefitsiar mukofoti", "comment_benefactor_reward": "Benefitsiar mukofoti",
"claim_reward_balance": "Mukofotlarni olish ", "claim_reward_balance": "Mukofotlarni olish ",
"points_activity": "Activity",
"transfer": "O'tkazma", "transfer": "O'tkazma",
"power_up": "Sarmoya kiritish", "power_up": "Sarmoya kiritish",
"transfer_from_savings": "Jamg'armadan", "transfer_from_savings": "Jamg'armadan",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Izohlar", "title": "Izohlar",
"reveal_comment": "Izhohni ko'rsatish", "reveal_comment": "Reveal Content",
"read_more": "Ko'proq izohlarni o'qish", "read_more": "Ko'proq izohlarni o'qish",
"more_replies": "javoblar", "more_replies": "javoblar",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Phần thưởng curation", "curation_reward": "Phần thưởng curation",
"author_reward": "Phần thưởng cho tác giả", "author_reward": "Phần thưởng cho tác giả",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Benefactor Reward", "comment_benefactor_reward": "Benefactor Reward",
"claim_reward_balance": "Claim Reward ", "claim_reward_balance": "Claim Reward ",
"points_activity": "Activity",
"transfer": "Chuyển cho", "transfer": "Chuyển cho",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "From Savings", "transfer_from_savings": "From Savings",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Bình luận", "title": "Bình luận",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "Ere lati ara asayan ibo", "curation_reward": "Ere lati ara asayan ibo",
"author_reward": "Ere Ako oro", "author_reward": "Ere Ako oro",
"community_reward": "Community Reward",
"comment_benefactor_reward": "Èrè onínúure", "comment_benefactor_reward": "Èrè onínúure",
"claim_reward_balance": "Ko ere ", "claim_reward_balance": "Ko ere ",
"points_activity": "Activity",
"transfer": "Fi ranse", "transfer": "Fi ranse",
"power_up": "Si iyasọtọ eda", "power_up": "Si iyasọtọ eda",
"transfer_from_savings": "Láti inú àpamọ", "transfer_from_savings": "Láti inú àpamọ",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "Oro iwoye", "title": "Oro iwoye",
"reveal_comment": "Reveal comment", "reveal_comment": "Reveal Content",
"read_more": "Read more comments", "read_more": "Read more comments",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "审查奖励", "curation_reward": "审查奖励",
"author_reward": "作者奖励", "author_reward": "作者奖励",
"community_reward": "Community Reward",
"comment_benefactor_reward": "受益者奖励", "comment_benefactor_reward": "受益者奖励",
"claim_reward_balance": "领取奖励 ", "claim_reward_balance": "领取奖励 ",
"points_activity": "Activity",
"transfer": "转账", "transfer": "转账",
"power_up": "To Vesting", "power_up": "To Vesting",
"transfer_from_savings": "储蓄转出", "transfer_from_savings": "储蓄转出",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "评论", "title": "评论",
"reveal_comment": "显示评论", "reveal_comment": "Reveal Content",
"read_more": "查看更多评论", "read_more": "查看更多评论",
"more_replies": "replies", "more_replies": "replies",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -2,8 +2,10 @@
"wallet": { "wallet": {
"curation_reward": "審查獎勵", "curation_reward": "審查獎勵",
"author_reward": "作者獎勵", "author_reward": "作者獎勵",
"community_reward": "Community Reward",
"comment_benefactor_reward": "受益者獎勵分配", "comment_benefactor_reward": "受益者獎勵分配",
"claim_reward_balance": "領取獎勵", "claim_reward_balance": "領取獎勵",
"points_activity": "Activity",
"transfer": "轉賬", "transfer": "轉賬",
"power_up": "轉為 Hive Power", "power_up": "轉為 Hive Power",
"transfer_from_savings": "從儲蓄轉出", "transfer_from_savings": "從儲蓄轉出",
@ -912,7 +914,7 @@
}, },
"comments": { "comments": {
"title": "評論", "title": "評論",
"reveal_comment": "顯示評論", "reveal_comment": "Reveal Content",
"read_more": "查看更多評論", "read_more": "查看更多評論",
"more_replies": "回復", "more_replies": "回復",
"no_comments": "Be the first to respond..." "no_comments": "Be the first to respond..."

View File

@ -1510,7 +1510,7 @@ export const postComment = (
permlink, permlink,
body, body,
parentTags, parentTags,
isEdit = false, jsonMetadata = null,
) => ) =>
_postContent( _postContent(
account, account,
@ -1520,7 +1520,7 @@ export const postComment = (
permlink, permlink,
'', '',
body, body,
makeJsonMetadataReply(parentTags || ['ecency']), jsonMetadata ? jsonMetadata : makeJsonMetadataReply(parentTags || ['ecency']),
null, null,
null, null,
) )

View File

@ -6,7 +6,7 @@ import {
} from '@tanstack/react-query'; } from '@tanstack/react-query';
import { useEffect, useMemo, useRef, useState } from 'react'; import { useEffect, useMemo, useRef, useState } from 'react';
import { unionBy } from 'lodash'; import { unionBy, isArray } from 'lodash';
import { getDiscussionCollection } from '../../hive/dhive'; import { getDiscussionCollection } from '../../hive/dhive';
import { getAccountPosts } from '../../hive/dhive'; import { getAccountPosts } from '../../hive/dhive';
@ -22,6 +22,7 @@ export const useWavesQuery = (host: string) => {
const queryClient = useQueryClient(); const queryClient = useQueryClient();
const cache = useAppSelector(state => state.cache); const cache = useAppSelector(state => state.cache);
const mutes = useAppSelector(state => state.account.currentAccount.mutes);
const cacheRef = useRef(cache); const cacheRef = useRef(cache);
const cachedVotes = cache.votesCollection const cachedVotes = cache.votesCollection
@ -42,9 +43,9 @@ export const useWavesQuery = (host: string) => {
// query initialization // query initialization
const wavesQueries = useQueries({ const wavesQueries = useQueries({
queries: activePermlinks.map((pagePermlink, index) => ({ queries: activePermlinks.map((pagePermlink, index) => ({
queryKey: [QUERIES.WAVES.GET, host, index], queryKey: [QUERIES.WAVES.GET, host, index],
queryFn: () => _fetchWaves(pagePermlink), queryFn: () => _fetchWaves(pagePermlink),
initialData: [], initialData: [],
})), })),
}); });
@ -220,10 +221,14 @@ export const useWavesQuery = (host: string) => {
const _dataArrs = wavesQueries.map((query) => query.data); const _data = unionBy(...wavesQueries.map((query) => query.data), 'url');
const _filteredData = useMemo(() =>
_data.filter(post => isArray(mutes) ? mutes.indexOf(post?.author) < 0 : true),
[mutes, _data])
return { return {
data: unionBy(..._dataArrs, 'url'), data: _filteredData,
isRefreshing, isRefreshing,
isLoading: isLoading || wavesQueries.lastItem?.isLoading || wavesQueries.lastItem?.isFetching, isLoading: isLoading || wavesQueries.lastItem?.isLoading || wavesQueries.lastItem?.isFetching,
fetchNextPage: _fetchNextPage, fetchNextPage: _fetchNextPage,

View File

@ -18,7 +18,6 @@ import {
DELETE_CLAIM_CACHE_ENTRY, DELETE_CLAIM_CACHE_ENTRY,
} from '../constants/constants'; } from '../constants/constants';
import { import {
ClaimCache,
Comment, Comment,
CacheStatus, CacheStatus,
Draft, Draft,

View File

@ -27,7 +27,8 @@ export enum CacheStatus {
export interface VoteCache { export interface VoteCache {
amount: number; amount: number;
isDownvote: boolean; isDownvote: boolean;
sliderValue: number; rshares: number;
percent: number;
incrementStep: number; incrementStep: number;
votedAt: number; votedAt: number;
expiresAt: number; expiresAt: number;

View File

@ -26,7 +26,7 @@ import { default as ROUTES } from '../../../constants/routeNames';
// Utilities // Utilities
import { import {
generatePermlink, generatePermlink,
generateReplyPermlink, generateUniquePermlink,
makeJsonMetadata, makeJsonMetadata,
makeOptions, makeOptions,
extractMetadata, extractMetadata,
@ -707,7 +707,9 @@ class EditorContainer extends Component<EditorContainerProps, any> {
}); });
const { post } = this.state; const { post } = this.state;
const permlink = generateReplyPermlink(post.author);
const _prefix = `re-${post.author.replace(/\./g, '')}`
const permlink = generateUniquePermlink(_prefix);
const parentAuthor = post.author; const parentAuthor = post.author;
const parentPermlink = post.permlink; const parentPermlink = post.permlink;

View File

@ -1,7 +1,6 @@
import React, { useState, useEffect } from 'react'; import React, { useState, useEffect } from 'react';
import { useIntl } from 'react-intl'; import { useIntl } from 'react-intl';
import get from 'lodash/get'; import get from 'lodash/get';
import forEach from 'lodash/forEach';
// Components // Components
import { gestureHandlerRootHOC } from 'react-native-gesture-handler'; import { gestureHandlerRootHOC } from 'react-native-gesture-handler';
@ -12,45 +11,38 @@ import AccountListContainer from '../../../containers/accountListContainer';
// Utils // Utils
import { getActiveVotes } from '../../../providers/hive/dhive'; import { getActiveVotes } from '../../../providers/hive/dhive';
import { parseActiveVotes } from '../../../utils/postParser'; import { parseActiveVotes } from '../../../utils/postParser';
import { getResizedAvatar } from '../../../utils/image'; import { useInjectVotesCache } from '../../../providers/queries/postQueries/postQueries';
const filterOptions = ['rewards', 'percent', 'time']; const filterOptions = ['rewards', 'percent', 'time'];
const VotersScreen = ({ route }) => { const VotersScreen = ({ route }) => {
const intl = useIntl(); const intl = useIntl();
const [content] = useState(route.params?.content ?? null); const [post, setPost] = useState(route.params?.content ?? null);
const [activeVotes, setActiveVotes] = useState(get(content, 'active_votes') || []); const _cPost = useInjectVotesCache(post);
const headerTitle = intl.formatMessage({ const headerTitle = intl.formatMessage({
id: 'voters.voters_info', id: 'voters.voters_info',
}); });
useEffect(() => {
const av = get(content, 'active_votes', []);
forEach(av, (value) => {
value.reward = 0;
value.percent = 0;
value.is_down_vote = Math.sign(value.rshares) < 0;
value.avatar = getResizedAvatar(get(value, 'voter'));
});
setActiveVotes(av);
}, []);
useEffect(() => { useEffect(() => {
if (content) { if (route.params?.content) {
getActiveVotes(get(content, 'author'), get(content, 'permlink')) getActiveVotes(get(post, 'author'), get(post, 'permlink'))
.then((result) => { .then((result) => {
result.sort((a, b) => b.rshares - a.rshares); result.sort((a, b) => b.rshares - a.rshares);
const _votes = parseActiveVotes({ ...content, active_votes: result }); post.active_votes = parseActiveVotes({ ...post, active_votes: result });;
setActiveVotes(_votes); setPost({...post});
}) })
.catch(() => {}); .catch(() => {});
} }
}, [content]); }, [route.params?.content]);
const _activeVotes = _cPost.active_votes.slice();
return ( return (
<AccountListContainer data={activeVotes}> <AccountListContainer data={_activeVotes}>
{({ data, filterResult, filterIndex, handleOnVotersDropdownSelect, handleSearch }) => ( {({ data, filterResult, filterIndex, handleOnVotersDropdownSelect, handleSearch }) => (
<> <>
<BasicHeader <BasicHeader
@ -72,7 +64,7 @@ const VotersScreen = ({ route }) => {
selectedOptionIndex={filterIndex} selectedOptionIndex={filterIndex}
onDropdownSelect={handleOnVotersDropdownSelect} onDropdownSelect={handleOnVotersDropdownSelect}
/> />
<VotersDisplay votes={filterResult || data} createdAt={content.created} /> <VotersDisplay votes={filterResult || data} createdAt={post.created} />
</> </>
)} )}
</AccountListContainer> </AccountListContainer>

View File

@ -1,20 +1,31 @@
import React, { useEffect, useRef } from 'react'; import React, { useRef, useState } from 'react';
import { ActivityIndicator, RefreshControl, View } from 'react-native'; import { ActivityIndicator, NativeScrollEvent, NativeSyntheticEvent, RefreshControl, View, FlatList } from 'react-native';
import { Comments, EmptyScreen, Header, PostOptionsModal } from '../../../components'; import { Comments, EmptyScreen, Header, PostOptionsModal } from '../../../components';
import styles from '../styles/wavesScreen.styles'; import styles from '../styles/wavesScreen.styles';
import { wavesQueries } from '../../../providers/queries'; import { wavesQueries } from '../../../providers/queries';
import { useAppSelector } from '../../../hooks'; import { useAppSelector } from '../../../hooks';
import WavesHeader from '../children/wavesHeader'; import WavesHeader from '../children/wavesHeader';
import { PostTypes } from '../../../constants/postTypes';
import ScrollTopPopup from '../../../components/tabbedPosts/view/scrollTopPopup';
import { debounce } from 'lodash';
const SCROLL_POPUP_THRESHOLD = 5000;
const WavesScreen = () => { const WavesScreen = () => {
//refs
const postOptionsModalRef = useRef<any>(null); const postOptionsModalRef = useRef<any>(null);
const postsListRef = useRef<FlatList>();
const blockPopupRef = useRef(false);
const scrollOffsetRef = useRef(0);
const wavesQuery = wavesQueries.useWavesQuery('ecency.waves'); const wavesQuery = wavesQueries.useWavesQuery('ecency.waves');
const isDarkTheme = useAppSelector(state => state.application.isDarkTheme) const isDarkTheme = useAppSelector(state => state.application.isDarkTheme)
const [enableScrollTop, setEnableScrollTop] = useState(false);
const _fetchData = ({ refresh }: { refresh?: boolean }) => { const _fetchData = ({ refresh }: { refresh?: boolean }) => {
if (refresh) { if (refresh) {
@ -24,6 +35,40 @@ const WavesScreen = () => {
} }
} }
//scrolls to top, blocks scroll popup for 2 seconds to reappear after scroll
const _scrollTop = () => {
if (postsListRef.current) {
postsListRef.current.scrollToOffset({offset:0});
setEnableScrollTop(false);
scrollPopupDebouce.cancel();
blockPopupRef.current = true;
setTimeout(() => {
blockPopupRef.current = false;
}, 2000);
}
}
//makes sure pop do not reappear while scrolling up
const scrollPopupDebouce = debounce(
(value) => {
setEnableScrollTop(value);
},
500,
{ leading: true },
);
//calback to calculate with to display scroll to popup
const _onScroll = (event: NativeSyntheticEvent<NativeScrollEvent>) => {
let currentOffset = event.nativeEvent.contentOffset.y;
let scrollUp = currentOffset < scrollOffsetRef.current;
scrollOffsetRef.current = currentOffset;
if (scrollUp && !blockPopupRef.current && currentOffset > SCROLL_POPUP_THRESHOLD) {
scrollPopupDebouce(true);
}
};
const _handleOnOptionsPress = (content: any) => { const _handleOnOptionsPress = (content: any) => {
if (postOptionsModalRef.current) { if (postOptionsModalRef.current) {
@ -47,11 +92,13 @@ const WavesScreen = () => {
<View style={{ flex: 1 }}> <View style={{ flex: 1 }}>
<Comments <Comments
postType={PostTypes.WAVE}
comments={_data} comments={_data}
handleOnOptionsPress={_handleOnOptionsPress} handleOnOptionsPress={_handleOnOptionsPress}
flatListProps={{ flatListProps={{
ref: postsListRef,
onEndReached: _fetchData, onEndReached: _fetchData,
onScroll: () => { }, onScroll: _onScroll,
ListEmptyComponent: _renderListEmpty, ListEmptyComponent: _renderListEmpty,
ListFooterComponent: _renderListFooter, ListFooterComponent: _renderListFooter,
ListHeaderComponent: _renderListHeader, ListHeaderComponent: _renderListHeader,
@ -67,8 +114,18 @@ const WavesScreen = () => {
), ),
}} }}
/> />
<ScrollTopPopup
popupAvatars={[]}
enableScrollTop={enableScrollTop}
onPress={_scrollTop}
onClose={() => {
setEnableScrollTop(false);
}}
/>
</View> </View>
<PostOptionsModal ref={postOptionsModalRef} /> <PostOptionsModal ref={postOptionsModalRef} />
</View> </View>

View File

@ -3,6 +3,7 @@ import { Image } from 'react-native';
import { diff_match_patch as diffMatchPatch } from 'diff-match-patch'; import { diff_match_patch as diffMatchPatch } from 'diff-match-patch';
import VersionNumber from 'react-native-version-number'; import VersionNumber from 'react-native-version-number';
import MimeTypes from 'mime-types'; import MimeTypes from 'mime-types';
import { PostTypes } from '../constants/postTypes';
export const getWordsCount = (text) => export const getWordsCount = (text) =>
text && typeof text === 'string' ? text.replace(/^\s+|\s+$/g, '').split(/\s+/).length : 0; text && typeof text === 'string' ? text.replace(/^\s+|\s+$/g, '').split(/\s+/).length : 0;
@ -80,8 +81,8 @@ export const extractWordAtIndex = (text: string, index: number) => {
return word; return word;
}; };
export const generateReplyPermlink = (toAuthor) => { export const generateUniquePermlink = (prefix) => {
if (!toAuthor) { if (!prefix) {
return ''; return '';
} }
@ -93,7 +94,7 @@ export const generateReplyPermlink = (toAuthor) => {
.getSeconds() .getSeconds()
.toString()}${t.getMilliseconds().toString()}z`; .toString()}${t.getMilliseconds().toString()}z`;
return `re-${toAuthor.replace(/\./g, '')}-${timeFormat}`; return `${prefix}-${timeFormat}`;
}; };
export const makeOptions = (postObj) => { export const makeOptions = (postObj) => {
@ -214,10 +215,12 @@ export const extractMetadata = async ({
body, body,
thumbUrl, thumbUrl,
fetchRatios, fetchRatios,
postType,
}: { }: {
body: string; body: string;
thumbUrl?: string; thumbUrl?: string;
fetchRatios?: boolean; fetchRatios?: boolean;
postType?: PostTypes;
}) => { }) => {
// NOTE: keepting regex to extract usernames as reference for later usage if any // NOTE: keepting regex to extract usernames as reference for later usage if any
// const userReg = /(^|\s)(@[a-z][-.a-z\d]+[a-z\d])/gim; // const userReg = /(^|\s)(@[a-z][-.a-z\d]+[a-z\d])/gim;
@ -254,6 +257,10 @@ export const extractMetadata = async ({
); );
} }
//setting post type, primary usecase for separating waves from other posts
out.type = postType || PostTypes.POST
return out; return out;
}; };

View File

@ -1,6 +1,6 @@
import isEmpty from 'lodash/isEmpty'; import isEmpty from 'lodash/isEmpty';
import forEach from 'lodash/forEach'; import forEach from 'lodash/forEach';
import { get } from 'lodash'; import { get, isArray } from 'lodash';
import { Platform } from 'react-native'; import { Platform } from 'react-native';
import { postBodySummary, renderPostBody, catchPostImage } from '@ecency/render-helper'; import { postBodySummary, renderPostBody, catchPostImage } from '@ecency/render-helper';
import FastImage from 'react-native-fast-image'; import FastImage from 'react-native-fast-image';
@ -10,6 +10,7 @@ import parseAsset from './parseAsset';
import { getResizedAvatar } from './image'; import { getResizedAvatar } from './image';
import { parseReputation } from './user'; import { parseReputation } from './user';
import { CacheStatus } from '../redux/reducers/cacheReducer'; import { CacheStatus } from '../redux/reducers/cacheReducer';
import { calculateVoteReward, getEstimatedAmount } from './vote';
const webp = Platform.OS !== 'ios'; const webp = Platform.OS !== 'ios';
@ -324,24 +325,34 @@ export const injectVoteCache = (post, voteCache) => {
//if vote do not already exist //if vote do not already exist
if (_voteIndex < 0 && voteCache.status !== CacheStatus.DELETED) { if (_voteIndex < 0 && voteCache.status !== CacheStatus.DELETED) {
post.total_payout += voteCache.amount * (voteCache.isDownvote ? -1 : 1); post.total_payout += voteCache.amount * (voteCache.isDownvote ? -1 : 1);
post.active_votes = [
...post.active_votes, //calculate updated totalRShares and send to post
{ const _totalRShares = post.active_votes.reduce(
voter: voteCache.voter, (accumulator: number, item: any) => accumulator + parseFloat(item.rshares),
rshares: voteCache.isDownvote ? -1000 : 1000, voteCache.rshares);
}, const _newVote = parseVote(voteCache, post, _totalRShares);
]; post.active_votes = [...post.active_votes, _newVote];
} }
//if vote already exist //if vote already exist
else { else {
//TODO: caluclate estimate amount from existing rshares and subtract from total_payout const _vote = post.active_votes[_voteIndex];
//TOOD: calcualte real rshares
post.active_votes[_voteIndex].rshares = !voteCache.sliderValue //get older and new reward for the vote
? 0 : voteCache.isDownvote const _oldReward = calculateVoteReward(_vote.rshares, post);
? -1000 : 1000;
//update total payout
const _voteAmount = voteCache.amount * (voteCache.isDownvote ? -1 : 1);
post.total_payout += _voteAmount - _oldReward
//update vote entry
_vote.rshares = voteCache.rshares
_vote.percent100 = _vote.percent && voteCache.percent / 100
post.active_votes[_voteIndex] = _vote;
post.active_votes = [...post.active_votes]; post.active_votes = [...post.active_votes];
} }
} }
@ -363,6 +374,8 @@ export const isVoted = async (activeVotes, currentUserName) => {
return false; return false;
}; };
export const isDownVoted = async (activeVotes, currentUserName) => { export const isDownVoted = async (activeVotes, currentUserName) => {
if (!currentUserName) { if (!currentUserName) {
return false; return false;
@ -376,28 +389,29 @@ export const isDownVoted = async (activeVotes, currentUserName) => {
return false; return false;
}; };
export const parseActiveVotes = (post) => { export const parseActiveVotes = (post) => {
const totalPayout =
post.total_payout ||
parseFloat(post.pending_payout_value) +
parseFloat(post.total_payout_value) +
parseFloat(post.curator_payout_value);
const voteRshares = post.active_votes.reduce((a, b) => a + parseFloat(b.rshares), 0); const _totalRShares = post.active_votes.reduce((a, b) => a + parseFloat(b.rshares), 0);
const ratio = totalPayout / voteRshares || 0;
if (!isEmpty(post.active_votes)) { if (isArray(post.active_votes)) {
forEach(post.active_votes, (value) => { post.active_votes = post.active_votes.map((vote) => parseVote(vote, post, _totalRShares))
value.reward = (value.rshares * ratio).toFixed(3);
value.percent /= 100;
value.is_down_vote = Math.sign(value.percent) < 0;
value.avatar = getResizedAvatar(get(value, 'voter'));
});
} }
return post.active_votes; return post.active_votes;
}; };
export const parseVote = (activeVote: any, post: any, _totalRShares?: number) => {
activeVote.reward = calculateVoteReward(activeVote.rshares, post, _totalRShares).toFixed(3);
activeVote.percent100 = activeVote.percent / 100;
activeVote.is_down_vote = Math.sign(activeVote.rshares) < 0;
activeVote.avatar = getResizedAvatar(activeVote.voter);
return activeVote;
}
const parseTags = (post: any) => { const parseTags = (post: any) => {
if (post.json_metadata) { if (post.json_metadata) {
const _tags = get(post.json_metadata, 'tags', []); const _tags = get(post.json_metadata, 'tags', []);

View File

@ -2,18 +2,14 @@ import parseToken from './parseToken';
import { GlobalProps } from '../redux/reducers/accountReducer'; import { GlobalProps } from '../redux/reducers/accountReducer';
import { votingPower } from '../providers/hive/dhive'; import { votingPower } from '../providers/hive/dhive';
export const getEstimatedAmount = (account, globalProps: GlobalProps, sliderValue: number = 1) => { export const getEstimatedAmount = (account, globalProps: GlobalProps, sliderValue: number = 1) => {
const { fundRecentClaims, fundRewardBalance, base, quote } = globalProps; const { fundRecentClaims, fundRewardBalance, base, quote } = globalProps;
const _votingPower: number = votingPower(account) * 100;
const vestingShares = parseToken(account.vesting_shares);
const receievedVestingShares = parseToken(account.received_vesting_shares);
const delegatedVestingShared = parseToken(account.delegated_vesting_shares);
const totalVests = vestingShares + receievedVestingShares - delegatedVestingShared;
// const totalVests = parseToken(account.post_voting_power);
const weight = sliderValue * 10000;
const hbdMedian = base / quote; const hbdMedian = base / quote;
const voteEffectiveShares = calculateVoteRshares(totalVests, _votingPower, weight); const weight = sliderValue * 10000;
const voteEffectiveShares = calculateEstimatedRShares(account, weight)
const voteValue = (voteEffectiveShares / fundRecentClaims) * fundRewardBalance * hbdMedian; const voteValue = (voteEffectiveShares / fundRecentClaims) * fundRewardBalance * hbdMedian;
const estimatedAmount = weight < 0 ? Math.min(voteValue * -1, 0) : Math.max(voteValue, 0); const estimatedAmount = weight < 0 ? Math.min(voteValue * -1, 0) : Math.max(voteValue, 0);
@ -30,6 +26,20 @@ export const getEstimatedAmount = (account, globalProps: GlobalProps, sliderValu
}; };
export const calculateEstimatedRShares = (account:any, weight: number = 10000) => {
const _votingPower: number = votingPower(account) * 100;
const vestingShares = parseToken(account.vesting_shares);
const receievedVestingShares = parseToken(account.received_vesting_shares);
const delegatedVestingShared = parseToken(account.delegated_vesting_shares);
const totalVests = vestingShares + receievedVestingShares - delegatedVestingShared;
return calculateVoteRshares(totalVests, _votingPower, weight);
}
/* /*
* Changes in HF25 * Changes in HF25
* Full 'rshares' always added to the post. * Full 'rshares' always added to the post.
@ -44,3 +54,30 @@ export const calculateVoteRshares = (userEffectiveVests: number, vp = 10000, wei
const voteRshares = userVestingShares * (userVotingPower / 10000) * 0.02; const voteRshares = userVestingShares * (userVotingPower / 10000) * 0.02;
return voteRshares; return voteRshares;
}; };
export const calculateVoteReward = (voteRShares:number, post:any, totalRshares?:number) => {
if(!voteRShares){
return 0
}
const totalPayout =
post.total_payout ||
parseFloat(post.pending_payout_value) || 0+
parseFloat(post.total_payout_value) || 0 +
parseFloat(post.curator_payout_value) || 0;
if(totalRshares === undefined){
totalRshares = post.active_votes.length
? post.active_votes.reduce((accumulator:number, item:any) => accumulator + parseFloat(item.rshares), 0)
: voteRShares;
}
const ratio = totalPayout / totalRshares || 0;
return voteRShares * ratio;
}