diff --git a/I18N.md b/I18N.md
index 5513efe6ccc..7dbe2a71649 100644
--- a/I18N.md
+++ b/I18N.md
@@ -8,12 +8,13 @@ There are excellent manuals detailing the translation process for [developers](h
### Update base translations file
1. Update the base TS files (`qml_base.ts` and `qml_en.ts`, the latter serving only for the purpose of providing plural forms for English):
```bash
-$ cd scripts/translationScripts
-$ python update-en-ts.py
+$ make update-translations
```
2. The updated TS files are created in the `ui/i18n/` directory
3. Ensure the updated base files land in master
+The resulting binary QM files are also produced by simply running `make` via `make compile-translations` subtarget
+
### Update translations
1. Create pull request with exported translations using lokalise.com, see [docs](https://docs.lokalise.com/en/articles/1684090-github)
diff --git a/Makefile b/Makefile
index 0fef70f454f..704a98c2712 100644
--- a/Makefile
+++ b/Makefile
@@ -22,6 +22,7 @@ BUILD_SYSTEM_DIR := vendor/nimbus-build-system
check-pkg-target-macos \
check-pkg-target-windows \
clean \
+ update-translations \
compile-translations \
deps \
nim_status_client \
@@ -39,11 +40,11 @@ BUILD_SYSTEM_DIR := vendor/nimbus-build-system
status-keycard-go \
statusq-sanity-checker \
run-statusq-sanity-checker \
- statusq-tests \
- run-statusq-tests \
- storybook-build \
- run-storybook \
- run-storybook-tests \
+ statusq-tests \
+ run-statusq-tests \
+ storybook-build \
+ run-storybook \
+ run-storybook-tests \
update
ifeq ($(NIM_PARAMS),)
@@ -532,18 +533,26 @@ $(UI_RESOURCES): $(UI_SOURCES) | check-qt-dir
rcc: $(UI_RESOURCES)
-TS_SOURCES := $(shell find ui/i18n -iname '*.ts') # ui/i18n/qml_*.ts
-QM_BINARIES := $(shell find ui/i18n -iname "*.ts" | sed 's/\.ts/\.qm/' | sed 's/ui/bin/') # bin/i18n/qml_*.qm
+TS_SOURCE_DIR := ui/i18n
+TS_BUILD_DIR := $(TS_SOURCE_DIR)/build
-$(QM_BINARIES): TS_FILE = $(shell echo $@ | sed 's/\.qm/\.ts/' | sed 's/bin/ui/')
-$(QM_BINARIES): $(TS_SOURCES) | check-qt-dir
- mkdir -p bin/i18n
- lrelease -removeidentical $(TS_FILE) -qm $@ $(HANDLE_OUTPUT)
+log-update-translations:
+ echo -e "\033[92mUpdating:\033[39m translations"
+
+update-translations: | log-update-translations
+ cmake -S $(TS_SOURCE_DIR) -B $(TS_BUILD_DIR) -Wno-dev $(HANDLE_OUTPUT)
+ cmake --build $(TS_BUILD_DIR) --target update_application_translations $(HANDLE_OUTPUT)
+# + cd scripts/translationScripts && ./fixup-base-ts-for-lokalise.py $(HANDLE_OUTPUT)
log-compile-translations:
echo -e "\033[92mCompiling:\033[39m translations"
-compile-translations: | log-compile-translations $(QM_BINARIES)
+compile-translations: | update-translations log-compile-translations
+ cmake -S $(TS_SOURCE_DIR) -B $(TS_BUILD_DIR) -Wno-dev $(HANDLE_OUTPUT)
+ cmake --build $(TS_BUILD_DIR) --target compile_application_translations $(HANDLE_OUTPUT)
+
+clean-translations:
+ rm -rf $(TS_BUILD_DIR)
# used to override the default number of kdf iterations for sqlcipher
KDF_ITERATIONS ?= 0
@@ -839,7 +848,7 @@ zip-windows: check-pkg-target-windows $(STATUS_CLIENT_7Z)
clean-destdir:
rm -rf bin/*
-clean: | clean-common clean-destdir statusq-clean status-go-clean dotherside-clean storybook-clean
+clean: | clean-common clean-destdir statusq-clean status-go-clean dotherside-clean storybook-clean clean-translations
rm -rf node_modules bottles/* pkg/* tmp/* $(STATUSKEYCARDGO)
+ $(MAKE) -C vendor/QR-Code-generator/c/ --no-print-directory clean
diff --git a/scripts/translationScripts/fixup-base-ts-for-lokalise.py b/scripts/translationScripts/fixup-base-ts-for-lokalise.py
new file mode 100755
index 00000000000..6254721961d
--- /dev/null
+++ b/scripts/translationScripts/fixup-base-ts-for-lokalise.py
@@ -0,0 +1,77 @@
+#!/usr/bin/python
+
+import xml.etree.ElementTree as ET
+import sys
+
+def main():
+ # Relative paths from project root
+ base_file = "../../ui/i18n/qml_base_en.ts"
+ plural_file = "../../ui/i18n/qml_en.ts"
+ output_file = "../../ui/i18n/qml_base_lokalise_en.ts"
+
+ # Parse the base TS file
+ try:
+ base_tree = ET.parse(base_file)
+ base_root = base_tree.getroot()
+ except ET.ParseError as e:
+ print(f"Error parsing {base_file}: {e}", file=sys.stderr)
+ sys.exit(1)
+
+ # Parse the plural TS file
+ try:
+ plural_tree = ET.parse(plural_file)
+ plural_root = plural_tree.getroot()
+ except ET.ParseError as e:
+ print(f"Error parsing {plural_file}: {e}", file=sys.stderr)
+ sys.exit(1)
+
+ # Create a dictionary for quick lookup of plural translations by source
+ plural_lookup = {}
+ for context in plural_root.findall('context'):
+ for message in context.findall('message'):
+ source = message.find('source')
+ if source is not None and source.text:
+ plural_lookup[source.text] = message.find('translation')
+
+ # Process each message in the base file
+ for context in base_root.findall('context'):
+ for message in context.findall('message'):
+ numerus = message.get('numerus')
+ source = message.find('source')
+ translation = message.find('translation')
+
+ if numerus == 'yes' and source is not None and source.text in plural_lookup:
+ # Copy translation from plural file
+ plural_translation = plural_lookup[source.text]
+ if plural_translation is not None:
+ # Clear existing translation content
+ translation.clear()
+ # Copy attributes and subelements
+ for attr, value in plural_translation.attrib.items():
+ translation.set(attr, value)
+ for child in plural_translation:
+ translation.append(child)
+ # Remove unfinished if present
+ if 'type' in translation.attrib and translation.attrib['type'] == 'unfinished':
+ del translation.attrib['type']
+ else:
+ # For non-numerus or unmatched, set translation to source
+ if translation is not None and source is not None:
+ translation.text = source.text
+ # Remove unfinished
+ if 'type' in translation.attrib and translation.attrib['type'] == 'unfinished':
+ del translation.attrib['type']
+
+ # Fixup the "language" attribute
+ base_root.set('language', 'en')
+
+ # Write the modified XML to output file
+ try:
+ base_tree.write(output_file, encoding='utf-8', xml_declaration=True)
+ print(f"Successfully transformed {base_file} to {output_file}")
+ except Exception as e:
+ print(f"Error writing to {output_file}: {e}", file=sys.stderr)
+ sys.exit(1)
+
+if __name__ == "__main__":
+ main()
diff --git a/scripts/translationScripts/update-en-ts.py b/scripts/translationScripts/update-en-ts.py
deleted file mode 100755
index 79cd2df1fde..00000000000
--- a/scripts/translationScripts/update-en-ts.py
+++ /dev/null
@@ -1,39 +0,0 @@
-#!/usr/bin/python
-
-import xml.etree.ElementTree as ET
-import subprocess
-
-# 1) Runs lupdate on ../../ui/nim-status-client.pro
-# 2) Fixups qml_base.ts: ensure each source has translation, otherwise Lokalise can't figure out base words
-#
-# usage: `python update-en-ts.py`
-
-
-def fixupTranslations(enTsFile: str):
- tsXmlTree = ET.parse(enTsFile)
-
- messageNodes = tsXmlTree.findall('.//message')
-
- for messageNode in messageNodes:
- enString = messageNode.find('source').text
- trNode = messageNode.find('translation')
- if not trNode.text:
- trNode.text = enString # add translation
- trNode.attrib = {} # remove 'type="unfinished"'
-
- tsXmlTree.write(enTsFile)
-
-
-if __name__ == "__main__":
- # full base TS file (has to come first as we're targetting the same language)
- basefile = "../../ui/i18n/qml_base.ts"
- p = subprocess.run(['lupdate', '../../ui/nim-status-client.pro', '-locations', 'none', '-source-language', 'en', '-no-obsolete', '-target-language', 'en', '-ts', basefile],
- stdout=subprocess.PIPE, stderr=subprocess.STDOUT, check=True, text=True)
- print(p.stdout)
- fixupTranslations(basefile)
-
- # EN "translation" file, plurals only
- enfile = "../../ui/i18n/qml_en.ts"
- p = subprocess.run(['lupdate', '../../ui/nim-status-client.pro', '-locations', 'none', '-source-language', 'en', '-pluralonly', '-no-obsolete', '-target-language', 'en', '-ts', enfile],
- stdout=subprocess.PIPE, stderr=subprocess.STDOUT, check=True, text=True)
- print(p.stdout)
diff --git a/src/app/modules/main/profile_section/language/locale_table.nim b/src/app/modules/main/profile_section/language/locale_table.nim
index 381017d97ac..dcdc2f64367 100644
--- a/src/app/modules/main/profile_section/language/locale_table.nim
+++ b/src/app/modules/main/profile_section/language/locale_table.nim
@@ -14,10 +14,11 @@ type
let localeDescriptionTable* = {
"ar": Description(name: "Arabic", native: "العربية", flag: "", state: State.Alpha),
- "bn": Description(name: "Bengali", native: "বাংলা", flag: "X", state: State.Alpha),
+ "bn": Description(name: "Bengali", native: "বাংলা", flag: "X", state: State.Alpha),
+ "cs": Description(name: "Czech", native: "čeština", flag: "🇨🇿", state: State.Alpha),
"de": Description(name: "German", native: "Deutsch", flag: "🇩🇪", state: State.Alpha),
"el": Description(name: "Greek", native: "Ελληνικά", flag: "🇬🇷", state: State.Alpha),
- "en": Description(name: "English", native: "English", flag: "🏴", state: State.Stable),
+ "en": Description(name: "English", native: "English", flag: "🇬🇧", state: State.Stable),
"en_US": Description(name: "English (United States)", native: "English (United States)", flag: "🇺🇸", state: State.Alpha),
"es": Description(name: "Spanish", native: "Español", flag: "🇪🇸", state: State.Alpha),
"es_419": Description(name: "Spanish (Latin America)", native: "Español (Latinoamerica)", flag: "", state: State.Alpha),
diff --git a/ui/i18n/CMakeLists.txt b/ui/i18n/CMakeLists.txt
new file mode 100644
index 00000000000..63a8042e647
--- /dev/null
+++ b/ui/i18n/CMakeLists.txt
@@ -0,0 +1,49 @@
+cmake_minimum_required(VERSION 3.19)
+
+project(status-app-i18n) # dummy project to silence warnings, TBD at the toplevel
+
+find_package(QT NAMES Qt6 REQUIRED COMPONENTS Core)
+find_package(Qt6 REQUIRED COMPONENTS LinguistTools)
+
+#qt6_standard_project_setup(I18N_TRANSLATED_LANGUAGES cs)
+
+set(QT_NO_MISSING_CATALOG_LANGUAGE_WARNING ON)
+
+file(GLOB_RECURSE
+ COLLECTED_SOURCE_FILES
+ ${CMAKE_SOURCE_DIR}/../*.qml
+)
+
+qt6_add_lupdate(
+ LUPDATE_TARGET update_application_translations # name of the cmake target
+ OPTIONS -locations none -no-obsolete -source-language en # options passed to 'lupdate'
+ TS_FILES
+ ${CMAKE_SOURCE_DIR}/qml_base_en.ts #empty base file, for manual translations
+ ${CMAKE_SOURCE_DIR}/qml_cs.ts
+ PLURALS_TS_FILE
+ ${CMAKE_SOURCE_DIR}/qml_en.ts
+ SOURCES ${COLLECTED_SOURCE_FILES}
+)
+
+qt6_add_lrelease(
+ LRELEASE_TARGET compile_application_translations # name of the cmake target
+ OPTIONS -removeidentical -compress -nounfinished # options passed to 'lrelease'
+ TS_FILES
+ ${CMAKE_SOURCE_DIR}/qml_en.ts
+ ${CMAKE_SOURCE_DIR}/qml_cs.ts
+ QM_OUTPUT_DIRECTORY ${CMAKE_SOURCE_DIR}/../../bin/i18n
+ MERGE_QT_TRANSLATIONS
+ QT_TRANSLATION_CATALOGS qtbase qtmultimedia qtwebengine
+)
+
+# Ideally at the toplevel it could be done sth like this in one pass/target:
+#qt6_add_translations(
+# TS_FILE_BASE qml_
+# SOURCES ${COLLECTED_SOURCE_FILES}
+# LUPDATE_TARGET update_application_translations
+# LUPDATE_OPTIONS "-locations none -no-obsolete"
+# LRELEASE_TARGET compile_application_translations
+# LRELEASE_OPTIONS "-removeidentical -compress -nounfinished"
+# QM_OUTPUT_DIRECTORY ${CMAKE_SOURCE_DIR}/../../bin/i18n
+# MERGE_QT_TRANSLATIONS
+#)
diff --git a/ui/i18n/qml_base_en.ts b/ui/i18n/qml_base_en.ts
new file mode 100644
index 00000000000..967d9d3b50d
--- /dev/null
+++ b/ui/i18n/qml_base_en.ts
@@ -0,0 +1,19021 @@
+
+
+
+
+
+
+ Contains account(s) with Keycard incompatible derivation paths
+
+
+
+
+ AboutView
+
+ Check for updates
+
+
+
+ Current Version
+
+
+
+ Status Go Version
+
+
+
+ Qt Version
+
+
+
+ Release Notes
+
+
+
+ Status Manifesto
+
+
+
+ Status Help
+
+
+
+ Status desktop’s GitHub Repositories
+
+
+
+ status-desktop
+
+
+
+ status-go
+
+
+
+ StatusQ
+
+
+
+ go-waku
+
+
+
+ Legal & Privacy Documents
+
+
+
+ Terms of Use
+
+
+
+ Privacy Policy
+
+
+
+ Software License
+
+
+
+
+ AcceptRejectOptionsButtonsPanel
+
+ Details
+
+
+
+ Decline and block
+
+
+
+
+ AccountAddressSelection
+
+ Scan addresses for activity
+
+
+
+ Scanning for activity...
+
+
+
+ Activity fetched for %1 / %2 addresses
+
+
+
+ Activity unknown
+
+
+
+ loading...
+
+
+
+ Has activity
+
+
+
+ No activity
+
+
+
+
+ AccountContextMenu
+
+ Address copied
+
+
+
+ Copy address
+
+
+
+ Edit
+
+
+
+ Include in balances and activity
+
+
+
+ Exclude from balances and activity
+
+
+
+ Delete
+
+
+
+ Add new account
+
+
+
+ Add watched address
+
+
+
+
+ AccountOrderView
+
+ Move your most frequently used accounts to the top of your wallet list
+
+
+
+ This account looks a little lonely. Add another account to enable re-ordering.
+
+
+
+
+ AccountView
+
+ Edit watched address
+
+
+
+ Edit account
+
+
+
+ Account details
+
+
+
+ Balance
+
+
+
+ Address
+
+
+
+ Key pair
+
+
+
+ Origin
+
+
+
+ Derived from your default Status key pair
+
+
+
+ Imported from recovery phrase
+
+
+
+ Imported from private key
+
+
+
+ Watched address
+
+
+
+ Derivation Path
+
+
+
+ Stored
+
+
+
+ Include in total balances and activity
+
+
+
+ Remove watched address
+
+
+
+ Remove account
+
+
+
+
+ ActiveNetworkLimitPopup
+
+ Network limit reached
+
+
+
+ A maximum of %1 networks can be enabled simultaneously. Disable one of the networks to enable this one.
+
+
+
+ Close
+
+
+
+
+ ActivityCenterLayout
+
+ Notifications
+
+
+
+ Under construction.<br>More notification types to be coming soon.
+
+
+
+ Mark all as Read
+
+
+
+ Show read notifications
+
+
+
+ Hide read notifications
+
+
+
+ Pair new device and sync profile
+
+
+
+ New device with %1 profile has been detected. You can see the device ID below and on your other device. Only confirm the request if the device ID matches.
+
+
+
+ Cancel
+
+
+
+ Pair and Sync
+
+
+
+ Pair this device and sync profile
+
+
+
+ Check your other device for a pairing request. Ensure that the this device ID displayed on your other device. Only proceed with pairing and syncing if the IDs are identical.
+
+
+
+ Enable RSS to receive Status News notifications
+
+
+
+ Enable Status News notifications
+
+
+
+ RSS is currently disabled via your Privacy & Security settings. Enable RSS to receive Status News notifications about upcoming features and important announcements.
+
+
+
+ This feature is currently turned off. Enable Status News notifications to receive notifications about upcoming features and important announcements
+
+
+
+ Enable RSS
+
+
+
+ You're all caught up
+
+
+
+ Your notifications will appear here
+
+
+
+
+ ActivityCenterPopupTopBarPanel
+
+ All
+
+
+
+ News
+
+
+
+ Admin
+
+
+
+ Mentions
+
+
+
+ Replies
+
+
+
+ Contact requests
+
+
+
+ Transactions
+
+
+
+ Membership
+
+
+
+ System
+
+
+
+
+ ActivityCounterpartyFilterSubMenu
+
+ Search name, ENS or address
+
+
+
+ Recent
+
+
+
+ Saved
+
+
+
+ No Recents
+
+
+
+ Loading Recents
+
+
+
+ No Saved Address
+
+
+
+
+ ActivityFilterMenu
+
+ Period
+
+
+
+ Type
+
+
+
+ Status
+
+
+
+ Tokens
+
+
+
+ Counterparty
+
+
+
+
+ ActivityFilterPanel
+
+ Filter
+
+
+
+ to
+
+
+
+ Send
+
+
+
+ Receive
+
+
+
+ Swap
+
+
+
+ Bridge
+
+
+
+ Contract Deployment
+
+
+
+ Mint
+
+
+
+ Failed
+
+
+
+ Pending
+
+
+
+ Complete
+
+
+
+ Finalised
+
+
+
+ No activity items for the current filter
+
+
+
+ Clear all filters
+
+
+
+
+ ActivityNotificationCommunityBanUnban
+
+ You were <font color='%1'>banned</font> from community
+
+
+
+ You have been <font color='%1'>unbanned</font> from community
+
+
+
+
+ ActivityNotificationCommunityKicked
+
+ You were <font color='%1'>kicked</font> from community
+
+
+
+
+ ActivityNotificationCommunityMembershipRequest
+
+ accepted
+
+
+
+ declined
+
+
+
+ accepted pending
+
+
+
+ declined pending
+
+
+
+ Requested membership in your community <font color='%1'>%2</font>
+
+
+
+
+ ActivityNotificationCommunityRequest
+
+ Request to join <font color='%1'>%2</font>
+
+
+
+ pending
+
+
+
+ accepted
+
+
+
+ declined
+
+
+
+
+ ActivityNotificationCommunityShareAddresses
+
+ %1 requires you to share your Accounts
+
+
+
+ To continue to be a member of %1, you need to share your accounts
+
+
+
+ Share
+
+
+
+
+ ActivityNotificationCommunityTokenReceived
+
+ Learn more
+
+
+
+ Transaction details
+
+
+
+ You received your first community asset
+
+
+
+ You received your first community collectible
+
+
+
+ Tokens received
+
+
+
+ %1 %2 was airdropped to you from the %3 community
+
+
+
+ You were airdropped %1 %2 from %3 to %4
+
+
+
+
+ ActivityNotificationContactRemoved
+
+ Removed you as a contact
+
+
+
+ Send Contact Request
+
+
+
+
+ ActivityNotificationContactRequest
+
+ accepted
+
+
+
+ declined
+
+
+
+ pending
+
+
+
+ Contact request sent to %1 <font color='%2'>%3</font>
+
+
+
+ Contact request <font color='%1'>%2</font>
+
+
+
+
+ ActivityNotificationNewDevice
+
+ More details
+
+
+
+ New device detected
+
+
+
+ New device with %1 profile has been detected.
+
+
+
+ Sync your profile
+
+
+
+ Check your other device for a pairing request.
+
+
+
+
+ ActivityNotificationNewKeypairFromPairedDevice
+
+ View key pair import options
+
+
+
+ New key pair added
+
+
+
+ %1 key pair was added to one of your synced devices
+
+
+
+
+ ActivityNotificationNewsMessage
+
+ Learn more
+
+
+
+
+ ActivityNotificationReply
+
+ sticker
+
+
+
+ emoji
+
+
+
+ transaction
+
+
+
+ image
+
+
+
+ audio
+
+
+
+
+ ActivityNotificationTransferOwnership
+
+ You received the owner token from %1
+
+
+
+ To finalise your ownership of the %1 Community, make your device the control node
+
+
+
+ Finalise ownership
+
+
+
+ Ownership Declined
+
+
+
+ Your device is now the control node for %1
+
+
+
+ Congratulations, you are now the official owner of the %1 Community with full admin rights
+
+
+
+ Community admin
+
+
+
+ %1 smart contract update failed
+
+
+
+ You will need to retry the transaction in order to finalise your ownership of the %1 community
+
+
+
+ Your device is no longer the control node for %1
+
+
+
+ Your ownership and admin rights for %1 have been removed and transferred to the new owner
+
+
+
+
+ ActivityNotificationUnknownGroupChatInvitation
+
+ accepted
+
+
+
+ declined
+
+
+
+ Invitation to an unknown group <font color='%1'>%2</font>
+
+
+
+
+ ActivityPeriodFilterSubMenu
+
+ All time
+
+
+
+ Today
+
+
+
+ Yesterday
+
+
+
+ This week
+
+
+
+ Last week
+
+
+
+ This month
+
+
+
+ Last month
+
+
+
+ Custom range
+
+
+
+
+ ActivityStatusFilterSubMenu
+
+ Failed
+
+
+
+ Pending
+
+
+
+ Complete
+
+
+
+ Finalised
+
+
+
+
+ ActivityTokensFilterSubMenu
+
+ Assets
+
+
+
+ Collectibles
+
+
+
+ No Assets
+
+
+
+ Search asset name
+
+
+
+ No Collectibles
+
+
+
+ Search collectible name
+
+
+
+
+ ActivityTypeFilterSubMenu
+
+ Send
+
+
+
+ Receive
+
+
+
+ Contract Deployment
+
+
+
+ Mint
+
+
+
+ Swap
+
+
+
+ Bridge
+
+
+
+
+ AddAccountPopup
+
+ Edit account
+
+
+
+ Add a new account
+
+
+
+ Removing saved address
+
+
+
+ The account you're trying to add <b>%1</b> is already saved under the name <b>%2</b>.<br/><br/>Do you want to remove it from saved addresses in favour of adding it to the Wallet?
+
+
+
+ Yes
+
+
+
+ No
+
+
+
+ Save changes
+
+
+
+ Add account
+
+
+
+ Continue
+
+
+
+ Reveal recovery phrase
+
+
+
+ Confirm recovery phrase
+
+
+
+
+ AddAccountStore
+
+ Type your own derivation path
+
+
+
+ Custom
+
+
+
+ Ethereum
+
+
+
+ Ethereum (Ledger)
+
+
+
+ Ethereum (Ledger Live/KeepKey)
+
+
+
+
+ AddEditSavedAddressPopup
+
+ Edit saved address
+
+
+
+ Add new saved address
+
+
+
+ You cannot add your own account as a saved address
+
+
+
+ This address is already saved
+
+
+
+ Not registered ens address
+
+
+
+ Please enter an ethereum address
+
+
+
+ Ethereum address invalid
+
+
+
+ This address belongs to a contact
+
+
+
+ This address belongs to the following contacts
+
+
+
+ Address name
+
+
+
+ Name
+
+
+
+ Please name your saved address
+
+
+
+ Name already in use
+
+
+
+ Address
+
+
+
+ Ethereum address
+
+
+
+ Checksum of the entered address is incorrect
+
+
+
+ Colour
+
+
+
+ Save
+
+
+
+ Add address
+
+
+
+
+ AddFavoriteModal
+
+ Favourite added
+
+
+
+ Edit favourite
+
+
+
+ Add favourite
+
+
+
+ URL
+
+
+
+ Paste URL
+
+
+
+ Paste
+
+
+
+ Pasted
+
+
+
+ Name
+
+
+
+ Name of the website
+
+
+
+ Please enter a name
+
+
+
+ Remove
+
+
+
+ Done
+
+
+
+ Add
+
+
+
+ Add Favourite
+
+
+
+
+ AddMoreAccountsLink
+
+ Add accounts to showcase
+
+
+
+
+ AddSocialLinkModal
+
+ Add a link
+
+
+
+ Add %1 link
+
+
+
+ custom
+
+
+
+ Add
+
+
+
+ Custom link
+
+
+
+ Title
+
+
+
+ Invalid title
+
+
+
+ Ttile and link combination already added
+
+
+
+ Username already added
+
+
+
+ Link
+
+
+
+ Username
+
+
+
+ Invalid %1
+
+
+
+ link
+
+
+
+ Title and link combination already added
+
+
+
+
+ AddressDetails
+
+ Already added
+
+
+
+ Activity unknown
+
+
+
+ Scanning for activity...
+
+
+
+ Has activity
+
+
+
+ No activity
+
+
+
+
+ AddressesInputList
+
+ Example: 0x39cf...fbd2
+
+
+
+
+ AddressesSelectorPanel
+
+ ETH addresses
+
+
+
+ %n valid address(s)
+
+
+
+
+
+
+ %n invalid
+ invalid addresses, where "addresses" is implicit
+
+
+
+
+
+
+ %n invalid address(s)
+
+
+
+
+
+
+
+ AdvancedView
+
+ This feature is experimental and is meant for testing purposes by core contributors and the community. It's not meant for real use and makes no claims of security or integrity of funds or data. Use at your own risk.
+
+
+
+ Fleet
+
+
+
+ Chat scrolling
+
+
+
+ Custom
+
+
+
+ System
+
+
+
+ Minimize on close
+
+
+
+ Mainnet data verified by Nimbus
+
+
+
+ Application Logs
+
+
+
+ Experimental features
+
+
+
+ Web/dApp Browser
+
+
+
+ Node Management
+
+
+
+ Archive Protocol Enabled
+
+
+
+ ENS Community Permissions Enabled
+
+
+
+ WakuV2 options
+
+
+
+ Enable creation of sharded communities
+
+
+
+ The account will be logged out. When you login again, the selected mode will be enabled
+
+
+
+ I understand
+
+
+
+ Confirm
+
+
+
+ Light mode
+
+
+
+ Relay mode
+
+
+
+ History nodes
+
+
+
+ Developer features
+
+
+
+ Full developer mode
+
+
+
+ Enable translations
+
+
+
+ Language reset
+
+
+
+ Display language will be switched back to English. You must restart the application for changes to take effect.
+
+
+
+ Restart
+
+
+
+ Download messages
+
+
+
+ Debug
+
+
+
+ The value is overridden with runtime options
+
+
+
+ Auto message
+
+
+
+ Fake loading screen
+
+
+
+ Manage communities on testnet
+
+
+
+ Enable community tokens refreshing
+
+
+
+ How many log files to keep archived
+
+
+
+ RPC statistics
+
+
+
+ Are you sure you want to enable all the developer features? The app will be restarted.
+
+
+
+ Are you sure you want to enable auto message? You need to restart the app for this change to take effect.
+
+
+
+ Are you sure you want to %1 debug mode? You need to restart the app for this change to take effect.
+
+
+
+ disable
+
+
+
+ enable
+
+
+
+ Are you sure you want to %1 Nimbus proxy? You need to restart the app for this change to take effect.
+
+
+
+ How many log files do you want to keep archived?
+
+
+
+ Choose a number between 1 and 100
+
+
+
+ Number of archives files
+
+
+
+ Number between 1 and 100
+
+
+
+ Number needs to be between 1 and 100
+
+
+
+ This change will only come into action after a restart
+
+
+
+ Cancel
+
+
+
+ Change
+
+
+
+
+ AirdropRecipientsSelector
+
+ To
+
+
+
+ Example: 12 addresses and 3 members
+
+
+
+ ∞ recipients
+ infinite number of recipients
+
+
+
+ %n recipient(s)
+
+
+
+
+
+
+
+ AirdropTokensSelector
+
+ Example: 1 SOCK
+
+
+
+ What
+
+
+
+ %1 on
+ It means that a given token is deployed 'on' a given network, e.g. '2 MCT on Ethereum'. The name of the network is preceded by an icon, so it is not part of this phrase.
+
+
+
+
+ AirdropsSettingsPanel
+
+ Airdrops
+
+
+
+ New Airdrop
+
+
+
+ Loading tokens...
+
+
+
+ Airdrop community tokens
+
+
+
+ You can mint custom tokens and collectibles for your community
+
+
+
+ Reward individual members with custom tokens for their contribution
+
+
+
+ Incentivise joining, retention, moderation and desired behaviour
+
+
+
+ Require holding a token or NFT to obtain exclusive membership rights
+
+
+
+ Get started
+
+
+
+ Token airdropping can only be performed by admins that hodl the Community's TokenMaster token. If you would like this permission, contact the Community founder (they will need to mint the Community Owner token before they can airdrop this to you).
+
+
+
+ In order to Mint, Import and Airdrop community tokens, you first need to mint your Owner token which will give you permissions to access the token management features for your community.
+
+
+
+ Mint Owner token
+
+
+
+ New airdrop
+
+
+
+
+ AlertPopup
+
+ Cancel
+
+
+
+
+ AmountInput
+
+ Amount exceeds balance
+
+
+
+ Invalid amount format
+
+
+
+ Max %n decimal place(s) for this asset
+
+
+
+
+
+
+ Amount must be greater than 0
+
+
+
+ Amount
+
+
+
+
+ AmountToReceive
+
+ Amount Bridged
+
+
+
+ Recipient will get
+
+
+
+
+ AppMain
+
+ "%1" successfully added
+
+
+
+ "%1" successfully removed
+
+
+
+ You successfully renamed your key pair
+from "%1" to "%2"
+
+
+
+ Test network settings for %1 updated
+
+
+
+ Live network settings for %1 updated
+
+
+
+ “%1” key pair and its derived accounts were successfully removed from all devices
+
+
+
+ Please re-generate QR code and try importing again
+
+
+
+ Make sure you're importing the exported key pair on paired device
+
+
+
+ %1 key pair successfully imported
+
+
+
+ %n key pair(s) successfully imported
+
+
+
+
+
+
+ unknown
+
+
+
+ View on %1
+
+
+
+ Sending %1 from %2 to %3
+
+
+
+ Registering %1 ENS name using %2
+
+
+
+ Releasing %1 ENS username using %2
+
+
+
+ Setting public key %1 using %2
+
+
+
+ Purchasing %1 sticker pack using %2
+
+
+
+ Bridging %1 from %2 to %3 in %4
+
+
+
+ Setting spending cap: %1 in %2 for %3
+
+
+
+ Sending %1 %2 from %3 to %4
+
+
+
+ Swapping %1 to %2 in %3
+
+
+
+ Minting infinite %1 tokens for %2 using %3
+
+
+
+ Minting %1 %2 tokens for %3 using %4
+
+
+
+ Minting %1 and %2 tokens for %3 using %4
+
+
+
+ Airdropping %1x %2 to %3 using %4
+
+
+
+ Airdropping %1x %2 to %3 addresses using %4
+
+
+
+ Airdropping %1x %2 and %3x %4 to %5 using %6
+
+
+
+ Airdropping %1x %2 and %3x %4 to %5 addresses using %6
+
+
+
+ Airdropping %1 tokens to %2 using %3
+
+
+
+ Destroying %1x %2 at %3 using %4
+
+
+
+ Destroying %1x %2 at %3 addresses using %4
+
+
+
+ Burning %1x %2 for %3 using %4
+
+
+
+ Finalizing ownership for %1 using %2
+
+
+
+ Sent %1 from %2 to %3
+
+
+
+ Registered %1 ENS name using %2
+
+
+
+ Released %1 ENS username using %2
+
+
+
+ Set public key %1 using %2
+
+
+
+ Purchased %1 sticker pack using %2
+
+
+
+ Bridged %1 from %2 to %3 in %4
+
+
+
+ Spending spending cap: %1 in %2 for %3
+
+
+
+ Sent %1 %2 from %3 to %4
+
+
+
+ Swapped %1 to %2 in %3
+
+
+
+ Spending cap set: %1 in %2 for %3
+
+
+
+ Minted infinite %1 tokens for %2 using %3
+
+
+
+ Minted %1 %2 tokens for %3 using %4
+
+
+
+ Minted %1 and %2 tokens for %3 using %4
+
+
+
+ Airdropped %1x %2 to %3 using %4
+
+
+
+ Airdropped %1x %2 to %3 addresses using %4
+
+
+
+ Airdropped %1x %2 and %3x %4 to %5 using %6
+
+
+
+ Airdropped %1x %2 and %3x %4 to %5 addresses using %6
+
+
+
+ Airdropped %1 tokens to %2 using %3
+
+
+
+ Destroyed %1x %2 at %3 using %4
+
+
+
+ Destroyed %1x %2 at %3 addresses using %4
+
+
+
+ Burned %1x %2 for %3 using %4
+
+
+
+ Finalized ownership for %1 using %2
+
+
+
+ Send failed: %1 from %2 to %3
+
+
+
+ ENS username registeration failed: %1 using %2
+
+
+
+ ENS username release failed: %1 using %2
+
+
+
+ Set public key failed: %1 using %2
+
+
+
+ Sticker pack purchase failed: %1 using %2
+
+
+
+ Bridge failed: %1 from %2 to %3 in %4
+
+
+
+ Spending spending failed: %1 in %2 for %3
+
+
+
+ Send failed: %1 %2 from %3 to %4
+
+
+
+ Swap failed: %1 to %2 in %3
+
+
+
+ Spending cap failed: %1 in %2 for %3
+
+
+
+ Mint failed: infinite %1 tokens for %2 using %3
+
+
+
+ Mint failed: %1 %2 tokens for %3 using %4
+
+
+
+ Mint failed: %1 and %2 tokens for %3 using %4
+
+
+
+ Airdrop failed: %1x %2 to %3 using %4
+
+
+
+ Airdrop failed: %1x %2 to %3 addresses using %4
+
+
+
+ Airdrop failed: %1x %2 and %3x %4 to %5 using %6
+
+
+
+ Airdrop failed: %1x %2 and %3x %4 to %5 addresses using %6
+
+
+
+ Airdrop failed: %1 tokens to %2 using %3
+
+
+
+ Destruction failed: %1x %2 at %3 using %4
+
+
+
+ Destruction failed: %1x %2 at %3 addresses using %4
+
+
+
+ Burn failed: %1x %2 for %3 using %4
+
+
+
+ Finalize ownership failed: %1 using %2
+
+
+
+ Unknown error resolving community
+
+
+
+ %1 was banned from %2
+
+
+
+ %1 unbanned from %2
+
+
+
+ %1 was kicked from %2
+
+
+
+ Device paired
+
+
+
+ Sync in process. Keep device powered and app open.
+
+
+
+ This device is now the control node for the %1 Community
+
+
+
+ '%1' community imported
+
+
+
+ Importing community is in progress
+
+
+
+ Failed to import community '%1'
+
+
+
+ Import community '%1' was canceled
+
+
+
+ Invite People
+
+
+
+ Community Info
+
+
+
+ Community Rules
+
+
+
+ Mute Community
+
+
+
+ Unmute Community
+
+
+
+ Mark as read
+
+
+
+ Edit Shared Addresses
+
+
+
+ Close Community
+
+
+
+ Leave Community
+
+
+
+ The import of ‘%1’ from Discord to Status was stopped: <a href='#'>Critical issues found</a>
+
+
+
+ ‘%1’ was successfully imported from Discord to Status
+
+
+
+ Details (%1)
+
+
+
+ %n issue(s)
+
+
+
+
+
+
+ Details
+
+
+
+ Importing ‘%1’ from Discord to Status
+
+
+
+ Check progress (%1)
+
+
+
+ Check progress
+
+
+
+ Visit your new channel
+
+
+
+ Visit your Community
+
+
+
+ Can not connect to store node. Retrying automatically
+
+
+
+ Pocket Network (POKT) & Infura are currently both unavailable for %1. Balances for those chains are as of %2.
+
+
+
+ Pocket Network (POKT) connection successful
+
+
+
+ POKT & Infura down. Token balances are as of %1.
+
+
+
+ POKT & Infura down. Token balances cannot be retrieved.
+
+
+
+ POKT & Infura down for <a href='#'>multiple chains </a>. Token balances for those chains cannot be retrieved.
+
+
+
+ POKT & Infura down for %1. %1 token balances are as of %2.
+
+
+
+ POKT & Infura down for %1. %1 token balances cannot be retrieved.
+
+
+
+ Retrying connection to POKT Network (grove.city).
+
+
+
+ Collectibles providers are currently unavailable for %1. Collectibles for those chains are as of %2.
+
+
+
+ Collectibles providers are currently unavailable for %1.
+
+
+
+ Collectibles providers connection successful
+
+
+
+ Collectibles providers down. Collectibles are as of %1.
+
+
+
+ Collectibles providers down. Collectibles cannot be retrieved.
+
+
+
+ Collectibles providers down for <a href='#'>multiple chains</a>. Collectibles for these chains cannot be retrieved.
+
+
+
+ Collectibles providers down for %1. Collectibles for this chain are as of %2.
+
+
+
+ Collectibles providers down for %1. Collectibles for this chain cannot be retrieved.
+
+
+
+ Collectibles providers down for %1. Collectibles for these chains are as of %2.
+
+
+
+ Collectibles providers down for %1. Collectibles for these chains cannot be retrieved.
+
+
+
+ Retrying connection to collectibles providers...
+
+
+
+ CryptoCompare and CoinGecko connection successful
+
+
+
+ CryptoCompare and CoinGecko down. Market values are as of %1.
+
+
+
+ CryptoCompare and CoinGecko down. Market values cannot be retrieved.
+
+
+
+ Retrying connection to CryptoCompare and CoinGecko...
+
+
+
+ Loading sections...
+
+
+
+ Error loading chats, try closing the app and restarting
+
+
+
+ Where do you want to go?
+
+
+
+ adding
+
+
+
+ editing
+
+
+
+ An error occurred while %1 %2 address
+
+
+
+ %1 successfully added to your saved addresses
+
+
+
+ %1 saved address successfully edited
+
+
+
+ An error occurred while removing %1 address
+
+
+
+ %1 was successfully removed from your saved addresses
+
+
+
+
+ AppSearch
+
+ No results
+
+
+
+ Anywhere
+
+
+
+
+ AppearanceView
+
+ Blockchains will drop search costs, causing a kind of decomposition that allows you to have markets of entities that are horizontally segregated and vertically segregated.
+
+
+
+ Text size
+
+
+
+ XS
+
+
+
+ S
+
+
+
+ M
+
+
+
+ L
+
+
+
+ XL
+
+
+
+ XXL
+
+
+
+ Mode
+
+
+
+ Light
+
+
+
+ Dark
+
+
+
+ System
+
+
+
+
+ AssetContextMenu
+
+ Send
+
+
+
+ Receive
+
+
+
+ Swap
+
+
+
+ Manage tokens
+
+
+
+ Hide asset
+
+
+
+ Hide all assets from this community
+
+
+
+
+ AssetSelector
+
+ Select asset
+
+
+
+
+ AssetsDetailView
+
+ Price
+
+
+
+ Market Cap
+
+
+
+ Day Low
+
+
+
+ Day High
+
+
+
+ Hour
+
+
+
+ Day
+
+
+
+ 24 Hours
+
+
+
+ Overview
+
+
+
+ Website
+
+
+
+ Minted by
+
+
+
+ Contract
+
+
+
+ Copy contract address
+
+
+
+
+ AssetsView
+
+ Sort by:
+
+
+
+ Asset balance value
+
+
+
+ Asset balance
+
+
+
+ Asset value
+
+
+
+ 1d change: balance value
+
+
+
+ Asset name
+
+
+
+ Custom order
+
+
+
+ Edit custom order →
+
+
+
+ Create custom order →
+
+
+
+ Community minted
+
+
+
+
+ BackupSeedModal
+
+ I've backed up phrase
+
+
+
+ Continue
+
+
+
+ Done
+
+
+
+
+ BackupSeedphraseIntro
+
+ Your recovery phrase has been created
+
+
+
+ Your recovery phrase is a 12 word passcode to your funds that cannot be recovered if lost. Write it down offline and store it somewhere secure.
+
+
+
+ Backup recovery phrase
+
+
+
+
+ BackupSeedphraseKeepOrDelete
+
+ Keep or delete recovery phrase
+
+
+
+ Decide whether you want to keep the recovery phrase in your Status app for future access or remove it permanently.
+
+
+
+ Permanently remove your recovery phrase from the Status app — you will not be able to view it again
+
+
+
+
+ BackupSeedphraseOutro
+
+ Confirm backup
+
+
+
+ Ensure you have written down your recovery phrase and have a safe place to keep it. Remember, anyone who has your recovery phrase has access to your funds.
+
+
+
+ I understand my recovery phrase will now be removed and I will no longer be able to access it via Status
+
+
+
+ Continue
+
+
+
+
+ BackupSeedphraseReveal
+
+ Show recovery phrase
+
+
+
+ A 12-word phrase that gives full access to your funds and is the only way to recover them.
+
+
+
+ Reveal recovery phrase
+
+
+
+ Never share your recovery phrase. If someone asks for it, they’re likely trying to scam you.
+
+To backup you recovery phrase, write it down and store it securely in a safe place.
+
+
+
+ Confirm recovery phrase
+
+
+
+
+ BackupSeedphraseVerify
+
+ Confirm recovery phrase
+
+
+
+ Confirm these words from your recovery phrase...
+
+
+
+ Empty
+
+
+
+ Correct word
+
+
+
+ Wrong word
+
+
+
+ Continue
+
+
+
+
+ BalanceExceeded
+
+ Balance exceeded
+
+
+
+ No route found
+
+
+
+
+ BannerPicker
+
+ Community banner
+
+
+
+ Choose an image for banner
+
+
+
+ Make this my Community banner
+
+
+
+ Optimal aspect ratio 16:9
+
+
+
+ Upload a community banner
+
+
+
+
+ BlockContactConfirmationDialog
+
+ Block user
+
+
+
+ You will not see %1’s messages but %1 can still see your messages in mutual group chats and communities. %1 will be unable to message you.
+
+
+
+ Blocking a user purges the database of all messages that you’ve previously received from %1 in all contexts. This can take a moment.
+
+
+
+ Remove contact
+
+
+
+ Remove trust mark
+
+
+
+ Cancel
+
+
+
+ Block
+
+
+
+
+ BlockchainExplorersMenu
+
+ View on blockchain explorer
+
+
+
+
+ BloomSelectorButton
+
+ TODO
+
+
+
+
+ BrowserConnectionModal
+
+ '%1' would like to connect to
+
+
+
+ Allowing authorizes this DApp to retrieve your wallet address and enable Web3
+
+
+
+ Granting access authorizes this DApp to retrieve your chat key
+
+
+
+ Unknown permission: %1
+
+
+
+ Deny
+
+
+
+ Allow
+
+
+
+
+ BrowserHeader
+
+ Enter URL
+
+
+
+
+ BrowserLayout
+
+ Error sending the transaction
+
+
+
+ Error signing message
+
+
+
+ Transaction pending...
+
+
+
+ View on etherscan
+
+
+
+ Server's certificate not trusted
+
+
+
+ Do you wish to continue?
+
+
+
+ If you wish so, you may continue with an unverified certificate. Accepting an unverified certificate means you may not be connected with the host you tried to connect to.
+Do you wish to override the security check and continue?
+
+
+
+
+ BrowserSettingsMenu
+
+ New Tab
+
+
+
+ Exit Incognito mode
+
+
+
+ Go Incognito
+
+
+
+ Zoom In
+
+
+
+ Zoom Out
+
+
+
+ Zoom Fit
+
+
+
+ Find
+
+
+
+ Compatibility mode
+
+
+
+ Developer Tools
+
+
+
+ Settings
+
+
+
+
+ BrowserTabView
+
+ Start Page
+
+
+
+ New Tab
+
+
+
+ Downloads Page
+
+
+
+
+ BrowserView
+
+ Search engine used in the address bar
+
+
+
+ None
+
+
+
+ Show Favorites Bar
+
+
+
+
+ BrowserWalletMenu
+
+ Mainnet
+
+
+
+ Ropsten
+
+
+
+ Unknown
+
+
+
+ Disconnect
+
+
+
+ Assets
+
+
+
+ History
+
+
+
+
+ BrowserWebEngineView
+
+ Add Favourite
+
+
+
+
+ BurnTokensPopup
+
+ Burn %1 token on %2
+
+
+
+ How many of %1’s remaining %Ln %2 token(s) would you like to burn?
+
+
+
+
+
+
+ How many of %1’s remaining %2 %3 tokens would you like to burn?
+
+
+
+ Specific amount
+
+
+
+ Enter amount
+
+
+
+ Exceeds available remaining
+
+
+
+ All available remaining (%1)
+
+
+
+ Show fees (will be enabled once the form is filled)
+
+
+
+ Choose number of tokens to burn to see gas fees
+
+
+
+ Burn %1 tokens
+
+
+
+ %1 %2 remaining in smart contract
+
+
+
+ Cancel
+
+
+
+ Burn tokens
+
+
+
+
+ BuyCryptoModal
+
+ Buy via %1
+
+
+
+ Ways to buy %1 for %2
+
+
+
+ Ways to buy assets for %1
+
+
+
+ Done
+
+
+
+
+ BuyCryptoProvidersListPanel
+
+ One time
+
+
+
+ Recurrent
+
+
+
+
+ BuyReceiveBanner
+
+ Ways to buy
+
+
+
+ Via card or bank
+
+
+
+ Receive
+
+
+
+ Deposit to your Wallet
+
+
+
+
+ ChangePasswordView
+
+ Biometric login and transaction authentication enabled for this device
+
+
+
+ Failed to enable biometric login and transaction authentication for this device
+
+
+
+ Enable biometrics
+
+
+
+ Biometric login and transaction authentication
+
+
+
+ Disable biometrics
+
+
+
+ Do you want to enable biometrics for login and transaction authentication?
+
+
+
+ Are you sure you want to disable biometrics for login and transaction authentication?
+
+
+
+ Cancel
+
+
+
+ Yes, enable biometrics
+
+
+
+ Yes, disable biometrics
+
+
+
+ Biometric login and transaction authentication disabled for this device
+
+
+
+ Failed to disable biometric login and transaction authentication for this device
+
+
+
+ Change your password
+
+
+
+ Clear & cancel
+
+
+
+ Change password
+
+
+
+
+ ChannelIdentifierView
+
+ Welcome to the beginning of the <span style='color: %1'>%2</span> group!
+
+
+
+ Welcome to the beginning of the <span style='color: %1'>#%2</span> channel!
+
+
+
+ Any messages you send here are encrypted and can only be read by you and <span style='color: %1'>%2</span>
+
+
+
+
+ ChannelsAndCategoriesBannerPanel
+
+ Expand your community by adding more channels and categories
+
+
+
+ Add channels
+
+
+
+ Add categories
+
+
+
+
+ ChartDataBase
+
+ 7D
+
+
+
+ 1M
+
+
+
+ 6M
+
+
+
+ 1Y
+
+
+
+ ALL
+
+
+
+
+ ChatAnchorButtonsPanel
+
+ 99+
+
+
+
+
+ ChatColumnView
+
+ Link previews will be shown for all sites. You can manage link previews in %1.
+ Go to settings
+
+
+
+ Settings
+ Go to settings page
+
+
+
+ Link previews will never be shown. You can manage link previews in %1.
+
+
+
+ Link previews will be shown for this message. You can manage link previews in %1.
+
+
+
+ This user has been blocked.
+
+
+
+ You need to join this community to send messages
+
+
+
+ Sorry, you don't have permissions to post in this channel.
+
+
+
+ Sending...
+
+
+
+ Unblock
+
+
+
+
+ ChatContentView
+
+ Blocked
+
+
+
+
+ ChatContextMenuView
+
+ Add / remove from group
+
+
+
+ Add to group
+
+
+
+ Copy channel link
+
+
+
+ Edit name and image
+
+
+
+ Unmute Channel
+
+
+
+ Unmute Chat
+
+
+
+ Mark as Read
+
+
+
+ Edit Channel
+
+
+
+ Debug actions
+
+
+
+ Copy channel ID
+
+
+
+ Copy chat ID
+
+
+
+ Fetch messages
+
+
+
+ Download
+
+
+
+ Clear History
+
+
+
+ Delete Channel
+
+
+
+ Leave group
+
+
+
+ Close Chat
+
+
+
+ Leave Chat
+
+
+
+ Save
+
+
+
+ Download messages
+
+
+
+ Clear chat history
+
+
+
+ Are you sure you want to clear your chat history with <b>%1</b>? All messages will be deleted on your side and will be unrecoverable.
+
+
+
+ Are you sure you want to leave group chat <b>%1</b>?
+
+
+
+ Leave
+
+
+
+ Delete #%1
+
+
+
+ Close chat
+
+
+
+ Leave chat
+
+
+
+ Delete
+
+
+
+ Are you sure you want to delete #%1 channel?
+
+
+
+ Are you sure you want to close this chat? This will remove the chat from the list. Your chat history will be retained and shown the next time you message each other.
+
+
+
+ Are you sure you want to leave this chat?
+
+
+
+
+ ChatHeaderContentView
+
+ Search
+
+
+
+ Members
+
+
+
+ More
+
+
+
+ %n member(s)
+
+
+
+
+
+
+
+ ChatMessagesView
+
+ Send Contact Request
+
+
+
+ Reject Contact Request
+
+
+
+ Accept Contact Request
+
+
+
+ Contact Request Pending...
+
+
+
+
+ ChatPermissionQualificationPanel
+
+ To post, hold
+
+
+
+ or
+
+
+
+
+ ChatRequestMessagePanel
+
+ You need to be mutual contacts with this person for them to receive your messages
+
+
+
+ Just click this button to add them as contact. They will receive a notification. Once they accept the request, you'll be able to chat
+
+
+
+ Add to contacts
+
+
+
+
+ ChatView
+
+ Members
+
+
+
+
+ ChatsLoadingPanel
+
+ Loading chats...
+
+
+
+
+ ChooseBrowserPopup
+
+ Choose browser
+
+
+
+ Open in Status
+
+
+
+ Open in my default browser
+
+
+
+ Remember my choice. To override it, go to Settings.
+
+
+
+
+ CollectibleDetailView
+
+ Unknown
+
+
+
+ Minted by %1
+
+
+
+ Properties
+
+
+
+ Traits
+
+
+
+ Links
+
+
+
+ Activity will appear here
+
+
+
+ Opensea
+
+
+
+ Twitter
+
+
+
+
+ CollectibleDetailsHeader
+
+ Community address copied
+
+
+
+ Community %1
+
+
+
+ Community name could not be fetched
+
+
+
+ Unknown community
+
+
+
+
+ CollectibleMedia
+
+ Unsupported
+file format
+
+
+
+
+ CollectiblesHeader
+
+ Maximum number of collectibles to display reached
+
+
+
+
+ CollectiblesNotSupportedTag
+
+ and
+
+
+
+ Displaying collectibles on %1 is not currently supported by Status.
+
+
+
+
+ CollectiblesStore
+
+ %1 community collectibles successfully hidden
+
+
+
+ %1 is now visible
+
+
+
+ %1 community collectibles are now visible
+
+
+
+
+ CollectiblesView
+
+ Loading collectible...
+
+
+
+ Sort by:
+
+
+
+ Date added
+
+
+
+ Collectible name
+
+
+
+ Collection/community name
+
+
+
+ Custom order
+
+
+
+ Edit custom order →
+
+
+
+ Create custom order →
+
+
+
+ Clear filter
+
+
+
+ Collectibles will appear here
+
+
+
+ Community minted
+
+
+
+ Others
+
+
+
+ Send
+
+
+
+ Receive
+
+
+
+ Manage tokens
+
+
+
+ Hide collectible
+
+
+
+ Hide all collectibles from this community
+
+
+
+ What are community collectibles?
+
+
+
+ Community collectibles are collectibles that have been minted by a community. As these collectibles cannot be verified, always double check their origin and validity before interacting with them. If in doubt, ask a trusted member or admin of the relevant community.
+
+
+
+ Hide '%1' collectibles
+
+
+
+ Hide %1 community collectibles
+
+
+
+ Are you sure you want to hide all community collectibles minted by %1? You will no longer see or be able to interact with these collectibles anywhere inside Status.
+
+
+
+ %1 community collectibles were successfully hidden. You can toggle collectible visibility via %2.
+
+
+
+ Settings
+ Go to Settings
+
+
+
+
+ ColorPanel
+
+ Community Colour
+
+
+
+ Select Community Colour
+
+
+
+ This is not a valid colour
+
+
+
+ Preview
+
+
+
+ White text should be legible on top of this colour
+
+
+
+ Standard colours
+
+
+
+
+ ColorPicker
+
+ Community colour
+
+
+
+
+ ColumnHeaderPanel
+
+ %n member(s)
+
+
+
+
+
+
+ Start chat
+
+
+
+
+ CommunitiesGridView
+
+ Featured
+ Featured communities
+
+
+
+ All
+ All communities
+
+
+
+ No communities found
+
+
+
+
+ CommunitiesListPanel
+
+ %n member(s)
+
+
+
+
+
+
+ Membership Request Sent
+
+
+
+ View & Join Community
+
+
+
+ Community Admin
+
+
+
+ Unmute Community
+
+
+
+ Mute Community
+
+
+
+ Invite People
+
+
+
+ Edit Shared Addresses
+
+
+
+ Cancel Membership Request
+
+
+
+ Close Community
+
+
+
+ Leave Community
+
+
+
+
+ CommunitiesPortalLayout
+
+ Discover Communities
+
+
+
+ Join Community
+
+
+
+ Create New Community
+
+
+
+ Create new community
+
+
+
+ Create a new Status community
+
+
+
+ Create new
+
+
+
+ '%1' import in progress...
+
+
+
+ Import existing Discord community into Status
+
+
+
+ Import existing
+
+
+
+ Your current import must be finished or cancelled before a new import can be started.
+
+
+
+
+ CommunitiesView
+
+ Import community
+
+
+
+ Discover your Communities
+
+
+
+ Explore and see what communities are trending
+
+
+
+ Discover
+
+
+
+ Owner
+
+
+
+ TokenMaster
+
+
+
+ Admin
+
+
+
+ Member
+
+
+
+ Pending
+
+
+
+
+ CommunityAssetsInfoPopup
+
+ What are community assets?
+
+
+
+ Community assets are assets that have been minted by a community. As these assets cannot be verified, always double check their origin and validity before interacting with them. If in doubt, ask a trusted member or admin of the relevant community.
+
+
+
+
+ CommunityBannedMemberCenterPanel
+
+ You've been banned from <b>%1<b>
+
+
+
+
+ CommunityColumnView
+
+ Create channel
+
+
+
+ Create category
+
+
+
+ Invite people
+
+
+
+ Mute category
+
+
+
+ Unmute category
+
+
+
+ Edit Category
+
+
+
+ Delete Category
+
+
+
+ Delete '%1' category
+
+
+
+ Are you sure you want to delete '%1' category? Channels inside the category won't be deleted.
+
+
+
+ Create channel or category
+
+
+
+ You were banned from community
+
+
+
+ Membership request pending...
+
+
+
+ Request to join
+
+
+
+ Join Community
+
+
+
+ Request to join failed
+
+
+
+ Please try again later
+
+
+
+ Finalise community ownership
+
+
+
+ To join, finalise community ownership
+
+
+
+ Error deleting the category
+
+
+
+
+ CommunityInfoPanel
+
+ %1 Owner token
+
+
+
+ %1 TokenMaster token
+
+
+
+
+ CommunityMemberMessagesPopup
+
+ %1 messages
+
+
+
+ %n message(s)
+
+
+
+
+
+
+ No messages
+
+
+
+ Delete all messages by %1
+
+
+
+ Done
+
+
+
+
+ CommunityMembershipSetupDialog
+
+ Request to join %1
+
+
+
+ Welcome to %1
+
+
+
+ Requirements check pending
+
+
+
+ Checking permissions to join failed
+
+
+
+ Cancel Membership Request
+
+
+
+ Share all addresses to join
+
+
+
+ Share %n address(s) to join
+
+
+
+
+
+
+ Select addresses to share
+
+
+
+ Community <b>%1</b> has no intro message...
+
+
+
+
+ CommunityProfilePopup
+
+ Public community
+
+
+
+ Invitation only community
+
+
+
+ On request community
+
+
+
+ Unknown community
+
+
+
+
+ CommunityRulesPopup
+
+ %1 community rules
+
+
+
+ Done
+
+
+
+
+ CommunitySettingsView
+
+ %n member(s)
+
+
+
+
+
+
+ Back to community
+
+
+
+ Overview
+
+
+
+ Members
+
+
+
+ Permissions
+
+
+
+ Tokens
+
+
+
+ Airdrops
+
+
+
+ Error editing the community
+
+
+
+
+ CommunityTokenView
+
+ Mint asset on %1
+
+
+
+ Mint collectible on %1
+
+
+
+ Asset is being minted
+
+
+
+ Collectible is being minted
+
+
+
+ Asset minting failed
+
+
+
+ Collectible minting failed
+
+
+
+ Review token details before minting it as they can't be edited later
+
+
+
+ Mint
+
+
+
+ Loading token holders...
+
+
+
+
+ ConfirmAddingNewMasterKey
+
+ Secure Your Assets and Funds
+
+
+
+ Your recovery phrase is a 12-word passcode to your funds.<br/><br/>Your recovery phrase cannot be recovered if lost. Therefore, you <b>must</b> back it up. The simplest way is to <b>write it down offline and store it somewhere secure.</b>
+
+
+
+ I have a pen and paper
+
+
+
+ I am ready to write down my recovery phrase
+
+
+
+ I know where I’ll store it
+
+
+
+ You can only complete this process once. Status will not store your recovery phrase and can never help you recover it.
+
+
+
+
+ ConfirmAppRestartModal
+
+ Application Restart
+
+
+
+ Please restart the application to apply the changes.
+
+
+
+ Restart
+
+
+
+
+ ConfirmChangePasswordModal
+
+ Your data must now be re-encrypted with your new password. This process may take some time, during which you won’t be able to interact with the app. Do not quit the app or turn off your device. Doing so will lead to data corruption, loss of your Status profile and the inability to restart Status.
+
+
+
+ Re-encryption complete
+
+
+
+ Re-encrypting your data with your new password...
+
+
+
+ Restart Status and log in using your new password
+
+
+
+ Do not quit the app or turn off your device
+
+
+
+ Change password
+
+
+
+ Cancel
+
+
+
+ Re-encrypt data using new password
+
+
+
+ Restart Status
+
+
+
+
+ ConfirmExternalLinkPopup
+
+ Before you go
+
+
+
+ This link is taking you to the following site. Be careful to double check the URL before you go.
+
+
+
+ Trust <b>%1</b> links from now on
+
+
+
+ Cancel
+
+
+
+ Visit site
+
+
+
+
+ ConfirmHideAssetPopup
+
+ Hide asset
+
+
+
+ Hide %1 (%2)
+
+
+
+ Are you sure you want to hide %1 (%2)? You will no longer see or be able to interact with this asset anywhere inside Status.
+
+
+
+
+ ConfirmHideCommunityAssetsPopup
+
+ Hide '%1' assets
+
+
+
+ Hide %1 community assets
+
+
+
+ Are you sure you want to hide all community assets minted by %1? You will no longer see or be able to interact with these assets anywhere inside Status.
+
+
+
+
+ ConfirmSeedPhraseBackup
+
+ Step 4 of 4
+
+
+
+ Complete back up
+
+
+
+ Store Your Phrase Offline and Complete Your Back Up
+
+
+
+ By completing this process, you will remove your recovery phrase from this application’s storage. This makes your funds more secure.
+
+You will remain logged in, and your recovery phrase will be entirely in your hands.
+
+
+
+ I acknowledge that Status will not be able to show me my recovery phrase again.
+
+
+
+
+ ConfirmationDialog
+
+ Confirm
+
+
+
+ Reject
+
+
+
+ Cancel
+
+
+
+ Are you sure you want to do this?
+
+
+
+ Confirm your action
+
+
+
+ Do not show this again
+
+
+
+
+ ConfirmationPopup
+
+ Enable Tenor GIFs?
+
+
+
+ Once enabled, GIFs posted in the chat may share your metadata with Tenor.
+
+
+
+ Enable
+
+
+
+
+ ConnectDAppModal
+
+ dApp connected
+
+
+
+ Connection request
+
+
+
+ Reject
+
+
+
+ Disconnect
+
+
+
+ Close
+
+
+
+ Connect
+
+
+
+
+ ConnectionStatusTag
+
+ Connected. You can now go back to the dApp.
+
+
+
+ Error connecting to dApp. Close and try again
+
+
+
+
+ ConnectionWarnings
+
+ Retry now
+
+
+
+
+ Constants
+
+ Key pair starting with whitespace are not allowed
+
+
+
+ Key pair must be at least %n character(s)
+
+
+
+
+
+
+ Only letters and numbers allowed
+
+
+
+ Only letters, numbers, underscores, periods, whitespaces and hyphens allowed
+
+
+
+ Invalid characters (A-Z and 0-9, single whitespace, hyphens and underscores only)
+
+
+
+ Only letters, numbers, underscores, periods, commas, whitespaces and hyphens allowed
+
+
+
+ Special characters are not allowed
+
+
+
+ Only letters, numbers and ASCII characters allowed
+
+
+
+ Name is too cool (use A-Z and 0-9, single whitespace, hyphens and underscores only)
+
+
+
+ Whole numbers only
+
+
+
+ Positive real numbers only
+
+
+
+ How to display the QR code on your other device
+
+
+
+ How to copy the encrypted key from your other device
+
+
+
+ Limit of 20 accounts reached
+
+
+
+ Remove any account to add a new one.
+
+
+
+ Limit of 5 key pairs reached
+
+
+
+ Remove key pair to add a new one.
+
+
+
+ Limit of 3 watched addresses reached
+
+
+
+ Remove a watched address to add a new one.
+
+
+
+ Limit of 20 saved addresses reached
+
+
+
+ Remove a saved address to add a new one.
+
+
+
+ Username already taken :(
+
+
+
+ Username doesn’t belong to you :(
+
+
+
+ Continuing will connect this username with your chat key.
+
+
+
+ ✓ Username available!
+
+
+
+ Username is already connected with your chat key and can be used inside Status.
+
+
+
+ This user name is owned by you and connected with your chat key. Continue to set `Show my ENS username in chats`.
+
+
+
+ Continuing will require a transaction to connect the username with your current chat key.
+
+
+
+
+ ContactPanel
+
+ Send message
+
+
+
+ Reject
+
+
+
+ Decline Request
+
+
+
+ Accept
+
+
+
+ Accept Request
+
+
+
+ Remove Rejection
+
+
+
+
+ ContactRequestCta
+
+ Accepted
+
+
+
+ Pending
+
+
+
+ Declined & Blocked
+
+
+
+ Declined
+
+
+
+
+ ContactsColumnView
+
+ Messages
+
+
+
+ Start chat
+
+
+
+
+ ContactsListPanel
+
+ Contact Request Sent
+
+
+
+
+ ContactsStore
+
+ Nickname for %1 removed
+
+
+
+ Nickname for %1 changed
+
+
+
+ Nickname for %1 added
+
+
+
+ Contact request sent
+
+
+
+
+ ContactsView
+
+ Send contact request to chat key
+
+
+
+ Contacts
+
+
+
+ Pending Requests
+
+
+
+ Dismissed Requests
+
+
+
+ Blocked
+
+
+
+ Search by name or chat key
+
+
+
+ Trusted Contacts
+
+
+
+ Received
+
+
+
+ Sent
+
+
+
+
+ ContextCard
+
+ Connect with
+
+
+
+ On
+
+
+
+
+ ContractInfoButtonWithMenu
+
+ View %1 %2 contract address on %3
+ e.g. "View Optimism (DAI) contract address on Optimistic"
+
+
+
+ View %1 contract address on %2
+
+
+
+ Copy contract address
+
+
+
+ Copied
+
+
+
+
+ ControlNodeOfflineCenterPanel
+
+ %1 will be right back!
+
+
+
+ You will automatically re-enter the community and be able to view and post as normal as soon as the community’s control node comes back online.
+
+
+
+
+ Controller
+
+ Please enter numbers only
+
+
+
+ Account number must be <100
+
+
+
+ Non-Ethereum cointype
+
+
+
+
+ ConvertKeycardAccountAcksPage
+
+ Are you sure you want to migrate this profile keypair to Status?
+
+
+
+ This profile and its accounts will be less secure, as Keycard will no longer be required to transact or login.
+
+
+
+ Your data will also be re-encrypted, restricting access to Status for up to 30 mins. Do you wish to continue?
+
+
+
+ Continue
+
+
+
+
+ ConvertKeycardAccountPage
+
+ Re-encrypting your profile data
+
+
+
+ Your data must be re-encrypted with your new password which may take some time.
+
+
+
+ Re-encryption complete
+
+
+
+ Your data was successfully re-encrypted with your new password. You can now restart Status and log in to your profile using the password you just created.
+
+
+
+ Re-encryption failed
+
+
+
+ Do not quit Status or turn off your device. Doing so will lead to loss of profile and inability to restart the app.
+
+
+
+ Restart Status and log in with new password
+
+
+
+ Back to login
+
+
+
+
+ CopyToClipBoardButton
+
+ Copied!
+
+
+
+
+ CountdownPill
+
+ Expired
+
+
+
+ %1d
+ x days
+
+
+
+ %1h
+ x hours
+
+
+
+ %n min(s)
+
+
+
+
+
+
+ %1m
+ x minutes
+
+
+
+ %n sec(s)
+
+
+
+
+
+
+ Expired on: %1
+
+
+
+ Expires on: %1
+
+
+
+
+ CreateCategoryPopup
+
+ Edit category
+
+
+
+ New category
+
+
+
+ Category title
+
+
+
+ Name the category
+
+
+
+ category name
+
+
+
+ Channels
+
+
+
+ Delete Category
+
+
+
+ Save
+
+
+
+ Create
+
+
+
+ Error editing the category
+
+
+
+ Error creating the category
+
+
+
+
+ CreateChannelPopup
+
+ Save changes to #%1 channel?
+
+
+
+ You have made changes to #%1 channel. If you close this dialog without saving these changes will be lost?
+
+
+
+ Save changes
+
+
+
+ Close without saving
+
+
+
+ New Channel With Imported Chat History
+
+
+
+ Edit #%1
+
+
+
+ New channel
+
+
+
+ Set channel color
+
+
+
+ Import chat history
+
+
+
+ Create channel
+
+
+
+ Clear all
+
+
+
+ Delete channel
+
+
+
+ Proceed with (%1/%2) files
+
+
+
+ Validate %n file(s)
+
+
+
+
+
+
+ Validate (%1/%2) files
+
+
+
+ Start channel import
+
+
+
+ Select Discord channel JSON files to import
+
+
+
+ Some of your community files cannot be used
+
+
+
+ Uncheck any files you would like to exclude from the import
+
+
+
+ (JSON file format only)
+
+
+
+ Browse files
+
+
+
+ Export the Discord channel’s chat history data using %1
+
+
+
+ Refer to this <a href='https://github.com/Tyrrrz/DiscordChatExporter/blob/master/.docs/Readme.md'>documentation</a> if you have any queries
+
+
+
+ Choose files to import
+
+
+
+ JSON files (%1)
+
+
+
+ Select the chat history you would like to import into #%1...
+
+
+
+ Import all history
+
+
+
+ Start date
+
+
+
+ Channel name
+
+
+
+ # Name the channel
+
+
+
+ channel name
+
+
+
+ Channel colour
+
+
+
+ Pick a colour
+
+
+
+ Description
+
+
+
+ Describe the channel
+
+
+
+ channel description
+
+
+
+ Hide channel from members who don't have permissions to view the channel
+
+
+
+ Permissions
+
+
+
+ Add permission
+
+
+
+ Channel Colour
+
+
+
+ Select Channel Colour
+
+
+
+ Update permission
+
+
+
+ Create permission
+
+
+
+ Edit #%1 permission
+
+
+
+ New #%1 permission
+
+
+
+ Revert changes
+
+
+
+ Error creating the channel
+
+
+
+
+ CreateChatView
+
+ Contacts
+
+
+
+ You can only send direct messages to your Contacts.
+
+Send a contact request to the person you would like to chat with, you will be able to chat with them once they have accepted your contact request.
+
+
+
+
+ CreateCommunityPopup
+
+ Import a community from Discord into Status
+
+
+
+ Create New Community
+
+
+
+ Next
+
+
+
+ Start Discord import
+
+
+
+ Create Community
+
+
+
+ Clear all
+
+
+
+ Proceed with (%1/%2) files
+
+
+
+ Validate (%1/%2) files
+
+
+
+ Import files
+
+
+
+ Select Discord JSON files to import
+
+
+
+ Some of your community files cannot be used
+
+
+
+ Uncheck any files you would like to exclude from the import
+
+
+
+ (JSON file format only)
+
+
+
+ Browse files
+
+
+
+ Export your Discord JSON data using %1
+
+
+
+ Refer to this <a href='https://github.com/Tyrrrz/DiscordChatExporter/blob/master/.docs/Readme.md'>documentation</a> if you have any queries
+
+
+
+ Choose files to import
+
+
+
+ JSON files (%1)
+
+
+
+ Please select the categories and channels you would like to import
+
+
+
+ Import all history
+
+
+
+ Start date
+
+
+
+ Name your community
+
+
+
+ Give it a short description
+
+
+
+ Community introduction and rules (you can edit this later)
+
+
+
+ Error creating the community
+
+
+
+
+ CreateKeycardProfilePage
+
+ Create profile on empty Keycard
+
+
+
+ You will require your Keycard to log in to Status and sign transactions
+
+
+
+ Use a new recovery phrase
+
+
+
+ To create your Keycard-stored profile
+
+
+
+ Let's go!
+
+
+
+ Use an existing recovery phrase
+
+
+
+
+ CreatePasswordPage
+
+ Create profile password
+
+
+
+ This password can’t be recovered
+
+
+
+ Confirm password
+
+
+
+ Got it
+
+
+
+ Your Status keys are the foundation of your self-sovereign identity in Web3. You have complete control over these keys, which you can use to sign transactions, access your data, and interact with Web3 services.
+
+Your keys are always securely stored on your device and protected by your Status profile password. Status doesn't know your password and can't reset it for you. If you forget your password, you may lose access to your Status profile and wallet funds.
+
+Remember your password and don't share it with anyone.
+
+
+
+
+ CreateProfilePage
+
+ Create profile
+
+
+
+ How would you like to start using Status?
+
+
+
+ Start fresh
+
+
+
+ Create a new profile from scratch
+
+
+
+ Let’s go!
+
+
+
+ Use a recovery phrase
+
+
+
+ If you already have an Ethereum wallet
+
+
+
+ Use an empty Keycard
+
+
+
+ Store your new profile keys on Keycard
+
+
+
+
+ CurrenciesModel
+
+ US Dollars
+
+
+
+ British Pound
+
+
+
+ Euros
+
+
+
+ Russian ruble
+
+
+
+ South Korean won
+
+
+
+ Ethereum
+
+
+
+ Tokens
+
+
+
+ Bitcoin
+
+
+
+ Status Network Token
+
+
+
+ Dai
+
+
+
+ United Arab Emirates dirham
+
+
+
+ Other Fiat
+
+
+
+ Afghan afghani
+
+
+
+ Argentine peso
+
+
+
+ Australian dollar
+
+
+
+ Barbadian dollar
+
+
+
+ Bangladeshi taka
+
+
+
+ Bulgarian lev
+
+
+
+ Bahraini dinar
+
+
+
+ Brunei dollar
+
+
+
+ Bolivian boliviano
+
+
+
+ Brazillian real
+
+
+
+ Bhutanese ngultrum
+
+
+
+ Canadian dollar
+
+
+
+ Swiss franc
+
+
+
+ Chilean peso
+
+
+
+ Chinese yuan
+
+
+
+ Colombian peso
+
+
+
+ Costa Rican colón
+
+
+
+ Czech koruna
+
+
+
+ Danish krone
+
+
+
+ Dominican peso
+
+
+
+ Egyptian pound
+
+
+
+ Ethiopian birr
+
+
+
+ Georgian lari
+
+
+
+ Ghanaian cedi
+
+
+
+ Hong Kong dollar
+
+
+
+ Croatian kuna
+
+
+
+ Hungarian forint
+
+
+
+ Indonesian rupiah
+
+
+
+ Israeli new shekel
+
+
+
+ Indian rupee
+
+
+
+ Icelandic króna
+
+
+
+ Jamaican dollar
+
+
+
+ Japanese yen
+
+
+
+ Kenyan shilling
+
+
+
+ Kuwaiti dinar
+
+
+
+ Kazakhstani tenge
+
+
+
+ Sri Lankan rupee
+
+
+
+ Moroccan dirham
+
+
+
+ Moldovan leu
+
+
+
+ Mauritian rupee
+
+
+
+ Malawian kwacha
+
+
+
+ Mexican peso
+
+
+
+ Malaysian ringgit
+
+
+
+ Mozambican metical
+
+
+
+ Namibian dollar
+
+
+
+ Nigerian naira
+
+
+
+ Norwegian krone
+
+
+
+ Nepalese rupee
+
+
+
+ New Zealand dollar
+
+
+
+ Omani rial
+
+
+
+ Peruvian sol
+
+
+
+ Papua New Guinean kina
+
+
+
+ Philippine peso
+
+
+
+ Pakistani rupee
+
+
+
+ Polish złoty
+
+
+
+ Paraguayan guaraní
+
+
+
+ Qatari riyal
+
+
+
+ Romanian leu
+
+
+
+ Serbian dinar
+
+
+
+ Saudi riyal
+
+
+
+ Swedish krona
+
+
+
+ Singapore dollar
+
+
+
+ Thai baht
+
+
+
+ Trinidad and Tobago dollar
+
+
+
+ New Taiwan dollar
+
+
+
+ Tanzanian shilling
+
+
+
+ Turkish lira
+
+
+
+ Ukrainian hryvnia
+
+
+
+ Ugandan shilling
+
+
+
+ Uruguayan peso
+
+
+
+ Venezuelan bolívar
+
+
+
+ Vietnamese đồng
+
+
+
+ South African rand
+
+
+
+
+ CurrenciesStore
+
+ N/A
+
+
+
+
+ DAppConfirmDisconnectPopup
+
+ Are you sure you want to disconnect %1 from all accounts?
+
+
+
+ Disconnect %1
+
+
+
+ Cancel
+
+
+
+ Disconnect dApp
+
+
+
+
+ DAppDelegate
+
+ Disconnect dApp
+
+
+
+
+ DAppSignRequestModal
+
+ Sign Request
+
+
+
+ %1 wants you to sign this transaction with %2
+
+
+
+ %1 wants you to sign this message with %2
+
+
+
+ Only sign if you trust the dApp
+
+
+
+ Insufficient funds for transaction
+
+
+
+ Max fees:
+
+
+
+ No fees
+
+
+
+ Est. time:
+
+
+
+ Sign with
+
+
+
+ Network
+
+
+
+ Fees
+
+
+
+ Max. fees on %1
+
+
+
+
+ DAppsListPopup
+
+ Connected dApps will appear here
+
+
+
+ Connected dApps
+
+
+
+ Connect a dApp
+
+
+
+
+ DAppsService
+
+ Connected to %1 via %2
+
+
+
+ Disconnected from %1
+
+
+
+ Connection request for %1 was rejected
+
+
+
+ Failed to reject connection request for %1
+
+
+
+ Fail to %1 from %2
+
+
+
+ accepted
+
+
+
+ rejected
+
+
+
+
+ DAppsUriCopyInstructionsPopup
+
+ How to copy the dApp URI
+
+
+
+ Navigate to a dApp with WalletConnect support
+
+
+
+ Click the
+
+
+
+ Connect
+
+
+
+ or
+
+
+
+ Connect wallet
+
+
+
+ button
+
+
+
+ Select
+
+
+
+ WalletConnect
+
+
+
+ from the menu
+
+
+
+ Head back to Status and paste the URI
+
+
+
+
+ DAppsWorkflow
+
+ Connect a dApp
+
+
+
+ Cancel
+
+
+
+ How would you like to connect?
+
+
+
+
+ DappsComboBox
+
+ dApp connections
+
+
+
+
+ DeactivateNetworkPopup
+
+ Disable %1 network
+
+
+
+ Balances stored on this network will not be visible in the Wallet. Your funds will be safe and you can always enable the network again.
+
+
+
+ Disable %1
+
+
+
+
+ DefaultDAppExplorerView
+
+ Default DApp explorer
+
+
+
+ None
+
+
+
+
+ DeleteMessageConfirmationPopup
+
+ Confirm deleting this message
+
+
+
+ Are you sure you want to delete this message? Be aware that other clients are not guaranteed to delete the message as well.
+
+
+
+
+ DerivationPath
+
+ Derivation Path
+
+
+
+ Reset
+
+
+
+ Account
+
+
+
+ Select address
+
+
+
+ I understand that this non-Ethereum derivation path is incompatible with Keycard
+
+
+
+
+ DerivationPathDisplay
+
+ Derivation Path
+
+
+
+ Account
+
+
+
+
+ DerivationPathSection
+
+ Derivation path
+
+
+
+ (advanced)
+
+
+
+ Edit
+
+
+
+
+ DescriptionInput
+
+ Description
+
+
+
+ What your community is about
+
+
+
+ community description
+
+
+
+
+ DetailsView
+
+ Configure your Keycard
+
+
+
+ Rename Keycard
+
+
+
+ Change PIN
+
+
+
+ Create a backup copy of this Keycard
+
+
+
+ Stop using Keycard for this key pair
+
+
+
+ Unlock Keycard
+
+
+
+ Advanced
+
+
+
+ Create a 12-digit personal unblocking key (PUK)
+
+
+
+ Create a new pairing code
+
+
+
+
+ DidYouKnowMessages
+
+ Status messenger is the most secure fully decentralised messenger in the world
+
+
+
+ Full metadata privacy means it’s impossible to tell who you are talking to by surveilling your internet traffic
+
+
+
+ Status is truly private - none of your personal details (or any other information) are sent to us
+
+
+
+ Messages sent using Status are end to end encrypted and can only be opened by the recipient
+
+
+
+ Status uses the Waku p2p gossip messaging protocol — an evolution of the EF’s original Whisper protocol
+
+
+
+ Status is home to crypto’s leading multi-chain self-custodial wallet
+
+
+
+ Status removes intermediaries to keep your messages private and your assets secure
+
+
+
+ Status uses the latest encryption and security tools to secure your messages and transactions
+
+
+
+ Status enables pseudo-anonymous interaction with Web3, DeFi, and society in general
+
+
+
+ The Status Network token (SNT) is a modular utility token that fuels the Status network
+
+
+
+ Your cryptographic key pair encrypts all of your messages which can only be unlocked by the intended recipient
+
+
+
+ Status’ Web3 browser requires all DApps to ask permission before connecting to your wallet
+
+
+
+ Your non-custodial wallet gives you full control over your funds without the use of a server
+
+
+
+ Status is decentralized and serverless - chat, transact, and browse without surveillance and censorship
+
+
+
+ Status is open source software that lets you use with p2p networks. Status itself doesn’t provide any services
+
+
+
+ Status is a way to access p2p networks that are permissionlessly created and run by individuals around the world
+
+
+
+ Our 10 core principles include liberty, security, transparency, censorship resistance and inclusivity
+
+
+
+ Status believes in freedom, and in maximizing the individual freedom of our users
+
+
+
+ Status is designed and built to protect the sovereignty of individuals
+
+
+
+ Status aims to protect the right to private, secure conversations, and the freedom to associate and collaborate
+
+
+
+ One of our core aims is to maximize social, political, and economic freedoms
+
+
+
+ Status abides by the cryptoeconomic design principle of censorship resistance
+
+
+
+ Status is a public good licensed under the MIT open source license, for anyone to share, modify and benefit from
+
+
+
+ Status supports free communication without the approval or oversight of big tech
+
+
+
+ Status allows you to communicate freely without the threat of surveillance
+
+
+
+ Status supports free speech. Using p2p networks prevents us, or anyone else, from censoring you
+
+
+
+ Status is entirely open source and made by contributors all over the world
+
+
+
+ Status is a globally distributed team of 150+ specialist core contributors
+
+
+
+ Our team of core contributors work remotely from over 50+ countries spread across 6 continents
+
+
+
+ The only continent that doesn’t (yet!) have any Status core contributors is Antarctica
+
+
+
+ We are the 5th most active crypto project on github
+
+
+
+ We are dedicated to transitioning our governance model to being decentralised and autonomous
+
+
+
+ Status core-contributors use Status as their primary communication tool
+
+
+
+ Status was co-founded by Jarrad Hope and Carl Bennetts
+
+
+
+ Status was created to ease the transition to a more open mobile internet
+
+
+
+ Status aims to help anyone, anywhere, interact with Ethereum, requiring no more than a phone
+
+
+
+ Your mobile company, and government are able to see the contents of all your private SMS messages
+
+
+
+ Many other messengers with e2e encryption don’t have metadata privacy!
+
+
+
+ Help to translate Status into your native language see https://translate.status.im/ for more info
+
+
+
+ By using Keycard, you can ensure your funds are safe even if your phone is stolen
+
+
+
+ You can enhance security by using Keycard + PIN entry as two-factor authentication
+
+
+
+ Status is currently working on a multi-chain wallet which will allow quick and easy multi-chain txns.
+
+
+
+ The new Status mobile app is being actively developed and is earmarked for release in 2023
+
+
+
+ The all new Status desktop app is being actively developed and is earmarked for release in 2023
+
+
+
+ Status also builds the Nimbus Ethereum consensus, execution and light clients
+
+
+
+ Status’s Nimbus team is collaborating with the Ethereum Foundation to create the Portal Network
+
+
+
+ Status’s Portal Network client (Fluffy) will let Status users interact with Ethereum in a fully decenteralised way
+
+
+
+ We are currently working on a tool to let you import an existing Telegram or Discord group into Status
+
+
+
+
+ DidYouKnowSplashScreen
+
+ DID YOU KNOW?
+
+
+
+
+ DiscordImportProgressContents
+
+ Delete channel & restart import
+
+
+
+ Close & restart import
+
+
+
+ Cancel import
+
+
+
+ Restart import
+
+
+
+ Hide window
+
+
+
+ Visit your new channel
+
+
+
+ Visit your new community
+
+
+
+ Setting up your new channel
+
+
+
+ Setting up your community
+
+
+
+ Importing Discord channel
+
+
+
+ Importing channels
+
+
+
+ Importing messages
+
+
+
+ Downloading assets
+
+
+
+ Initializing channel
+
+
+
+ Initializing community
+
+
+
+ ✓ Complete
+
+
+
+ Import stopped...
+
+
+
+ Pending...
+
+
+
+ Importing from file %1 of %2...
+
+
+
+ %1%
+
+
+
+ %n more issue(s) downloading assets
+
+
+
+
+
+
+ Importing ‘%1’ from Discord...
+
+
+
+ Importing ‘%1’ from Discord stopped...
+
+
+
+ Importing ‘%1’ stopped due to a critical issue...
+
+
+
+ ‘%1’ was imported with %n issue(s).
+
+
+
+
+
+
+ ‘%1’ was successfully imported from Discord.
+
+
+
+ Your Discord import is in progress...
+
+
+
+ This process can take a while. Feel free to hide this window and use Status normally in the meantime. We’ll notify you when the %1 is ready for you.
+
+
+
+ Channel
+
+
+
+ Community
+
+
+
+ If there were any issues with your import you can upload new JSON files via the community page at any time.
+
+
+
+ Are you sure you want to cancel the import?
+
+
+
+ Your new Status %1 will be deleted and all information entered will be lost.
+
+
+
+ channel
+
+
+
+ community
+
+
+
+ Delete channel & cancel import
+
+
+
+ Delete community
+
+
+
+ Cancel
+
+
+
+ Continue importing
+
+
+
+ Are you sure you want to delete the channel?
+
+
+
+ Your new Status channel will be deleted and all information entered will be lost.
+
+
+
+
+ DiscordImportProgressDialog
+
+ Import a channel from Discord into Status
+
+
+
+ Import a community from Discord into Status
+
+
+
+
+ DisplayNameValidators
+
+ Display Names can’t start or end with a space
+
+
+
+ Invalid characters (use A-Z and 0-9, hyphens and underscores only)
+
+
+
+ Display Names must be at least %n character(s) long
+
+
+
+
+
+
+ Display Names can’t be longer than %n character(s)
+
+
+
+
+
+
+ Display Names can’t end in “.eth”, “_eth” or “-eth”
+
+
+
+ Adjective-animal Display Name formats are not allowed
+
+
+
+ This Display Name is already in use in one of your joined communities
+
+
+
+
+ DisplaySeedPhrase
+
+ Step 1 of 4
+
+
+
+ Write down your 12-word recovery phrase to keep offline
+
+
+
+ The next screen contains your recovery phrase.<br/><b>Anyone</b> who sees it can use it to access to your funds.
+
+
+
+
+ DownloadBar
+
+ Cancelled
+
+
+
+ Paused
+
+
+
+ Show All
+
+
+
+
+ DownloadMenu
+
+ Open
+
+
+
+ Show in folder
+
+
+
+ Pause
+
+
+
+ Resume
+
+
+
+ Cancel
+
+
+
+
+ DownloadPage
+
+ Thanks for using Status
+
+
+
+ You're curently using version %1 of Status.
+
+
+
+ There's new version available to download.
+
+
+
+ Get Status %1
+
+
+
+
+ DownloadView
+
+ Cancelled
+
+
+
+ Paused
+
+
+
+ Downloaded files will appear here.
+
+
+
+
+ DropAndEditImagePanel
+
+ Drop It!
+
+
+
+
+ ENSPopup
+
+ Primary username
+
+
+
+ Apply
+
+
+
+ Your messages are displayed to others with this username:
+
+
+
+ Once you select a username, you won’t be able to disable it afterwards. You will only be able choose a different username to display.
+
+
+
+
+ EditAirdropView
+
+ Airdrop %1 on %2
+
+
+
+ What
+
+
+
+ Example: 1 SOCK
+
+
+
+ First you need to mint or import an asset before you can perform an airdrop
+
+
+
+ First you need to mint or import a collectible before you can perform an airdrop
+
+
+
+ Show fees (will be enabled once the form is filled)
+
+
+
+ Add valid “What” and “To” values to see fees
+
+
+
+ Not enough tokens to send to all recipients. Reduce the number of recipients or change the number of tokens sent to each recipient.
+
+
+
+ Create airdrop
+
+
+
+ Sign transaction - Airdrop %n token(s)
+
+
+
+
+
+
+ to %n recipient(s)
+
+
+
+
+
+
+
+ EditCommunityTokenView
+
+ Mint asset on %1
+
+
+
+ Mint collectible on %1
+
+
+
+ Icon
+
+
+
+ Artwork
+
+
+
+ Upload
+
+
+
+ Drag and Drop or Upload Artwork
+
+
+
+ Images only
+
+
+
+ Asset icon
+
+
+
+ Collectible artwork
+
+
+
+ Upload asset icon
+
+
+
+ Upload collectible artwork
+
+
+
+ Name
+
+
+
+ Please name your token name (use A-Z and 0-9, hyphens and underscores only)
+
+
+
+ Your token name is too cool (use A-Z and 0-9, hyphens and underscores only)
+
+
+
+ Your token name contains invalid characters (use A-Z and 0-9, hyphens and underscores only)
+
+
+
+ Asset name already exists
+
+
+
+ You have used this token name before
+
+
+
+ Description
+
+
+
+ Describe your asset (will be shown in hodler's wallets)
+
+
+
+ Describe your collectible (will be shown in hodler's wallets)
+
+
+
+ Please enter a token description
+
+
+
+ Only A-Z, 0-9 and standard punctuation allowed
+
+
+
+ Symbol
+
+
+
+ e.g. ETH
+
+
+
+ e.g. DOODLE
+
+
+
+ Please enter your token symbol (use A-Z only)
+
+
+
+ Your token symbol is too cool (use A-Z only)
+
+
+
+ Your token symbol contains invalid characters (use A-Z only)
+
+
+
+ Symbol already exists
+
+
+
+ You have used this token symbol before
+
+
+
+ Network
+
+
+
+ Unlimited supply
+
+
+
+ Enable to allow the minting of additional tokens in the future. Disable to specify a finite supply
+
+
+
+ Total finite supply
+
+
+
+ e.g. 300
+
+
+
+ Please enter a total finite supply
+
+
+
+ Your total finite supply is too cool (use 0-9 only)
+
+
+
+ Your total finite supply contains invalid characters (use 0-9 only)
+
+
+
+ Enter a number between 1 and 999,999,999
+
+
+
+ Not transferable (Soulbound)
+
+
+
+ Transferable
+
+
+
+ If enabled, the token is locked to the first address it is sent to and can never be transferred to another address. Useful for tokens that represent Admin permissions
+
+
+
+ Remotely destructible
+
+
+
+ Enable to allow you to destroy tokens remotely. Useful for revoking permissions from individuals
+
+
+
+ Decimals (DP)
+
+
+
+ Max 10
+
+
+
+ Please enter how many decimals your token should have
+
+
+
+ Your decimal amount is too cool (use 0-9 only)
+
+
+
+ Your decimal amount contains invalid characters (use 0-9 only)
+
+
+
+ Enter a number between 1 and 10
+
+
+
+ Show fees
+
+
+
+ Fees will be enabled once the form is filled
+
+
+
+ Preview
+
+
+
+
+ EditCroppedImagePanel
+
+ Select different image
+
+
+
+ Remove image
+
+
+
+
+ EditNetworkForm
+
+ Checking RPC...
+
+
+
+ What is %1? This isn’t a URL 😒
+
+
+
+ RPC appears to be either offline or this is not a valid JSON RPC endpoint URL
+
+
+
+ RPC successfully reached
+
+
+
+ JSON RPC URLs are the same
+
+
+
+ Chain ID returned from JSON RPC doesn’t match %1
+
+
+
+ Restart required for changes to take effect
+
+
+
+ Network name
+
+
+
+ Short name
+
+
+
+ Chain ID
+
+
+
+ Native Token Symbol
+
+
+
+ User JSON RPC URL #1
+
+
+
+ User JSON RPC URL #2
+
+
+
+ Block Explorer
+
+
+
+ I understand that changing network settings can cause unforeseen issues, errors, security risks and potentially even loss of funds.
+
+
+
+ Save Changes
+
+
+
+ RPC URL change requires app restart
+
+
+
+ For new JSON RPC URLs to take effect, Status must be restarted. Are you ready to do this now?
+
+
+
+ Save and restart later
+
+
+
+ Save and restart Status
+
+
+
+
+ EditOwnerTokenView
+
+ This is the %1 Owner token. The hodler of this collectible has ultimate control over %1 Community token administration.
+
+
+
+ This is the %1 TokenMaster token. The hodler of this collectible has full admin rights for the %1 Community in Status and can mint and airdrop %1 Community tokens.
+
+
+
+ Mint %1 Owner and TokenMaster tokens on %2
+
+
+
+ Select account
+
+
+
+ This account will be where you receive your Owner token and will also be the account that pays the token minting gas fees.
+
+
+
+ Select network
+
+
+
+ The network you select will be where all your community’s tokens reside. Once set, this setting can’t be changed and tokens can’t move to other networks.
+
+
+
+ Mint
+
+
+
+
+ EditPermissionView
+
+ Anyone
+
+
+
+ Who holds
+
+
+
+ Example: 10 SNT
+
+
+
+ Is allowed to
+
+
+
+ Example: View and post
+
+
+
+ In
+
+
+
+ Example: `#general` channel
+
+
+
+ Hide permission
+
+
+
+ Make this permission hidden from members who don’t meet its requirements
+
+
+
+ Permission with same properties is already active, edit properties to create a new permission.
+
+
+
+ Any changes to community permissions will take effect after the control node receives and processes them
+
+
+
+ Create permission
+
+
+
+
+ EditSettingsPanel
+
+ Community sharding
+
+
+
+ Active: on shard #%1
+
+
+
+ Manage
+
+
+
+ Make %1 a sharded community
+
+
+
+
+ EditSlippagePanel
+
+ Slippage tolerance
+
+
+
+ Use default
+
+
+
+ Maximum deviation in price due to market volatility and liquidity allowed before the swap is cancelled. (%L1% default).
+
+
+
+ Receive at least
+
+
+
+
+ EmptyChatPanel
+
+ Share your chat key
+
+
+
+ or
+
+
+
+ invite
+
+
+
+ friends to start messaging in Status
+
+
+
+
+ EmptyPlaceholder
+
+ Loading gifs...
+
+
+
+ Favorite GIFs will appear here
+
+
+
+ Recent GIFs will appear here
+
+
+
+ Error while contacting Tenor API, please retry.
+
+
+
+ Retry
+
+
+
+
+ EnableBiometricsPage
+
+ Enable biometrics
+
+
+
+ Would you like to enable biometrics to fill in your password? You will use biometrics for signing in to Status and for signing transactions.
+
+
+
+ Yes, use biometrics
+
+
+
+ Maybe later
+
+
+
+
+ EnableFullMessageHistoryPopup
+
+ Enable full message history
+
+
+
+ Enabling the Community History Service ensures every member can view the complete message history for all channels they have permission to view. Without this feature, message history will be limited to the last 30 days. Your computer, which is the control node for the community, must remain online for this to work.
+
+
+
+ This service operates using the Archive Protocol, which will be automatically enabled.
+
+
+
+ Read more
+
+
+
+ Got it
+
+
+
+
+ EnableShardingPopup
+
+ Enable community sharding for %1
+
+
+
+ Cancel
+
+
+
+ Enable community sharding
+
+
+
+ Close
+
+
+
+ Enter shard number
+
+
+
+ Enter a number between 0 and 1023
+
+
+
+ Invalid shard number. Number must be 0 — 1023.
+
+
+
+ Pub/Sub topic
+
+
+
+ I have made a copy of the Pub/Sub topic and public key string
+
+
+
+
+ EnsAddedView
+
+ ENS usernames
+
+
+
+ Username added
+
+
+
+ %1 is now connected with your chat key and can be used in Status.
+
+
+
+ Ok, got it
+
+
+
+
+ EnsConnectedView
+
+ ENS usernames
+
+
+
+ Username added
+
+
+
+ %1 will be connected once the transaction is complete.
+
+
+
+ You can follow the progress in the Transaction History section of your wallet.
+
+
+
+ Ok, got it
+
+
+
+
+ EnsDetailsView
+
+ Wallet address
+
+
+
+ Copied to clipboard!
+
+
+
+ Key
+
+
+
+ Remove username
+
+
+
+ Release username
+
+
+
+ Username locked. You won't be able to release it until %1
+
+
+
+ Back
+
+
+
+
+ EnsListView
+
+ ENS usernames
+
+
+
+ Add username
+
+
+
+ Your usernames
+
+
+
+ (pending)
+
+
+
+ Chat settings
+
+
+
+ Primary Username
+
+
+
+ None selected
+
+
+
+ Hey!
+
+
+
+ You’re displaying your ENS username in chats
+
+
+
+
+ EnsPanel
+
+ This condition has already been added
+
+
+
+ This is not ENS name
+
+
+
+ Put *. before ENS name to include all subdomains in permission
+
+
+
+ Add
+
+
+
+ Update
+
+
+
+ Remove
+
+
+
+
+ EnsRegisteredView
+
+ ENS usernames
+
+
+
+ Username added
+
+
+
+ Nice! You own %1.stateofus.eth once the transaction is complete.
+
+
+
+ You can follow the progress in the Transaction History section of your wallet.
+
+
+
+ Ok, got it
+
+
+
+
+ EnsReleasedView
+
+ ENS usernames
+
+
+
+ Username removed
+
+
+
+ The username %1 will be removed and your deposit will be returned once the transaction is mined
+
+
+
+ You can follow the progress in the Transaction History section of your wallet.
+
+
+
+ Ok, got it
+
+
+
+
+ EnsSearchView
+
+ At least 4 characters. Latin letters, numbers, and lowercase only.
+
+
+
+ Letters and numbers only.
+
+
+
+ Type the entire username including the custom domain like username.domain.eth
+
+
+
+ Custom domain
+
+
+
+ I want a stateofus.eth domain
+
+
+
+ I own a name on another domain
+
+
+
+ Back
+
+
+
+
+ EnsTermsAndConditionsView
+
+ ENS usernames
+
+
+
+ Terms of name registration
+
+
+
+ Funds are deposited for 1 year. Your SNT will be locked, but not spent.
+
+
+
+ After 1 year, you can release the name and get your deposit back, or take no action to keep the name.
+
+
+
+ If terms of the contract change — e.g. Status makes contract upgrades — user has the right to release the username regardless of time held.
+
+
+
+ The contract controller cannot access your deposited funds. They can only be moved back to the address that sent them.
+
+
+
+ Your address(es) will be publicly associated with your ENS name.
+
+
+
+ Usernames are created as subdomain nodes of stateofus.eth and are subject to the ENS smart contract terms.
+
+
+
+ You authorize the contract to transfer SNT on your behalf. This can only occur when you approve a transaction to authorize the transfer.
+
+
+
+ These terms are guaranteed by the smart contract logic at addresses:
+
+
+
+ %1 (Status UsernameRegistrar).
+
+
+
+ <a href='%1/%2'>Look up on Etherscan</a>
+
+
+
+ %1 (ENS Registry).
+
+
+
+ Wallet address
+
+
+
+ Copied to clipboard!
+
+
+
+ Key
+
+
+
+ Agree to <a href="#">Terms of name registration.</a> I understand that my wallet address will be publicly connected to my username.
+
+
+
+ Back
+
+
+
+ 10 SNT
+
+
+
+ Deposit
+
+
+
+ Not enough SNT
+
+
+
+ Register
+
+
+
+
+ EnsView
+
+ Release username
+
+
+
+ The account this username was bought with is no longer among active accounts.
+Please add it and try again.
+
+
+
+
+ EnsWelcomeView
+
+ Get a universal username
+
+
+
+ ENS names transform those crazy-long addresses into unique usernames.
+
+
+
+ Customize your chat name
+
+
+
+ An ENS name can replace your random 3-word name in chat. Be @yourname instead of %1.
+
+
+
+ Simplify your ETH address
+
+
+
+ You can receive funds to your easy-to-share ENS name rather than your hexadecimal hash (0x...).
+
+
+
+ Receive transactions in chat
+
+
+
+ Others can send you funds via chat in one simple step.
+
+
+
+ 10 SNT to register
+
+
+
+ Register once to keep the name forever. After 1 year you can release the name and get your SNT back.
+
+
+
+ Already own a username?
+
+
+
+ You can verify and add any usernames you own in the next steps.
+
+
+
+ Powered by Ethereum Name Services
+
+
+
+ Start
+
+
+
+
+ EnterKeypairName
+
+ Key name
+
+
+
+ Enter a name
+
+
+
+ Key pair name must be at least %n character(s)
+
+
+
+
+
+
+ For your future reference. This is only visible to you.
+
+
+
+
+ EnterName
+
+ Preview
+
+
+
+ Rename this Keycard
+
+
+
+ Name this Keycard
+
+
+
+ Keycard name
+
+
+
+ What would you like this Keycard to be called?
+
+
+
+
+ EnterPairingCode
+
+ The codes don’t match
+
+
+
+ Enter a new pairing code
+
+
+
+ Pairing code
+
+
+
+ Enter code
+
+
+
+ Confirm pairing code
+
+
+
+ Confirm code
+
+
+
+
+ EnterPassword
+
+ Password
+
+
+
+ Enter your password
+
+
+
+ Password incorrect
+
+
+
+ Stored password doesn't match
+
+
+
+ Enter your new password to proceed
+
+
+
+
+ EnterPrivateKey
+
+ Private key
+
+
+
+ Enter recovery phrase for %1 key pair
+
+
+
+ Type or paste your private key
+
+
+
+ Paste
+
+
+
+ Private key invalid
+
+
+
+ This is not the correct private key
+
+
+
+ New addresses cannot be derived from an account imported from a private key. Import using a recovery phrase if you wish to derive addresses.
+
+
+
+ Public address of private key
+
+
+
+ Key name
+
+
+
+ Enter a name
+
+
+
+ Key pair name must be at least %n character(s)
+
+
+
+
+
+
+ For your future reference. This is only visible to you.
+
+
+
+
+ EnterSeedPhrase
+
+ Invalid recovery phrase
+
+
+
+ The phrase you’ve entered is invalid
+
+
+
+ %n word(s)
+
+
+
+
+
+
+ Enter recovery phrase
+
+
+
+ Enter private key for %1 key pair
+
+
+
+ The entered recovery phrase is already added
+
+
+
+ This is not the correct recovery phrase for %1 key
+
+
+
+ Key name
+
+
+
+ Enter a name
+
+
+
+ Key pair name must be at least %n character(s)
+
+
+
+
+
+
+ For your future reference. This is only visible to you.
+
+
+
+ The phrase you’ve entered does not match this Keycard’s recovery phrase
+
+
+
+ Enter recovery phrase for %1 key pair
+
+
+
+
+ EnterSeedPhraseWord
+
+ Step %1 of 4
+
+
+
+ Confirm word #%1 of your recovery phrase
+
+
+
+ Word #%1
+
+
+
+ Enter word
+
+
+
+ Incorrect word
+
+
+
+
+ EnterSeedPhraseWords
+
+ Confirm recovery phrase words
+
+
+
+ Word #%1
+
+
+
+ Enter word
+
+
+
+ This word doesn’t match
+
+
+
+
+ ErrorDetails
+
+ Show error details
+
+
+
+
+ ExemptionNotificationsModal
+
+ %1 exemption
+
+
+
+ Mute all messages
+
+
+
+ Personal @ Mentions
+
+
+
+ Global @ Mentions
+
+
+
+ Other Messages
+
+
+
+ Clear Exemptions
+
+
+
+ Done
+
+
+
+
+ ExportControlNodePopup
+
+ How to move the %1 control node to another device
+
+
+
+ Any of your synced <b>desktop</b> devices can be the control node for this Community:
+
+
+
+ You don’t currently have any <b>synced desktop devices</b>. You will need to sync another desktop device before you can move the %1 control node to it. Does the device you want to use as the control node currently have Status installed?
+
+
+
+ Close
+
+
+
+ Control node (this device)
+
+
+
+ Not eligible (desktop only)
+
+
+
+ 1. On the device you want to make the control node <font color='%1'>login using this profile</font>
+
+
+
+ 2. Go to
+
+
+
+ %1 Admin Overview
+
+
+
+ 3. Click <font color='%1'>Make this device the control node</font>
+
+
+
+ Status installed on other device
+
+
+
+ Status not installed on other device
+
+
+
+ On this device...
+
+
+
+ 1. Go to
+
+
+
+ Settings
+
+
+
+ Syncing
+
+
+
+ 3. Click <font color='%1'>Setup Syncing</font> and sync your other devices
+
+
+
+ 4. Click <font color='%1'>How to move control node</font> again for next instructions
+
+
+
+ 1. Install and launch Status on the device you want to use as the control node
+
+
+
+ 2. On that device, click <font color='%1'>I already use Status</font>
+
+
+
+ 3. Click <font color='%1'>Scan or enter sync code</font> and sync your new device
+
+
+
+
+ ExportKeypair
+
+ Encrypted key pairs code
+
+
+
+ On your other device, navigate to the Wallet screen<br>and select ‘Import missing key pairs’. For security reasons,<br>do not save this code anywhere.
+
+
+
+ Your QR and encrypted key pairs code have expired.
+
+
+
+ Failed to generate sync code
+
+
+
+ Failed to start pairing server
+
+
+
+
+ ExtendedDropdownContent
+
+ No data found
+
+
+
+ Most viewed
+
+
+
+ Newest first
+
+
+
+ Oldest first
+
+
+
+ List
+
+
+
+ Thumbnails
+
+
+
+ Search all listed assets
+
+
+
+ Search assets
+
+
+
+ Search all collectibles
+
+
+
+ Search collectibles
+
+
+
+ Search %1
+
+
+
+ Any %1
+
+
+
+ Mint asset
+
+
+
+ Mint collectible
+
+
+
+
+ FavoriteMenu
+
+ Open in new Tab
+
+
+
+ Edit
+
+
+
+ Remove
+
+
+
+
+ FeesBox
+
+ Fees
+
+
+
+ Select account to pay gas fees from
+
+
+
+
+ FeesBoxFooter
+
+ Total
+
+
+
+
+ FeesSummaryFooter
+
+ via %1
+
+
+
+ Total
+
+
+
+
+ FeesView
+
+ Fees
+
+
+
+
+ FetchMoreMessagesButton
+
+ ↓ Fetch more messages
+
+
+
+ Before %1
+
+
+
+
+ FilterComboBox
+
+ Collection
+
+
+
+ Collection, community, name or #
+
+
+
+ Community minted
+
+
+
+ Other
+
+
+
+ Collections
+
+
+
+ No collection
+
+
+
+
+ FinaliseOwnershipDeclinePopup
+
+ Are you sure you don’t want to be the owner?
+
+
+
+ If you don’t want to be the owner of the %1 Community it is important that you let the previous owner know so they can organise another owner to take over. You will have to send the Owner token back to them or on to the next designated owner.
+
+
+
+ Cancel
+
+
+
+ I don't want to be the owner
+
+
+
+
+ FinaliseOwnershipPopup
+
+ Update %1 Community smart contract on %2
+
+
+
+ Finalise %1 ownership
+
+
+
+ Make this device the control node and update smart contract
+
+
+
+ I don't want to be the owner
+
+
+
+ Congratulations! You have been sent the %1 Community Owner token.
+
+
+
+ To finalise your ownership and assume ultimate admin rights for the %1 Community, you need to make your device the Community's <a style="color:%3;" href="%2">control node</a><a style="color:%3;text-decoration: none" href="%2">↗</a>. You will also need to sign a small transaction to update the %1 Community smart contract to make you the official signatory for all Community changes.
+
+
+
+ Symbol
+
+
+
+ Visit Community
+
+
+
+ Finalising your ownership of the %1 Community requires you to:
+
+
+
+ 1. Make this device the control node for the Community
+
+
+
+ It is vital to keep your device online and running Status in order for the Community to operate effectively. Login with this account via another synced desktop device if you think it might be better suited for this purpose.
+
+
+
+ 2. Update the %1 Community smart contract
+
+
+
+ This transaction updates the %1 Community smart contract, making you the %1 Community owner.
+
+
+
+ Show fees (will be enabled once acknowledge confirmed)
+
+
+
+ Gas fees will be paid from
+
+
+
+ I acknowledge that I must keep this device online and running Status as much of the time as possible for the %1 Community to operate effectively
+
+
+
+
+ FirstTokenReceivedPopup
+
+ Congratulations on receiving your first community asset: <br><b>%1 %2 (%3) minted by %4</b>. Community assets are assets that have been minted by a community. As these assets cannot be verified, always double check their origin and validity before interacting with them. If in doubt, ask a trusted member or admin of the relevant community.
+
+
+
+ Congratulations on receiving your first community collectible: <br><b>%1 %2 minted by %3</b>. Community collectibles are collectibles that have been minted by a community. As these collectibles cannot be verified, always double check their origin and validity before interacting with them. If in doubt, ask a trusted member or admin of the relevant community.
+
+
+
+ Visit Community
+
+
+
+ You received your first community asset
+
+
+
+ You received your first community collectible
+
+
+
+ Hide this asset
+
+
+
+ Hide this collectible
+
+
+
+ Got it!
+
+
+
+
+ FleetRadioSelector
+
+ Warning!
+
+
+
+ Change fleet to %1
+
+
+
+
+ FleetsModal
+
+ Fleet
+
+
+
+
+ GapComponent
+
+ Fetch messages
+
+
+
+ Between %1 and %2
+
+
+
+
+ GasSelector
+
+ %1 transaction fee
+
+
+
+ L1 fee: %1
+L2 fee: %2
+
+
+
+ Approve %1 %2 Bridge
+
+
+
+ %1 -> %2 bridge
+
+
+
+
+ GasValidator
+
+ Balance exceeded
+
+
+
+ No route found
+
+
+
+
+ GetSyncCodeDesktopInstructions
+
+ Ensure both devices are on the same network
+
+
+
+ Open Status on the device you want to import from
+
+
+
+ Open Status App on your desktop device
+
+
+
+ Open
+
+
+
+ Settings / Wallet
+
+
+
+ Settings
+
+
+
+ Click
+
+
+
+ Navigate to the
+
+
+
+ Show encrypted QR of key pairs on this device
+
+
+
+ Syncing tab
+
+
+
+ Copy the
+
+
+
+ Enable camera access
+
+
+
+ encrypted key pairs code
+
+
+
+ on this device
+
+
+
+ Setup Syncing
+
+
+
+ Paste the
+
+
+
+ Scan or enter the encrypted QR with this device
+
+
+
+ to this device
+
+
+
+ For security, delete the code as soon as you are done
+
+
+
+ Scan or enter the code
+
+
+
+
+ GetSyncCodeInstructionsPopup
+
+ How to get a pairing code on...
+
+
+
+
+ GetSyncCodeMobileInstructions
+
+ Ensure both devices are on the same network
+
+
+
+ Open Status on the device you want to import from
+
+
+
+ Open Status App on your mobile device
+
+
+
+ Open your
+
+
+
+ Settings / Wallet
+
+
+
+ Profile
+
+
+
+ Tap
+
+
+
+ Go to
+
+
+
+ Show encrypted key pairs code
+
+
+
+ Syncing
+
+
+
+ Copy the
+
+
+
+ Enable camera
+
+
+
+ encrypted key pairs code
+
+
+
+ on this device
+
+
+
+ Sync new device
+
+
+
+ Paste the
+
+
+
+ Scan or enter the encrypted QR with this device
+
+
+
+ to this device
+
+
+
+ For security, delete the code as soon as you are done
+
+
+
+ Scan or enter the code
+
+
+
+
+ GlobalBanner
+
+ You are back online
+
+
+
+ Internet connection lost. Reconnect to ensure everything is up to date.
+
+
+
+ Testnet mode enabled. All balances, transactions and dApp interactions will be on testnets.
+
+
+
+ Turn off
+
+
+
+ Secure your recovery phrase
+
+
+
+ Back up now
+
+
+
+
+ HelpUsImproveStatusPage
+
+ Help us improve Status
+
+
+
+ Your usage data helps us make Status better
+
+
+
+ Share usage data
+
+
+
+ Not now
+
+
+
+ Got it
+
+
+
+ We’ll collect anonymous analytics and diagnostics from your app to enhance Status’s quality and performance.
+
+
+
+ Gather basic usage data, like clicks and page views
+
+
+
+ Gather core diagnostics, like bandwidth usage
+
+
+
+ Never collect your profile information or wallet address
+
+
+
+ Never collect information you input or send
+
+
+
+ Never sell your usage analytics data
+
+
+
+ For more details and other cases where we handle your data, refer to our %1.
+
+
+
+ Privacy Policy
+
+
+
+
+ Helpers
+
+ Community minted
+
+
+
+ Other
+
+
+
+
+ HistoryBetaTag
+
+ or
+
+
+
+ Activity is in beta. If transactions are missing, check %1.
+
+
+
+
+ HistoryView
+
+ Status Desktop is connected to a non-archival node. Transaction history may be incomplete.
+
+
+
+ Activity for this account will appear here
+
+
+
+ Today
+
+
+
+ Yesterday
+
+
+
+ Earlier this week
+
+
+
+ Last week
+
+
+
+ Earlier this month
+
+
+
+ Last month
+
+
+
+ New transactions
+
+
+
+ You have reached the beginning of the activity for this account
+
+
+
+ Back to most recent transaction
+
+
+
+
+ HoldingsDropdown
+
+ No data found
+
+
+
+ No assets found
+
+
+
+ No collectibles found
+
+
+
+ Assets
+
+
+
+ Collectibles
+
+
+
+ ENS
+
+
+
+ Back
+
+
+
+ Asset
+
+
+
+ Collectible
+
+
+
+
+ HoldingsListPanel
+
+ or
+
+
+
+
+ HomePage
+
+ Jump to a community, chat, account or a dApp...
+
+
+
+
+ HomePageDockButton
+
+ Unpin
+
+
+
+ Disconnect
+
+
+
+
+ HomePageGridChatItem
+
+ Group Chat
+
+
+
+ %1 Community
+
+
+
+ Chat
+
+
+
+
+ HomePageGridCommunityItem
+
+ Pending
+
+
+
+ Banned
+
+
+
+
+ HomePageGridDAppItem
+
+ Disconnect
+
+
+
+
+ HomePageGridItem
+
+ Unpin
+
+
+
+ Pin
+
+
+
+
+ HomePageView
+
+ Homepage
+
+
+
+ System default
+
+
+
+ Other
+
+
+
+ Example: duckduckgo.com
+
+
+
+
+ ImageContextMenu
+
+ Copy GIF
+
+
+
+ Copy image
+
+
+
+ Download GIF
+
+
+
+ Download video
+
+
+
+ Download image
+
+
+
+ Copy link
+
+
+
+ Open link
+
+
+
+
+ ImageCropWorkflow
+
+ Supported image formats (%1)
+
+
+
+ Image format not supported
+
+
+
+ Format of the image you chose is not supported. Most probably you picked a file that is invalid, corrupted or has a wrong file extension.
+
+
+
+ Supported image extensions: %1
+
+
+
+
+ ImportCommunityPopup
+
+ Join Community
+
+
+
+ Invalid key
+
+
+
+ Couldn't find community
+
+
+
+ Join
+
+
+
+ Enter the public key of, or a link to the community you wish to access
+
+
+
+ Community key
+
+
+
+ Link or (compressed) public key...
+
+
+
+ %n member(s)
+
+
+
+
+
+
+ Public key detected
+
+
+
+
+ ImportControlNodePopup
+
+ Make this device the control node for %1
+
+
+
+ Are you sure you want to make this device the control node for %1? This device should be one that you are able to keep online and running Status at all times to enable the Community to function correctly.
+
+
+
+ I acknowledge that...
+
+
+
+ I must keep this device online and running Status
+
+
+
+ My other synced device will cease to be the control node for this Community
+
+
+
+ Cancel
+
+
+
+
+ ImportKeypairInfo
+
+ Import key pair to use this account
+
+
+
+ This account was added to one of your synced devices. To use this account you will first need import the associated key pair to this device.
+
+
+
+ Import missing key pair
+
+
+
+
+ ImportLocalBackupPage
+
+ Import local backup
+
+
+
+ Here you can select a local file from your computer and import your previously backed up contacts, etc...
+
+
+
+ You can skip this step and do it anytime later under Settings > Syncing
+
+
+
+ Import from file...
+
+
+
+ Skip
+
+
+
+ Backup files (%1)
+
+
+
+
+ InDropdown
+
+ Community
+
+
+
+ Add channel
+
+
+
+ Update
+
+
+
+ Add community
+
+
+
+ Add
+
+
+
+ Add %n channel(s)
+
+
+
+
+
+
+
+ InlineSelectorPanel
+
+ Confirm
+
+
+
+ Cancel
+
+
+
+ No results found
+
+
+
+
+ Input
+
+ Copied
+
+
+
+ Pasted
+
+
+
+ Copy
+
+
+
+ Paste
+
+
+
+
+ IntentionPanel
+
+ %1 wants you to %2 with %3
+
+
+
+ Only sign if you trust the dApp
+
+
+
+
+ IntroMessageInput
+
+ Dialog for new members
+
+
+
+ What new members will read before joining (eg. community rules, welcome message, etc.). Members will need to tick a check box agreeing to these rules before they are allowed to join your community.
+
+
+
+ community intro message
+
+
+
+
+ IntroduceYourselfPopup
+
+ Introduce yourself
+
+
+
+ Your Name
+
+
+
+ Add an optional display name and profile picture so others can easily recognise you.
+
+
+
+ Skip
+
+
+
+ Edit Profile in Settings
+
+
+
+
+ InvitationBubbleView
+
+ Verified community invitation
+
+
+
+ Community invitation
+
+
+
+ %n member(s)
+
+
+
+
+
+
+ Go to Community
+
+
+
+
+ InviteFriendsPopup
+
+ Download Status link
+
+
+
+ Get Status at %1
+
+
+
+ Copied!
+
+
+
+
+ InviteFriendsToCommunityPopup
+
+ Invite successfully sent
+
+
+
+ Invite Contacts to %1
+
+
+
+ Next
+
+
+
+ Send %n invite(s)
+
+
+
+
+
+
+
+ IssuePill
+
+ %n warning(s)
+
+
+
+
+
+
+ %n error(s)
+
+
+
+
+
+
+ %n message(s)
+
+
+
+
+
+
+
+ JSDialogWindow
+
+ OK
+
+
+
+ Cancel
+
+
+
+
+ JoinCommunityCenterPanel
+
+ joined the channel
+
+
+
+
+ JoinPermissionsOverlayPanel
+
+ Membership requirements not met
+
+
+
+ Request to join Community
+
+
+
+ Membership Request Pending...
+
+
+
+ Channel requirements not met
+
+
+
+ Channel Membership Request Pending...
+
+
+
+ Membership Request Rejected
+
+
+
+ Sorry, you don't hold the necessary tokens to view or post in any of <b>%1</b> channels
+
+
+
+ Requirements check pending...
+
+
+
+ Encryption key has not arrived yet...
+
+
+
+ To join <b>%1</b> you need to prove that you hold
+
+
+
+ Sorry, you can't join <b>%1</b> because it's a private, closed community
+
+
+
+ To view the <b>#%1</b> channel you need to join <b>%2</b> and prove that you hold
+
+
+
+ To view the <b>#%1</b> channel you need to hold
+
+
+
+ To view and post in the <b>#%1</b> channel you need to join <b>%2</b> and prove that you hold
+
+
+
+ To view and post in the <b>#%1</b> channel you need to hold
+
+
+
+ To moderate in the <b>#%1</b> channel you need to hold
+
+
+
+
+ KeyPairItem
+
+ Moving this key pair will require you to use your Keycard to login
+
+
+
+ Keycard Locked
+
+
+
+
+ KeyPairUnknownItem
+
+ Active Accounts
+
+
+
+
+ KeycardAddKeyPairPage
+
+ Creating key pair on Keycard
+
+
+
+ Key pair added to Keycard
+
+
+
+ You will now require this Keycard to log into Status and transact with accounts derived from this key pair
+
+
+
+ A key pair is your shareable public address and a secret private key that controls your wallet. Your key pair is being generated on your Keycard — keep it plugged in until the process completes.
+
+
+
+
+ KeycardConfirmation
+
+ Warning, this Keycard stores your main Status profile and
+accounts. A factory reset will permanently delete it.
+
+
+
+ A factory reset will delete the key on this Keycard.
+Are you sure you want to do this?
+
+
+
+ I understand the key pair on this Keycard will be deleted
+
+
+
+
+ KeycardCreatePinPage
+
+ PINs don't match
+
+
+
+ Create new Keycard PIN
+
+
+
+ Repeat Keycard PIN
+
+
+
+ Setting Keycard PIN
+
+
+
+ PIN set
+
+
+
+
+ KeycardCreateProfileFlow
+
+ Create profile on empty Keycard using a recovery phrase
+
+
+
+
+ KeycardCreateReplacementFlow
+
+ Enter recovery phrase of lost Keycard
+
+
+
+
+ KeycardEmptyPage
+
+ Keycard is empty
+
+
+
+ There is no profile key pair on this Keycard
+
+
+
+ Create new profile on this Keycard
+
+
+
+
+ KeycardEnterPinPage
+
+ Enter Keycard PIN
+
+
+
+ PIN incorrect
+
+
+
+ Authorizing
+
+
+
+ PIN correct
+
+
+
+ %n attempt(s) remaining
+
+
+
+
+
+
+ Unblock using PUK
+
+
+
+ Unblock with recovery phrase
+
+
+
+
+ KeycardEnterPukPage
+
+ %n attempt(s) remaining
+
+
+
+
+
+
+ Factory reset Keycard
+
+
+
+ Keycard locked
+
+
+
+ PUK incorrect
+
+
+
+ PUK correct
+
+
+
+ Enter Keycard PUK
+
+
+
+
+ KeycardErrorPage
+
+ Communication with Keycard lost
+
+
+
+ There seems to be an issue communicating with your Keycard. Reinsert the card or reader and try again.
+
+
+
+ Try again
+
+
+
+ Factory reset Keycard
+
+
+
+
+ KeycardExtractingKeysPage
+
+ Extracting keys from Keycard
+
+
+
+ You will now require this Keycard to log into Status and transact with any accounts derived from this key pair
+
+
+
+ Please keep the Keycard plugged in until the extraction is complete
+
+
+
+
+ KeycardFactoryResetFlow
+
+ Factory reset Keycard
+
+
+
+ All data including the stored key pair and derived accounts will be removed from the Keycard
+
+
+
+ I understand the key pair will be deleted
+
+
+
+ Factory reset this Keycard
+
+
+
+ Reseting Keycard
+
+
+
+ Keycard successfully factory reset
+
+
+
+ You can now use this Keycard like it's a brand-new, empty Keycard
+
+
+
+ Do not remove your Keycard or reader
+
+
+
+ Please wait while the Keycard is being reset
+
+
+
+ Back to Login screen
+
+
+
+ Log in or Create profile
+
+
+
+
+ KeycardInit
+
+ Plug in Keycard reader...
+
+
+
+ Insert empty Keycard...
+
+
+
+ Insert Keycard...
+
+
+
+ Check the card, it might be wrongly inserted
+
+
+
+ Keycard inserted...
+
+
+
+ Starting...
+
+
+
+ Reading Keycard...
+
+
+
+ Migrating key pair to Keycard
+
+
+
+ Migrating key pair to Status
+
+
+
+ Creating new account...
+
+
+
+ Setting a new Keycard...
+
+
+
+ Importing from Keycard...
+
+
+
+ Renaming keycard...
+
+
+
+ Unlocking keycard...
+
+
+
+ Updating PIN
+
+
+
+ Setting your Keycard PUK...
+
+
+
+ Setting your pairing code...
+
+
+
+ Copying Keycard...
+
+
+
+ PCSC not available
+
+
+
+ The Smartcard reader (PCSC service), required
+for using Keycard, is not currently working.
+Ensure PCSC is installed and running and try again
+
+
+
+ This is not a Keycard
+
+
+
+ The card inserted is not a recognised Keycard,
+please remove and try and again
+
+
+
+ Unlock this Keycard
+
+
+
+ Please run "Unlock Keycard" flow directly
+
+
+
+ Wrong Keycard inserted
+
+
+
+ Keycard inserted does not match the Keycard below
+
+
+
+ Keycard inserted does not match the Keycard below,
+please remove and try and again
+
+
+
+ Keycard inserted does not match the Keycard you're trying to unlock
+
+
+
+ This Keycard has empty metadata
+
+
+
+ This Keycard already stores keys
+but doesn't store any metadata,
+please remove and try and again
+
+
+
+ This Keycard already stores keys
+but doesn't store any metadata
+
+
+
+ Keycard is empty
+
+
+
+ There is no key pair on this Keycard,
+please remove and try and again
+
+
+
+ There is no key pair on this Keycard
+
+
+
+ This Keycard already stores keys
+
+
+
+ To migrate %1 on to this Keycard, you
+will need to perform a factory reset first
+
+
+
+ To create a new account on to this Keycard, you
+will need to perform a factory reset first
+
+
+
+ To copy %1 on to this Keycard, you
+will need to perform a factory reset first
+
+
+
+ Keycard locked and already stores keys
+
+
+
+ Keycard locked
+
+
+
+ The Keycard you have inserted is locked,
+you will need to factory reset it before proceeding
+
+
+
+ You will need to unlock it before proceeding
+
+
+
+ Pin entered incorrectly too many times
+
+
+
+ Puk entered incorrectly too many times
+
+
+
+ Max pairing slots reached for the entered keycard
+
+
+
+ Your Keycard is already unlocked!
+
+
+
+ Keycard recognized
+
+
+
+ Key pair successfully migrated
+
+
+
+ New account successfully created
+
+
+
+ Keycard is ready to use!
+
+
+
+ Account successfully imported
+
+
+
+ Your Keycard has been reset
+
+
+
+ Keycard successfully factory reset
+
+
+
+ Unlock successful
+
+
+
+ Keycard successfully renamed
+
+
+
+ Keycard’s PUK successfully set
+
+
+
+ Pairing code successfully set
+
+
+
+ This Keycard is now a copy of %1
+
+
+
+ Key pair was removed from Keycard and is now stored on device.
+You no longer need this Keycard to transact with the below accounts.
+
+
+
+ To complete migration close Status and sign in with your Keycard
+
+
+
+ To complete migration close Status and log in with your new Keycard
+
+
+
+ You can now create a new key pair on this Keycard
+
+
+
+ You can now use this Keycard as if it
+was a brand new empty Keycard
+
+
+
+ Failed to migrate key pair
+
+
+
+ Creating new account failed
+
+
+
+ Setting a Keycard failed
+
+
+
+ Importing account failed
+
+
+
+ Keycard renaming failed
+
+
+
+ Unlock a Keycard failed
+
+
+
+ Setting Keycard’s PUK failed
+
+
+
+ Setting pairing code failed
+
+
+
+ Copying %1 Keycard failed
+
+
+
+ Accounts on this Keycard
+
+
+
+ Adding these accounts will exceed the limit of 20.
+Remove some already added accounts to be able to import a new ones.
+
+
+
+ Ready to authenticate...
+
+
+
+ Biometric scan failed
+
+
+
+ Biometrics incorrect
+
+
+
+ Biometric pin invalid
+
+
+
+ The PIN length doesn't match Keycard's PIN length
+
+
+
+ Remove Keycard
+
+
+
+ Oops this is the same Keycard!
+
+
+
+ You need to remove this Keycard and insert
+an empty new or factory reset Keycard
+
+
+
+ Copy “%1” to inserted keycard
+
+
+
+ This recovery phrase has already been imported
+
+
+
+ This keycard has already been imported
+
+
+
+ Your profile key pair has been
+migrated from Keycard to Status
+
+
+
+ Are you sure you want to migrate
+this key pair to Status?
+
+
+
+ In order to continue using this profile on this device, you need to enter the key pairs recovery phrase and create a new password to log in with on this device.
+
+
+
+ %1 is your default Status key pair.
+
+
+
+ Migrating this key pair will mean you will no longer require this Keycard to login to Status or transact with the key pair’s derived accounts.
+
+
+
+ The key pair and accounts will be fully removed from Keycard and stored on device.
+
+
+
+ %1 key pair and its derived accounts will be fully removed from Keycard and stored on device.
+
+
+
+ This will make your key pair and derived accounts less secure as you will no longer require this Keycard to transact.
+
+
+
+ Your profile key pair has been
+migrated from Status to Keycard
+
+
+
+ In order to continue using this profile on this device, you need to login using the Keycard that this profile key pair was migrated to.
+
+
+
+ Biometrics
+
+
+
+ Would you like to use Touch ID
+to login to Status?
+
+
+
+
+ KeycardIntroPage
+
+ New to Keycard?
+
+
+
+ Store and trade your crypto with a simple, secure and slim hardware wallet.
+
+
+
+ keycard.tech
+
+
+
+ Unblock using PUK
+
+
+
+ Unblock with recovery phrase
+
+
+
+ Factory reset Keycard
+
+
+
+ Plug in your Keycard reader
+
+
+
+ Insert your Keycard
+
+
+
+ Get help via %1 🔗
+
+
+
+ Reading Keycard...
+
+
+
+ Oops this isn’t a Keycard
+
+
+
+ Remove card and insert a Keycard
+
+
+
+ Smartcard reader service unavailable
+
+
+
+ The Smartcard reader service (PCSC service), required for using Keycard, is not currently working. Ensure PCSC is installed and running and try again.
+
+
+
+ All pairing slots occupied
+
+
+
+ Factory reset this Keycard or insert a different one
+
+
+
+ Keycard blocked
+
+
+
+ The Keycard you have inserted is blocked, you will need to unblock it or insert a different one
+
+
+
+ The Keycard you have inserted is blocked, you will need to unblock it, factory reset or insert a different one
+
+
+
+
+ KeycardItem
+
+ Keycard Locked
+
+
+
+
+ KeycardLostPage
+
+ Lost Keycard
+
+
+
+ Sorry you've lost your Keycard
+
+
+
+ Create replacement Keycard using the same recovery phrase
+
+
+
+ Start using this profile without Keycard
+
+
+
+ Order a new Keycard
+
+
+
+
+ KeycardNotEmptyPage
+
+ Keycard is not empty
+
+
+
+ You can’t use it to store new keys right now
+
+
+
+ Log in with this Keycard
+
+
+
+ Factory reset Keycard
+
+
+
+
+ KeycardPin
+
+ It is very important that you do not lose this PIN
+
+
+
+ Don’t lose your PIN! If you do, you may lose
+access to your funds.
+
+
+
+ PINs don't match
+
+
+
+ Enter the Keycard PIN
+
+
+
+ Enter this Keycard’s PIN
+
+
+
+ Enter Keycard PIN
+
+
+
+ PIN incorrect
+
+
+
+ %n attempt(s) remaining
+
+
+
+
+
+
+ Your saved PIN is out of date
+
+
+
+ Enter your new PIN to proceed
+
+
+
+ Enter new Keycard PIN
+
+
+
+ Choose a Keycard PIN
+
+
+
+ Repeat new Keycard PIN
+
+
+
+ Repeat Keycard PIN
+
+
+
+ Keycard PIN set
+
+
+
+ Keycard PIN verified!
+
+
+
+ PIN successfully changed
+
+
+
+ Changing PIN failed
+
+
+
+
+ KeycardPopup
+
+ Set up a new Keycard with an existing account
+
+
+
+ Create a new Keycard account with a new recovery phrase
+
+
+
+ Import or restore a Keycard via a recovery phrase
+
+
+
+ Migrate account from Keycard to Status
+
+
+
+ Factory reset a Keycard
+
+
+
+ Authenticate
+
+
+
+ Signing
+
+
+
+ Unlock Keycard
+
+
+
+ Check what’s on a Keycard
+
+
+
+ Rename Keycard
+
+
+
+ Change pin
+
+
+
+ Create a 12-digit personal unblocking key (PUK)
+
+
+
+ Create a new pairing code
+
+
+
+ Create a backup copy of this Keycard
+
+
+
+ Enable password login on this device
+
+
+
+ Migrate a key pair from Keycard to Status
+
+
+
+ Enable Keycard login on this device
+
+
+
+
+ KeycardPopupDetails
+
+ Cancel
+
+
+
+ Use biometrics instead
+
+
+
+ Use password instead
+
+
+
+ Use biometrics
+
+
+
+ Use PIN
+
+
+
+ Update PIN
+
+
+
+ Unlock using PUK
+
+
+
+ Add another account
+
+
+
+ View accounts in Wallet
+
+
+
+ View imported accounts in Wallet
+
+
+
+ I prefer to use my password
+
+
+
+ Factory reset this Keycard
+
+
+
+ I prefer to use my PIN
+
+
+
+ Retry
+
+
+
+ Input recovery phrase
+
+
+
+ Yes, migrate key pair to this Keycard
+
+
+
+ Yes, migrate key pair to Keycard
+
+
+
+ Try entering recovery phrase again
+
+
+
+ Check what is stored on this Keycard
+
+
+
+ I don’t know the PIN
+
+
+
+ Next
+
+
+
+ Unlock Keycard
+
+
+
+ Done
+
+
+
+ Close app
+
+
+
+ Restart app & sign in using your new Keycard
+
+
+
+ Finalise Keycard
+
+
+
+ Name accounts
+
+
+
+ Finalise import
+
+
+
+ Next account
+
+
+
+ Authenticate
+
+
+
+ Update password & authenticate
+
+
+
+ Update PIN & authenticate
+
+
+
+ Try biometrics again
+
+
+
+ Sign
+
+
+
+ Unlock using recovery phrase
+
+
+
+ Rename this Keycard
+
+
+
+ Set paring code
+
+
+
+ Try inserting a different Keycard
+
+
+
+ Create Password
+
+
+
+ Finalize Status Password Creation
+
+
+
+ Close App
+
+
+
+ Yes, use Touch ID
+
+
+
+ Restart App & Sign In Using Your New Password
+
+
+
+ Try again
+
+
+
+ Restart App & Sign In Using Your Keycard
+
+
+
+
+ KeycardPuk
+
+ The PUK doesn’t match
+
+
+
+ Enter PUK
+
+
+
+ The PUK is incorrect, try entering it again
+
+
+
+ %n attempt(s) remaining
+
+
+
+
+
+
+ Choose a Keycard PUK
+
+
+
+ Repeat your Keycard PUK
+
+
+
+
+ KeycardView
+
+ Get Keycard
+
+
+
+
+ KeypairImportPopup
+
+ Import missing key pairs
+
+
+
+ Encrypted QR for %1 key pair
+
+
+
+ Encrypted QR for key pairs on this device
+
+
+
+ Scan encrypted key pair QR code
+
+
+
+ Import %1 key pair
+
+
+
+ Done
+
+
+
+ Import key pair
+
+
+
+
+ KickBanPopup
+
+ Kick %1
+
+
+
+ Ban %1
+
+
+
+ Are you sure you want to kick <b>%1</b> from %2?
+
+
+
+ Are you sure you want to ban <b>%1</b> from %2? This means that they will be kicked from this community and banned from re-joining.
+
+
+
+ Delete all messages posted by the user
+
+
+
+ Cancel
+
+
+
+
+ LanguageView
+
+ Set Display Currency
+
+
+
+ Search Currencies
+
+
+
+ Language
+
+
+
+ Translations coming soon
+
+
+
+ Alpha languages
+
+
+
+ Beta languages
+
+
+
+ Search Languages
+
+
+
+ We need your help to translate Status, so that together we can bring privacy and free speech to the people everywhere, including those who need it most.
+
+
+
+ Learn more
+
+
+
+ Time Format
+
+
+
+ Use System Settings
+
+
+
+ Use 24-Hour Time
+
+
+
+ Change language
+
+
+
+ Display language has been changed. You must restart the application for changes to take effect.
+
+
+
+ Restart
+
+
+
+
+ LeftTabView
+
+ Wallet
+
+
+
+ All accounts
+
+
+
+ Saved addresses
+
+
+
+
+ LinkPreviewCard
+
+ Channel in
+
+
+
+
+ LinkPreviewMiniCard
+
+ Generating preview...
+
+
+
+ Failed to generate preview
+
+
+
+
+ LinkPreviewSettingsCard
+
+ Show link previews?
+
+
+
+ A preview of your link will be shown here before you send it
+
+
+
+ Options
+
+
+
+
+ LinkPreviewSettingsCardMenu
+
+ Link previews
+
+
+
+ Show for this message
+
+
+
+ Always show previews
+
+
+
+ Never show previews
+
+
+
+
+ LinksMessageView
+
+ Enable automatic GIF unfurling
+
+
+
+ Once enabled, links posted in the chat may share your metadata with their owners
+
+
+
+ Enable in Settings
+
+
+
+ Don't ask me again
+
+
+
+
+ ListDropdownContent
+
+ No data found
+
+
+
+ Max. 1
+
+
+
+ Search results
+
+
+
+ No results
+
+
+
+
+ LoadingErrorComponent
+
+ Failed
+to load
+
+
+
+
+ LocaleUtils
+
+ %1K
+ Thousand
+
+
+
+ %1M
+ Million
+
+
+
+ %1B
+ Billion
+
+
+
+ %1T
+ Trillion
+
+
+
+ N/A
+
+
+
+ B
+ Billion
+
+
+
+ Today %1
+
+
+
+ Yesterday %1
+
+
+
+ %1 %2
+
+
+
+ %n year(s) ago
+
+
+
+
+
+
+ %n month(s) ago
+
+
+
+
+
+
+ %n week(s) ago
+
+
+
+
+
+
+ %n day(s) ago
+
+
+
+
+
+
+ %n hour(s) ago
+
+
+
+
+
+
+ %n min(s) ago
+ x minute(s) ago
+
+
+
+
+
+
+ %n sec(s) ago
+ x second(s) ago
+
+
+
+
+
+
+ now
+
+
+
+
+ LoginBySyncingPage
+
+ Pair devices to sync
+
+
+
+ If you have Status on another device
+
+
+
+
+ LoginKeycardBox
+
+ Unblock with PUK
+
+
+
+ Unblock with recovery phrase
+
+
+
+ Plug in Keycard reader...
+
+
+
+ Insert your Keycard...
+
+
+
+ Reading Keycard...
+
+
+
+ Oops this isn't a Keycard.<br>Remove card and insert a Keycard.
+
+
+
+ Wrong Keycard for this profile inserted
+
+
+
+ Issue detecting Keycard.<br>Remove and re-insert reader and Keycard.
+
+
+
+ Keycard blocked
+
+
+
+ The inserted Keycard is empty.<br>Insert the correct Keycard for this profile.
+
+
+
+ PIN incorrect. %n attempt(s) remaining.
+
+
+
+
+
+
+ Login failed. %1
+
+
+
+ Show details.
+
+
+
+ Enter Keycard PIN
+
+
+
+
+ LoginPasswordBox
+
+ Log In
+
+
+
+ Forgot your password?
+
+
+
+ To recover your password follow these steps:
+
+
+
+ 1. Remove the Status app
+
+
+
+ This will erase all of your data from the device, including your password
+
+
+
+ 2. Reinstall the Status app
+
+
+
+ Re-download the app from %1 %2
+
+
+
+ 3. Sign up with your existing keys
+
+
+
+ Access with your recovery phrase or Keycard
+
+
+
+ 4. Create a new password
+
+
+
+ Enter a new password and you’re all set! You will be able to use your new password
+
+
+
+
+ LoginPasswordInput
+
+ Password
+
+
+
+ Hide password
+
+
+
+ Reveal password
+
+
+
+
+ LoginScreen
+
+ Password incorrect. %1
+
+
+
+ Forgot password?
+
+
+
+ Login failed. %1
+
+
+
+ Show details.
+
+
+
+ Welcome back
+
+
+
+ Lost this Keycard?
+
+
+
+ Login failed
+
+
+
+ Copy error message
+
+
+
+ Close
+
+
+
+
+ LoginTouchIdIndicator
+
+ Biometrics successful
+
+
+
+ Biometrics failed
+
+
+
+ Request biometrics prompt again
+
+
+
+
+ LoginUserSelector
+
+ Create profile
+
+
+
+ Log in
+
+
+
+
+ LogoPicker
+
+ Community logo
+
+
+
+ Choose an image as logo
+
+
+
+ Make this my Community logo
+
+
+
+ Upload a community logo
+
+
+
+
+ Main
+
+ Account name
+
+
+
+ Name
+
+
+
+ Account name must be at least %n character(s)
+
+
+
+
+
+
+ Colour
+
+
+
+ Account
+
+
+
+ Public address of private key
+
+
+
+
+ MainView
+
+ Secure your funds. Keep your profile safe.
+
+
+
+ Your Keycard(s)
+
+
+
+ Setup a new Keycard with an existing account
+
+
+
+ Migrate an existing account from Status Desktop to Keycard
+
+
+
+ Create, import or restore a Keycard account
+
+
+
+ Create a new Keycard account with a new recovery phrase
+
+
+
+ Import or restore via a recovery phrase
+
+
+
+ Import from Keycard to Status Desktop
+
+
+
+ Other
+
+
+
+ Check what’s on a Keycard
+
+
+
+ Factory reset a Keycard
+
+
+
+ Networks
+
+
+
+ Account order
+
+
+
+ Under construction, you might experience some minor issues
+
+
+
+ Manage Tokens
+
+
+
+ Saved Addresses
+
+
+
+ %n key pair(s) require import to use on this device
+
+
+
+
+
+
+ Import missing key pairs
+
+
+
+
+ ManageAccounts
+
+ Remove account
+
+
+
+ Do you want to delete the %1 account?
+
+
+
+ Do you want to delete the last account?
+
+
+
+ Yes, delete this account
+
+
+
+ Balance: %1
+
+
+
+ View on Etherscan
+
+
+
+ What name should account %1 have?
+
+
+
+ What would you like this account to be called?
+
+
+
+ Colour
+
+
+
+ Preview
+
+
+
+ Account %1 of %2
+
+
+
+ Name account %1
+
+
+
+ Name accounts
+
+
+
+
+ ManageAssetsPanel
+
+ Assets
+
+
+
+ Your assets will appear here
+
+
+
+ Community minted
+
+
+
+ Arrange by community
+
+
+
+ Your community minted assets will appear here
+
+
+
+
+ ManageCollectiblesPanel
+
+ Community minted
+
+
+
+ Arrange by community
+
+
+
+ Your community minted collectibles will appear here
+
+
+
+ Other
+
+
+
+ Arrange by collection
+
+
+
+ Your other collectibles will appear here
+
+
+
+
+ ManageHiddenPanel
+
+ Collectibles
+
+
+
+ Assets
+
+
+
+ Your hidden collectibles will appear here
+
+
+
+ Your hidden assets will appear here
+
+
+
+
+ ManageShardingPopup
+
+ Manage community sharding for %1
+
+
+
+ Disable community sharding
+
+
+
+ Edit shard number
+
+
+
+ Shard number
+
+
+
+ Pub/Sub topic
+
+
+
+ Are you sure you want to disable sharding?
+
+
+
+ Are you sure you want to disable community sharding? Your community will automatically revert to using the general shared Waku network.
+
+
+
+
+ ManageTokenMenuButton
+
+ Move to top
+
+
+
+ Move up
+
+
+
+ Move down
+
+
+
+ Move to bottom
+
+
+
+ Hide collectible
+
+
+
+ Hide asset
+
+
+
+ Show collectible
+
+
+
+ Show asset
+
+
+
+ Hide
+
+
+
+ This collectible
+
+
+
+ This asset
+
+
+
+ All collectibles from this community
+
+
+
+ All assets from this community
+
+
+
+ All collectibles from this collection
+
+
+
+ Hide all collectibles from this collection
+
+
+
+ Hide all collectibles from this community
+
+
+
+ Hide all assets from this community
+
+
+
+ Show all collectibles from this collection
+
+
+
+ Show all collectibles from this community
+
+
+
+ Show all assets from this community
+
+
+
+
+ ManageTokensCommunityTag
+
+ Community %1
+
+
+
+ Unknown
+
+
+
+ Unknown community
+
+
+
+ Community name could not be fetched
+
+
+
+
+ ManageTokensDelegate
+
+ Community minted
+
+
+
+ %1 was successfully hidden
+
+
+
+ %1 (%2) was successfully hidden
+
+
+
+
+ ManageTokensGroupDelegate
+
+ Community %1
+
+
+
+ Unknown community
+
+
+
+ Community name could not be fetched
+
+
+
+
+ ManageTokensView
+
+ Assets
+
+
+
+ Collectibles
+
+
+
+ Hidden
+
+
+
+ Advanced
+
+
+
+ Show community assets when sending tokens
+
+
+
+ Don’t display assets with balance lower than
+
+
+
+ Auto-refresh tokens lists
+
+
+
+ Token lists
+
+
+
+ Last check %1
+
+
+
+
+ MarkAsIDVerifiedDialog
+
+ Mark as trusted
+
+
+
+ Mark users as trusted only if you're 100% sure who they are.
+
+
+
+ Cancel
+
+
+
+
+ MarkAsUntrustedPopup
+
+ Mark as untrusted
+
+
+
+ %1 will be marked as untrusted. This mark will only be visible to you.
+
+
+
+ Remove trust mark
+
+
+
+ Remove contact
+
+
+
+ Cancel
+
+
+
+
+ MarketFooter
+
+ Showing %1 to %2 of %3 results
+
+
+
+
+ MarketLayout
+
+ Market
+
+
+
+ Swap
+
+
+
+ %1 %2%
+ [up/down/none character depending on value sign] [localized percentage value]%
+
+
+
+
+ MarketTokenHeader
+
+ #
+
+
+
+ Token
+
+
+
+ Price
+
+
+
+ 24hr
+
+
+
+ 24hr Volume
+
+
+
+ Market Cap
+
+
+
+
+ MaxFeesDisplay
+
+ Max fees:
+
+
+
+ No fees
+
+
+
+
+ MaxSendButton
+
+ Max. %1
+
+
+
+
+ MembersDropdown
+
+ Back
+
+
+
+ Search members
+
+
+
+ No contacts found
+
+
+
+ Select all
+
+
+
+ Update members
+
+
+
+ Add %n member(s)
+
+
+
+
+
+
+ Add
+
+
+
+
+ MembersSelectorBase
+
+ To:
+
+
+
+ %1 USER LIMIT REACHED
+
+
+
+
+ MembersSelectorPanel
+
+ Members
+
+
+
+ %n member(s)
+
+
+
+
+
+
+
+ MembersSettingsPanel
+
+ Members
+
+
+
+ Invite people
+
+
+
+ All Members
+
+
+
+ Pending Requests
+
+
+
+ Rejected
+
+
+
+ Banned
+
+
+
+ Search by name or chat key
+
+
+
+
+ MembersTabPanel
+
+ Accept pending...
+
+
+
+ Reject pending...
+
+
+
+ Ban pending...
+
+
+
+ Unban pending...
+
+
+
+ Kick pending...
+
+
+
+ Waiting for owner node to come online
+
+
+
+ Messages deleted
+
+
+
+ View Messages
+
+
+
+ Kick
+
+
+
+ Ban
+
+
+
+ Unban
+
+
+
+ Accept
+
+
+
+ Reject
+
+
+
+
+ MembershipCta
+
+ Accepted
+
+
+
+ Declined
+
+
+
+ Accept pending
+
+
+
+ Reject pending
+
+
+
+
+ MenuBackButton
+
+ Back
+
+
+
+
+ MessageContextMenuView
+
+ Reply to
+
+
+
+ Edit message
+
+
+
+ Copy message
+
+
+
+ Copy Message Id
+
+
+
+ Unpin
+
+
+
+ Pin
+
+
+
+ Mark as unread
+
+
+
+ Delete message
+
+
+
+
+ MessageView
+
+ You sent a contact request to %1
+
+
+
+ %1 sent you a contact request
+
+
+
+ You accepted %1's contact request
+
+
+
+ %1 accepted your contact request
+
+
+
+ You removed %1 as a contact
+
+
+
+ %1 removed you as a contact
+
+
+
+ %1 pinned a message
+
+
+
+ <b>%1</b> deleted this message
+
+
+
+ Pinned
+
+
+
+ Pinned by
+
+
+
+ Imported from discord
+
+
+
+ Bridged from %1
+
+
+
+ Message deleted
+
+
+
+ Unknown message. Try fetching more messages
+
+
+
+ Add reaction
+
+
+
+ Reply
+
+
+
+ Edit
+
+
+
+ Unpin
+
+
+
+ Pin
+
+
+
+ Mark as unread
+
+
+
+ Delete
+
+
+
+
+ MessagingView
+
+ Allow new contact requests
+
+
+
+ Contacts, Requests, and Blocked Users
+
+
+
+ GIF link previews
+
+
+
+ Allow show GIF previews
+
+
+
+ Website link previews
+
+
+
+ Always ask
+
+
+
+ Always show previews
+
+
+
+ Never show previews
+
+
+
+
+ MetricsEnablePopup
+
+ Help us improve Status
+
+
+
+ Collecting usage data helps us improve Status.
+
+
+
+ What we will receive:
+
+
+
+ • IP address
+ • Universally Unique Identifiers of device
+ • Logs of actions within the app, including button presses and screen visits
+
+
+
+ What we won’t receive:
+
+
+
+ • Your profile information
+ • Your addresses
+ • Information you input and send
+
+
+
+ Usage data will be shared from all profiles added to device. %1 %2
+
+
+
+ Sharing usage data can be turned off anytime in Settings / Privacy and Security.
+
+
+
+ For more details refer to our %1.
+
+
+
+ Do not share
+
+
+
+ Share usage data
+
+
+
+
+ MintTokensFooterPanel
+
+ Send Owner token to transfer %1 Community ownership
+
+
+
+ Airdrop
+
+
+
+ Retail
+
+
+
+ Remotely destruct
+
+
+
+ Burn
+
+
+
+
+ MintTokensSettingsPanel
+
+ Back
+
+
+
+ Tokens
+
+
+
+ Mint token
+
+
+
+ Loading tokens...
+
+
+
+ In order to mint, you must hodl the TokenMaster token for %1
+
+
+
+ Mint Owner token
+
+
+
+ Sign transaction - Mint %1 tokens
+
+
+
+ Collectibles
+
+
+
+ Assets
+
+
+
+ Sign transaction - Mint %1 token
+
+
+
+ Delete
+
+
+
+ Retry mint
+
+
+
+ Refresh
+
+
+
+ Restart token's transaction listening if the token got stuck in minting state
+
+
+
+ Sign transaction - Remotely-destruct TokenMaster token
+
+
+
+ Remotely destruct %n token(s)
+
+
+
+
+
+
+ Remotely destruct
+
+
+
+ Continuing will destroy tokens held by members and revoke any permissions they are given. To undo you will have to issue them new tokens.
+
+
+
+ Sign transaction - Remotely destruct %1 token
+
+
+
+ Sign transaction - Burn %1 tokens
+
+
+
+ Remotely destruct %Ln %1 token(s) on %2
+
+
+
+
+
+
+ Delete %1
+
+
+
+ Delete %1 token
+
+
+
+ %1 is not yet minted, are you sure you want to delete it? All data associated with this token including its icon and description will be permanently deleted.
+
+
+
+
+ MintedTokensView
+
+ Minting failed
+
+
+
+ Minting...
+
+
+
+ 1 of 1 (you hodl)
+
+
+
+ 1 of 1
+
+
+
+ ∞ remaining
+
+
+
+ %L1 / %L2 remaining
+
+
+
+ Community tokens
+
+
+
+ You can mint custom tokens and import tokens for your community
+
+
+
+ Create remotely destructible soulbound tokens for admin permissions
+
+
+
+ Reward individual members with custom tokens for their contribution
+
+
+
+ Mint tokens for use with community and channel permissions
+
+
+
+ Get started
+
+
+
+ Token minting can only be performed by admins that hodl the Community’s TokenMaster token. If you would like this permission, contact the Community founder (they will need to mint the Community Owner token before they can airdrop this to you).
+
+
+
+ In order to Mint, Import and Airdrop community tokens, you first need to mint your Owner token which will give you permissions to access the token management features for your community.
+
+
+
+ Mint Owner token
+
+
+
+ Assets
+
+
+
+ You currently have no minted assets
+
+
+
+ Collectibles
+
+
+
+ You currently have no minted collectibles
+
+
+
+ Retry mint
+
+
+
+
+ MockedKeycardLibControllerWindow
+
+ Mocked Keycard Lib Controller
+
+
+
+ Use this buttons to control the flow
+
+
+
+ Plugin Reader
+
+
+
+ Unplug Reader
+
+
+
+ Insert Keycard 1
+
+
+
+ Insert Keycard 2
+
+
+
+ Remove Keycard
+
+
+
+ Set initial reader state (refers to keycard 1 only)
+
+
+
+ Keycard-1
+
+
+
+ Keycard-2
+
+
+
+ Keycard %1 - initial keycard state
+
+
+
+ Mocked Keycard
+
+
+
+ Enter json form of status-go MockedKeycard
+
+
+
+ Invalid json format
+
+
+
+ Specific keycard details
+
+
+
+ Register Keycard
+
+
+
+
+ MockedKeycardReaderStateSelector
+
+ Reader Unplugged
+
+
+
+ Keycard Not Inserted
+
+
+
+ Keycard Inserted
+
+
+
+
+ MockedKeycardStateSelector
+
+ Not Status Keycard
+
+
+
+ Empty Keycard
+
+
+
+ Max Pairing Slots Reached
+
+
+
+ Max PIN Retries Reached
+
+
+
+ Max PUK Retries Reached
+
+
+
+ Keycard With Mnemonic Only
+
+
+
+ Keycard With Mnemonic & Metadata
+
+
+
+ Custom Keycard
+
+
+
+
+ ModifySocialLinkModal
+
+ Edit %1 link
+
+
+
+ Edit custom Link
+
+
+
+ Delete
+
+
+
+ Update
+
+
+
+ Change title
+
+
+
+ Invalid title
+
+
+
+ Title and link combination already added
+
+
+
+ Username already added
+
+
+
+ Edit your link
+
+
+
+ Invalid %1
+
+
+
+ link
+
+
+
+
+ ModuleWarning
+
+ %1%
+
+
+
+
+ MuteChatMenuItem
+
+ Mute Channel
+
+
+
+ Mute Chat
+
+
+
+ For 15 mins
+
+
+
+ For 1 hour
+
+
+
+ For 8 hours
+
+
+
+ For 24 hours
+
+
+
+ For 7 days
+
+
+
+ Until I turn it back on
+
+
+
+
+ MyProfileView
+
+ Preview
+
+
+
+ Invalid changes made to Identity
+
+
+
+ Changes could not be saved. Try again
+
+
+
+ Identity
+
+
+
+ Communities
+
+
+
+ Accounts
+
+
+
+ Collectibles
+
+
+
+ Web
+
+
+
+
+ NameInput
+
+ Community name
+
+
+
+ A catchy name
+
+
+
+ community name
+
+
+
+
+ NetworkCardsComponent
+
+ Your Balances
+
+
+
+ No Balance
+
+
+
+ No Gas
+
+
+
+ EXCEEDS SEND AMOUNT
+
+
+
+ BALANCE: %1
+
+
+
+ Disabled
+
+
+
+ Disable
+
+
+
+ Enable
+
+
+
+ WILL RECEIVE
+
+
+
+ UNPREFERRED
+
+
+
+
+ NetworkConnectionStore
+
+ Requires internet connection
+
+
+
+ Requires Pocket Network(POKT) or Infura, both of which are currently unavailable
+
+
+
+ Internet connection lost. Data could not be retrieved.
+
+
+
+ Token balances are fetched from Pocket Network (POKT) and Infura which are both curently unavailable
+
+
+
+ Market values are fetched from CryptoCompare and CoinGecko which are both currently unavailable
+
+
+
+ Market values and token balances use CryptoCompare/CoinGecko and POKT/Infura which are all currently unavailable.
+
+
+
+ Requires POKT/Infura for %1, which is currently unavailable
+
+
+
+ Pocket Network (POKT) & Infura are currently both unavailable for %1. %1 balances are as of %2.
+
+
+
+
+ NetworkFilter
+
+ Select networks
+
+
+
+
+ NetworkSelectItemDelegate
+
+ %1 chain integrated. You can now view and swap <br>%1 assets, as well as interact with %1 dApps.
+
+
+
+
+ NetworkSelectPopup
+
+ Manage networks
+
+
+
+
+ NetworkSelector
+
+ hide details
+
+
+
+ show details
+
+
+
+
+ NetworkWarningPanel
+
+ The owner token is minted on a network that isn't selected. Click here to enable it:
+
+
+
+ Enable %1
+
+
+
+
+ NetworksAdvancedCustomRoutingView
+
+ Networks
+
+
+
+ Hide Unpreferred Networks
+
+
+
+ Show Unpreferred Networks
+
+
+
+ Routes will be automatically calculated to give you the lowest cost.
+
+
+
+ The networks where the recipient will receive tokens. Amounts calculated automatically for the lowest cost.
+
+
+
+
+ NetworksView
+
+ Mainnet
+
+
+
+ Testnet
+
+
+
+
+ NewAccountLoginPage
+
+ Log in
+
+
+
+ How would you like to log in to Status?
+
+
+
+ Log in with recovery phrase
+
+
+
+ If you have your Status recovery phrase
+
+
+
+ Enter recovery phrase
+
+
+
+ Log in by syncing
+
+
+
+ If you have Status on another device
+
+
+
+ Log in with Keycard
+
+
+
+ If your profile keys are stored on a Keycard
+
+
+
+ To pair your devices and sync your profile, make sure to check and complete the following steps:
+
+
+
+ Connect both devices to the same network
+
+
+
+ Make sure you are logged in on the other device
+
+
+
+ Disable the firewall and VPN on both devices
+
+
+
+ Cancel
+
+
+
+ Continue
+
+
+
+ Status does not have access to local network
+
+
+
+ Status must be connected to the local network on this device for you to be able to log in via syncing. To rectify this...
+
+
+
+ 1. Open System Settings
+
+
+
+ 2. Click Privacy & Security
+
+
+
+ 3. Click Local Network
+
+
+
+ 4. Find Status
+
+
+
+ 5. Toggle the switch to grant access
+
+
+
+ 6. Click %1 below
+
+
+
+ Verify local network access
+
+
+
+ Verifying
+
+
+
+
+ NewMessagesMarker
+
+ %n missed message(s) since %1
+
+
+
+
+
+
+ NEW
+ new message(s)
+
+
+
+
+ NewsMessagePopup
+
+ Visit the website
+
+
+
+
+ NicknamePopup
+
+ Edit nickname
+
+
+
+ Add nickname
+
+
+
+ Nickname
+
+
+
+ Invalid characters (use A-Z and 0-9, hyphens and underscores only)
+
+
+
+ Nicknames must be at least %n character(s) long
+
+
+
+
+
+
+ Nicknames can’t start or end with a space
+
+
+
+ Nicknames can’t end in “.eth”, “_eth” or “-eth”
+
+
+
+ Adjective-animal nickname formats are not allowed
+
+
+
+ Nicknames help you identify others and are only visible to you
+
+
+
+ Cancel
+
+
+
+ Remove nickname
+
+
+
+ Change nickname
+
+
+
+
+ NoFriendsRectangle
+
+ You don’t have any contacts yet. Invite your friends to start chatting.
+
+
+
+ No users match your search
+
+
+
+ Invite friends
+
+
+
+
+ NoImageUploadedPanel
+
+ Upload
+
+
+
+ Wide aspect ratio is optimal
+
+
+
+
+ NoPermissionsToJoinPopup
+
+ Required assets not held
+
+
+
+ Reject
+
+
+
+ %1 no longer holds the tokens required to join %2 in their wallet, so their request to join %2 must be rejected.
+
+
+
+ %1 can request to join %2 again in the future, when they have the tokens required to join %2 in their wallet.
+
+
+
+
+ NodeLayout
+
+ Type json-rpc message... e.g {"method": "eth_accounts"}
+
+
+
+
+ NotificationSelect
+
+ Send Alerts
+
+
+
+ Deliver Quietly
+
+
+
+ Turn Off
+
+
+
+
+ NotificationsView
+
+ Community
+
+
+
+ 1:1 Chat
+
+
+
+ Group Chat
+
+
+
+ Muted
+
+
+
+ Off
+
+
+
+ Quiet
+
+
+
+ Personal @ Mentions %1
+
+
+
+ Global @ Mentions %1
+
+
+
+ Alerts
+
+
+
+ Other Messages %1
+
+
+
+ Multiple Exemptions
+
+
+
+ Enable Notifications in macOS Settings
+
+
+
+ To receive Status notifications, make sure you've enabled them in your computer's settings under <b>System Preferences > Notifications</b>
+
+
+
+ Allow Notification Bubbles
+
+
+
+ Messages
+
+
+
+ 1:1 Chats
+
+
+
+ Group Chats
+
+
+
+ Personal @ Mentions
+
+
+
+ Messages containing @%1
+
+
+
+ Global @ Mentions
+
+
+
+ Messages containing @everyone
+
+
+
+ All Messages
+
+
+
+ Others
+
+
+
+ Contact Requests
+
+
+
+ Status News
+
+
+
+ Enable RSS
+
+
+
+ Notification Content
+
+
+
+ Show Name and Message
+
+
+
+ Hi there! So EIP-1559 will defini...
+
+
+
+ Name Only
+
+
+
+ You have a new message
+
+
+
+ Anonymous
+
+
+
+ Play a Sound When Receiving a Notification
+
+
+
+ Volume
+
+
+
+ Send a Test Notification
+
+
+
+ Exemptions
+
+
+
+ Search Communities, Group Chats and 1:1 Chats
+
+
+
+ Most recent
+
+
+
+
+ OnboardingFlow
+
+ Status Software Privacy Policy
+
+
+
+ Done
+
+
+
+ Status Software Terms of Use
+
+
+
+
+ OnboardingLayout
+
+ fetch pin
+
+
+
+ fetch password
+
+
+
+ Credentials not found.
+
+
+
+ Fetching credentials failed.
+
+
+
+
+ OperatorsUtils
+
+ and
+
+
+
+ or
+
+
+
+
+ Options
+
+ Request to join required
+
+
+
+ Warning: Only token gated communities (or token gated channels inside non-token gated community) are encrypted
+
+
+
+ New members can see full message history
+
+
+
+ Any member can pin a message
+
+
+
+ You can token-gate your community and channels anytime after creation using existing tokens or by minting new ones in the community admin area.
+
+
+
+ Learn more about token-gating
+
+
+
+
+ OutroMessageInput
+
+ Leaving community message (you can edit this later)
+
+
+
+ The message a member will see when they leave your community
+
+
+
+ community outro message
+
+
+
+
+ OverviewSettingsChart
+
+ Messages
+
+
+
+ 1H
+
+
+
+ Time period
+
+
+
+ 1D
+
+
+
+ 7D
+
+
+
+ Date
+
+
+
+ 1M
+
+
+
+ 6M
+
+
+
+ Month
+
+
+
+ 1Y
+
+
+
+ ALL
+
+
+
+ Year
+
+
+
+ No. of Messages
+
+
+
+
+ OverviewSettingsFooter
+
+ Learn more
+
+
+
+ Finalise your ownership of the %1 Community
+
+
+
+ You currently hodl the Owner token for %1. Make your device the control node to finalise ownership.
+
+
+
+ Finalise %1 ownership
+
+
+
+ This device is currently the control node for the %1 Community
+
+
+
+ For your Community to function correctly keep this device online with Status running as much as possible.
+
+
+
+ How to move control node
+
+
+
+ Make this device the control node for the %1 Community
+
+
+
+ Ensure this is a device you can keep online with Status running.
+
+
+
+ Make this device the control node
+
+
+
+
+ OverviewSettingsPanel
+
+ Overview
+
+
+
+ Transfer ownership
+
+
+
+ Edit Community
+
+
+
+ Community administration is disabled when in testnet mode
+
+
+
+ To access your %1 community admin area, you need to turn off testnet mode.
+
+
+
+ Turn off testnet mode
+
+
+
+
+ OwnerTokenWelcomeView
+
+ Your <b>Owner token</b> will give you permissions to access the token management features for your community. This token is very important - only one will ever exist, and if this token gets lost then access to the permissions it enables for your community will be lost forever as well.<br><br>
+ Minting your Owner token also automatically mints your community’s <b>TokenMaster token</b>. You can airdrop your community’s TokenMaster token to anybody you wish to grant both Admin permissions and permission to access your community’s token management functions to.<br><br>
+ Only the hodler of the Owner token can airdrop TokenMaster tokens. TokenMaster tokens are soulbound (meaning they can’t be transferred), and you (the hodler of the Owner token) can remotely destruct a TokenMaster token at any time, to revoke TokenMaster permissions from any individual.
+
+
+
+ Only 1 will ever exist
+
+
+
+ Hodler is the owner of the Community
+
+
+
+ Ability to airdrop / destroy TokenMaster token
+
+
+
+ Ability to mint and airdrop Community tokens
+
+
+
+ Unlimited supply
+
+
+
+ Grants full Community admin rights
+
+
+
+ Non-transferrable
+
+
+
+ Remotely destructible by the Owner token hodler
+
+
+
+ Next
+
+
+
+
+ PairWCModal
+
+ Connect a dApp via WalletConnect
+
+
+
+ How to copy the dApp URI
+
+
+
+ Done
+
+
+
+
+ PasswordConfirmationView
+
+ Passwords don't match
+
+
+
+ Have you written down your password?
+
+
+
+ You will never be able to recover your password if you lose it.
+
+
+
+ If you need to, write it using pen and paper and keep in a safe place.
+
+
+
+ If you lose your password you will lose access to your Status profile.
+
+
+
+ Confirm your password (again)
+
+
+
+
+ PasswordView
+
+ Create a password
+
+
+
+ Change your password
+
+
+
+ Create a password to unlock Status on this device & sign transactions.
+
+
+
+ Change password used to unlock Status on this device & sign transactions.
+
+
+
+ You will not be able to recover this password if it is lost.
+
+
+
+ Minimum %n character(s)
+
+
+
+
+
+
+ Passwords don't match
+
+
+
+ Only ASCII letters, numbers, and symbols are allowed
+
+
+
+ Maximum %n character(s)
+
+
+
+
+
+
+ Password pwned, shouldn't be used
+
+
+
+ Common password, shouldn't be used
+
+
+
+ Current password
+
+
+
+ Enter current password
+
+
+
+ Choose password
+
+
+
+ Type password
+
+
+
+ Repeat password
+
+
+
+ Passwords match
+
+
+
+ Lower case
+
+
+
+ Upper case
+
+
+
+ Numbers
+
+
+
+ Symbols
+
+
+
+
+ PaymentRequestAdaptor
+
+ Popular assets on %1
+
+
+
+
+ PaymentRequestCardDelegate
+
+ Send %1 %2 to %3
+
+
+
+ Requested by %1
+
+
+
+ Not available in the testnet mode
+
+
+
+
+ PaymentRequestMiniCardDelegate
+
+ Payment request
+
+
+
+
+ PaymentRequestModal
+
+ Payment request
+
+
+
+ Add to message
+
+
+
+ Into
+
+
+
+ On
+
+
+
+ Only
+
+
+
+
+ PermissionConflictWarningPanel
+
+ Conflicts with existing permission:
+
+
+
+ "Anyone who holds %1 can %2 in %3"
+
+
+
+ Edit permissions to resolve a conflict.
+
+
+
+
+ PermissionItem
+
+ Active
+
+
+
+ Pending, will become active once owner node comes online
+
+
+
+ Deletion pending, will be deleted once owner node comes online
+
+
+
+ Pending updates will be applied when owner node comes online
+
+
+
+ Anyone who holds
+
+
+
+ Anyone
+
+
+
+ is allowed to
+
+
+
+ and
+
+
+
+ in
+
+
+
+ Edit
+
+
+
+ Duplicate
+
+
+
+ Undo delete
+
+
+
+ Delete
+
+
+
+
+ PermissionQualificationPanel
+
+ %L1% of the %Ln community member(s) with known addresses will qualify for this permission.
+
+
+
+
+
+
+ The addresses of %Ln community member(s) are unknown.
+
+
+
+
+
+
+
+ PermissionTypes
+
+ Become an admin
+
+
+
+ Become member
+
+
+
+ View only
+
+
+
+ View and post
+
+
+
+ Manage community tokens
+
+
+
+ Manage TokenMaster tokens
+
+
+
+ You are eligible to join as
+
+
+
+ You'll be a
+
+
+
+ You're a
+
+
+
+ TokenMaster
+
+
+
+ Admin
+
+
+
+ Member
+
+
+
+ You'll no longer be a
+
+
+
+ Not eligible to join with current address selections
+
+
+
+ Members who meet the requirements will be allowed to create and edit permissions, token sales, airdrops and subscriptions
+
+
+
+ Be careful with assigning this permission.
+
+
+
+ Only the community owner can modify admin permissions
+
+
+
+ Anyone who meets the requirements will be allowed to join your community
+
+
+
+ Members who meet the requirements will be allowed to read and write in the selected channels
+
+
+
+ Members who meet the requirements will be allowed to read the selected channels
+
+
+
+ Max of 5 ‘become member’ permissions for this Community has been reached. You will need to delete an existing ‘become member’ permission before you can add a new one.
+
+
+
+
+ PermissionsCard
+
+ %1 will be able to:
+
+
+
+ Check your account balance and activity
+
+
+
+ Request transactions and message signing
+
+
+
+
+ PermissionsDropdown
+
+ Community
+
+
+
+ Channels
+
+
+
+ Add
+
+
+
+ Update
+
+
+
+
+ PermissionsHelpers
+
+ Any ENS username
+
+
+
+ ENS username on '%1' domain
+
+
+
+ ENS username '%1'
+
+
+
+
+ PermissionsRow
+
+ or
+
+
+
+ Eligible to join
+
+
+
+ Not eligible to join
+
+
+
+ +%1
+
+
+
+
+ PermissionsSettingsPanel
+
+ Permissions
+
+
+
+ Add new permission
+
+
+
+ Edit permission
+
+
+
+ New permission
+
+
+
+ Update permission
+
+
+
+ Revert changes
+
+
+
+
+ PermissionsView
+
+ Permissions
+
+
+
+ You can manage your community by creating and issuing membership and access permissions
+
+
+
+ Give individual members access to private channels
+
+
+
+ Monetise your community with subscriptions and fees
+
+
+
+ Require holding a token or NFT to obtain exclusive membership rights
+
+
+
+ No channel permissions
+
+
+
+ Users with view only permissions can add reactions
+
+
+
+ Sure you want to delete permission
+
+
+
+ If you delete this permission, any of your community members who rely on this permission will lose the access this permission gives them.
+
+
+
+
+ PinnedMessagesPopup
+
+ Pin limit reached
+
+
+
+ Pinned messages
+
+
+
+ Unpin a previous message first
+
+
+
+ %n message(s)
+
+
+
+
+
+
+ Pinned messages will appear here.
+
+
+
+ Unpin
+
+
+
+ Jump to
+
+
+
+ Unpin selected message and pin new message
+
+
+
+
+ Popups
+
+ Share addresses with %1's owner
+
+
+
+ Share addresses to rejoin %1
+
+
+
+ %1 removed from contacts and marked as untrusted
+
+
+
+ %1 removed from contacts
+
+
+
+ %1 marked as trusted
+
+
+
+ %1 trust mark removed, removed from contacts and marked as untrusted
+
+
+
+ %1 trust mark removed and marked as untrusted
+
+
+
+ %1 trust mark removed and removed from contacts
+
+
+
+ Contact request accepted
+
+
+
+ Contact request ignored
+
+
+
+ Recovery phrase permanently removed from Status application storage
+
+
+
+ You backed up your recovery phrase. Access it in Settings
+
+
+
+ Profile Picture
+
+
+
+ Make this my Profile Pic
+
+
+
+ %1 marked as untrusted
+
+
+
+ %1 unblocked
+
+
+
+ %1 blocked
+
+
+
+ Please choose a directory
+
+
+
+ Are you sure want to leave '%1'?
+
+
+
+ You will need to request to join if you want to become a member again in the future. If you joined the Community via public key ensure you have a copy of it before you go.
+
+
+
+ Cancel
+
+
+
+ Leave %1
+
+
+
+ Turn off testnet mode
+
+
+
+ Turn on testnet mode
+
+
+
+ Are you sure you want to turn off %1? All future transactions will be performed on live networks with real funds
+
+
+
+ Are you sure you want to turn on %1? In this mode, all blockchain data displayed will come from testnets and all blockchain interactions will be with testnets. Testnet mode switches the entire app to using testnets only. Please switch this mode on only if you know exactly why you need to use it.
+
+
+
+ Testnet mode turned on
+
+
+
+ Testnet mode turned off
+
+
+
+ Sign transaction - update %1 smart contract
+
+
+
+ %1 (%2) successfully hidden. You can toggle asset visibility via %3.
+
+
+
+ Settings
+ Go to Settings
+
+
+
+ Hide collectible
+
+
+
+ Hide %1
+
+
+
+ Are you sure you want to hide %1? You will no longer see or be able to interact with this collectible anywhere inside Status.
+
+
+
+ %1 successfully hidden. You can toggle collectible visibility via %2.
+
+
+
+ Status Software Privacy Policy
+
+
+
+ Status Software Terms of Use
+
+
+
+ Sign out
+
+
+
+ Make sure you have your account password and recovery phrase stored. Without them you can lock yourself out of your account and lose funds.
+
+
+
+ Sign out & Quit
+
+
+
+
+ PrivacyAndSecurityView
+
+ Privacy policy
+
+
+
+ Receive Status News via RSS
+
+
+
+ Your IP address will be exposed to https://status.app
+
+
+
+ Third-party services
+
+
+
+ Enable/disable all third-party services
+
+
+
+ Share feedback or suggest improvements on our %1.
+
+
+
+ Share usage data with Status
+
+
+
+ From all profiles on device
+
+
+
+
+ PrivacyStore
+
+ Third-party services successfully enabled
+
+
+
+ Third-party services successfully disabled
+
+
+
+
+ PrivilegedTokenArtworkPanel
+
+ Included
+
+
+
+
+ ProfileContextMenu
+
+ Mark as trusted
+
+
+
+ Review contact request
+
+
+
+ Edit nickname
+
+
+
+ Add nickname
+
+
+
+ Remove nickname
+
+
+
+ Remove trusted mark
+
+
+
+ Unblock user
+
+
+
+ Remove from group
+
+
+
+ Mark as untrusted
+
+
+
+ Remove untrusted mark
+
+
+
+ Remove contact
+
+
+
+ Block user
+
+
+
+
+ ProfileDescriptionPanel
+
+ Display name
+
+
+
+ Display Name
+
+
+
+ Bio
+
+
+
+ Tell us about yourself
+
+
+
+ Bio can't be longer than %n character(s)
+
+
+
+
+
+
+ Invalid characters. Standard keyboard characters and emojis only.
+
+
+
+
+ ProfileDialogView
+
+ Edit Profile
+
+
+
+ Not available in preview mode
+
+
+
+ Send Message
+
+
+
+ Review contact request
+
+
+
+ Send contact request
+
+
+
+ Block user
+
+
+
+ Unblock user
+
+
+
+ Contact Request Pending
+
+
+
+ Share Profile
+
+
+
+ Share your profile
+
+
+
+ %1's profile
+
+
+
+ Mark as trusted
+
+
+
+ Edit nickname
+
+
+
+ Add nickname
+
+
+
+ Show QR code
+
+
+
+ Copy link to profile
+
+
+
+ Remove trusted mark
+
+
+
+ Remove nickname
+
+
+
+ Mark as untrusted
+
+
+
+ Remove untrusted mark
+
+
+
+ Remove contact
+
+
+
+ Copy Chat Key
+
+
+
+ Communities
+
+
+
+ Accounts
+
+
+
+ Collectibles
+
+
+
+ Web
+
+
+
+
+ ProfileHeader
+
+ Bridged from Discord
+
+
+
+ Select different image
+
+
+
+ Select image
+
+
+
+ Use a collectible
+
+
+
+ Remove image
+
+
+
+
+ ProfileLayout
+
+ Contacts
+
+
+
+ Status Keycard
+
+
+
+ The Keycard module is still busy, please try again
+
+
+
+
+ ProfilePerspectiveSelector
+
+ Stranger
+
+
+
+ Contact
+
+
+
+ Trusted contact
+
+
+
+ Preview as %1
+
+
+
+
+ ProfilePopupInviteFriendsPanel
+
+ Contacts
+
+
+
+ Search contacts
+
+
+
+ Share community
+
+
+
+ Copied!
+
+
+
+
+ ProfilePopupInviteMessagePanel
+
+ Invitation Message
+
+
+
+ The message a contact will get with community invitation
+
+
+
+ Invites will be sent to:
+
+
+
+
+ ProfilePopupOverviewPanel
+
+ Share community
+
+
+
+ Copied!
+
+
+
+ Close Community
+
+
+
+ Leave Community
+
+
+
+
+ ProfileShowcaseAccountsPanel
+
+ Accounts here will show on your profile
+
+
+
+ Accounts here will be hidden from your profile
+
+
+
+ No accounts matching search
+
+
+
+ Search account name or address
+
+
+
+
+ ProfileShowcaseAccountsView
+
+ %1 has not shared any accounts
+
+
+
+ Copied
+
+
+
+ Copy address
+
+
+
+ Show address QR
+
+
+
+ Save address
+
+
+
+
+ ProfileShowcaseAssetsPanel
+
+ Assets here will show on your profile
+
+
+
+ Assets here will be hidden from your profile
+
+
+
+ No assets matching search
+
+
+
+ Search asset name, symbol or community
+
+
+
+ Don’t see some of your assets?
+
+
+
+
+ ProfileShowcaseAssetsView
+
+ %1 has not shared any assets
+
+
+
+ Visit community
+
+
+
+ View on CoinGecko
+
+
+
+
+ ProfileShowcaseCollectiblesPanel
+
+ Collectibles here will show on your profile
+
+
+
+ Collectibles here will be hidden from your profile
+
+
+
+ No collectibles matching search
+
+
+
+ Search collectible name, number, collection or community
+
+
+
+ Don’t see some of your collectibles?
+
+
+
+
+ ProfileShowcaseCollectiblesView
+
+ %1 has not shared any collectibles
+
+
+
+ Visit community
+
+
+
+ View on Opensea
+
+
+
+
+ ProfileShowcaseCommunitiesPanel
+
+ Drag communities here to display in showcase
+
+
+
+ Communities here will be hidden from your Profile
+
+
+
+ No communities matching search
+
+
+
+ Search community name or role
+
+
+
+ Member
+
+
+
+
+ ProfileShowcaseCommunitiesView
+
+ %1 has not shared any communities
+
+
+
+ Owner
+
+
+
+ Admin
+
+
+
+ Token Master
+
+
+
+ Member
+
+
+
+ You're there too
+
+
+
+ Visit community
+
+
+
+ Invite People
+
+
+
+ Copied
+
+
+
+ Copy link to community
+
+
+
+
+ ProfileShowcaseInfoPopup
+
+ Build your profile showcase
+
+
+
+ Show visitors to your profile...
+
+
+
+ Communities you are a member of
+
+
+
+ Assets and collectibles you hodl
+
+
+
+ Accounts you own to make sending your funds easy
+
+
+
+ Choose your level of privacy with visibility controls
+
+
+
+ Build your showcase
+
+
+
+
+ ProfileShowcasePanel
+
+ Your search is too cool (use A-Z and 0-9, hyphens and underscores only)
+
+
+
+ Your search contains invalid characters (use A-Z and 0-9, hyphens and underscores only)
+
+
+
+ In showcase
+
+
+
+ Showcase limit of %1 reached
+
+
+
+ Hidden
+
+
+
+ Hide
+
+
+
+ Everyone
+
+
+
+ Contacts
+
+
+
+ Showcase limit of %1 reached. <br>Remove item from showcase to add more.
+
+
+
+
+ ProfileShowcaseSocialLinksView
+
+ %1 has not shared any links
+
+
+
+ Social handles and links are unverified
+
+
+
+ Copied
+
+
+
+ Copy link
+
+
+
+
+ ProfileShowcaseView
+
+ %1 is a community minted asset. Would you like to visit the community that minted it?
+
+
+
+ %1 is a community minted collectible. Would you like to visit the community that minted it?
+
+
+
+ Minted by %1
+
+
+
+ Cancel
+
+
+
+
+ ProfileSocialLinksPanel
+
+ In showcase
+
+
+
+ %1 / %2
+
+
+
+ Link limit of %1 reached
+
+
+
+ + Add a link
+
+
+
+ Edit link
+
+
+
+
+ ProfileUtils
+
+ X (Twitter)
+
+
+
+ Personal site
+
+
+
+ Github
+
+
+
+ YouTube channel
+
+
+
+ Discord handle
+
+
+
+ Telegram handle
+
+
+
+ Personal
+
+
+
+ YouTube
+
+
+
+ Discord
+
+
+
+ Telegram
+
+
+
+ Twitter username
+
+
+
+ Owner
+
+
+
+ Admin
+
+
+
+ TokenMaster
+
+
+
+ Member
+
+
+
+
+ PromotionalCommunityCard
+
+ Want to see your community here?
+
+
+
+ Help more people discover your community - start or join the vote to get it on the board.
+
+
+
+ Learn more
+
+
+
+ Initiate the vote
+
+
+
+
+ RPCStatsModal
+
+ Total
+
+
+
+ %1 of %2
+
+
+
+ Refresh
+
+
+
+ Reset
+
+
+
+
+ RateView
+
+ Bandwidth
+
+
+
+ Upload
+
+
+
+ Kb/s
+
+
+
+ Download
+
+
+
+
+ RecipientInfoButtonWithMenu
+
+ View receiver address on %1
+ e.g. "View receiver address on Etherscan"
+
+
+
+ Copy receiver address
+
+
+
+ Copied
+
+
+
+
+ RecipientSelectorPanel
+
+ Recent
+
+
+
+ Saved
+
+
+
+ My Accounts
+
+
+
+ Recently used addresses will appear here
+
+
+
+ Your saved addresses will appear here
+
+
+
+ Add another account to send tokens between them
+
+
+
+ Search for saved address
+
+
+
+ No Saved Address
+
+
+
+ No Recents
+
+
+
+
+ RecipientTypeSelectionDropdown
+
+ ETH adresses
+
+
+
+ Community members
+
+
+
+
+ RecipientView
+
+ Enter a valid Ethereum address or ENS name
+
+
+
+
+ RemotelyDestructPopup
+
+ Remotely destruct %1 token on %2
+
+
+
+ Remotely destruct %1 token
+
+
+
+ Show fees (will be enabled once the form is filled)
+
+
+
+ Select a hodler to see remote destruction gas fees
+
+
+
+ Cancel
+
+
+
+ Remotely destruct %n token(s)
+
+
+
+
+
+
+
+ RemoveAccountConfirmationPopup
+
+ Remove %1
+
+
+
+ Are you sure you want to remove %1? The account will be removed from all of your synced devices. Make sure you have a backup of your keys or recovery phrase before proceeding. %2 Copying the derivation path to this account now will enable you to import it again at a later date should you wish to do so:
+
+
+
+ Are you sure you want to remove %1? The address will be removed from all of your synced devices.
+
+
+
+ Are you sure you want to remove %1 and it's associated private key? The account and private key will be removed from all of your synced devices.
+
+
+
+ Are you sure you want to remove %1? The account will be removed from all of your synced devices. Copying the derivation path to this account now will enable you to import it again at a later date should you with to do so:
+
+
+
+ Derivation path for %1
+
+
+
+ I have a copy of the private key
+
+
+
+ I have taken note of the derivation path
+
+
+
+ Cancel
+
+
+
+
+ RemoveContactPopup
+
+ Remove contact
+
+
+
+ You and %1 will no longer be contacts
+
+
+
+ Remove trust mark
+
+
+
+ Mark %1 as untrusted
+
+
+
+ Cancel
+
+
+
+
+ RemoveIDVerificationDialog
+
+ Remove trust mark
+
+
+
+ %1 will no longer be marked as trusted. This is only visible to you.
+
+
+
+ Mark %1 as untrusted
+
+
+
+ Remove contact
+
+
+
+ Cancel
+
+
+
+
+ RemoveKeypairPopup
+
+ Remove %1 key pair
+
+
+
+ Are you sure you want to remove %1 key pair? The key pair will be removed from all of your synced devices. Make sure you have a backup of your keys or recovery phrase before proceeding.
+
+
+
+ Accounts related to this key pair will also be removed:
+
+
+
+ Cancel
+
+
+
+ Remove key pair and derived accounts
+
+
+
+
+ RemoveSavedAddressPopup
+
+ Remove %1
+
+
+
+ Are you sure you want to remove %1 from your saved addresses? Transaction history relating to this address will no longer be labelled %1.
+
+
+
+ Cancel
+
+
+
+ Remove saved address
+
+
+
+
+ RenameAccontModal
+
+ Rename %1
+
+
+
+ Enter an account name...
+
+
+
+ Account name must be at least %n character(s)
+
+
+
+
+
+
+ This is not a valid account name
+
+
+
+ COLOUR
+
+
+
+ Change Name
+
+
+
+ Changing settings failed
+
+
+
+
+ RenameGroupPopup
+
+ Edit group name and image
+
+
+
+ Name the group
+
+
+
+ group name
+
+
+
+ Group image
+
+
+
+ Choose an image as logo
+
+
+
+ Use as an icon for this group chat
+
+
+
+ Standard colours
+
+
+
+ Save changes
+
+
+
+
+ RenameKeypairPopup
+
+ Rename key pair
+
+
+
+ Same name
+
+
+
+ Key pair name already in use
+
+
+
+ Key pair name
+
+
+
+ Accounts derived from this key pair
+
+
+
+ Cancel
+
+
+
+ Save changes
+
+
+
+
+ ReviewContactRequestPopup
+
+ Review Contact Request
+
+
+
+ Accept Contact Request
+
+
+
+ Reject Contact Request
+
+
+
+ Review contact request
+
+
+
+ Ignore
+
+
+
+ Accept
+
+
+
+
+ RightTabView
+
+ Collectibles
+
+
+
+ Assets
+
+
+
+ Activity
+
+
+
+
+ RootStore
+
+ You
+
+
+
+ You need to be a member of this group to send messages
+
+
+
+ Add %1 as a contact to send a message
+
+
+
+ Message
+
+
+
+ Arbiscan Explorer
+
+
+
+ Optimism Explorer
+
+
+
+ Base Explorer
+
+
+
+ Status Explorer
+
+
+
+ BNB Smart Chain Explorer
+
+
+
+ Etherscan Explorer
+
+
+
+
+ RouterErrorTag
+
+ - Hide details
+
+
+
+ + Show details
+
+
+
+
+ SavedAddressActivityPopup
+
+ Send
+
+
+
+
+ SavedAddresses
+
+ Search for name, ENS or address
+
+
+
+ Your search is too cool (use A-Z and 0-9, single whitespace, hyphens and underscores only)
+
+
+
+ Your search contains invalid characters (use A-Z and 0-9, single whitespace, hyphens and underscores only)
+
+
+
+ Your saved addresses will appear here
+
+
+
+ No saved addresses found. Check spelling or address is correct.
+
+
+
+
+ SavedAddressesDelegate
+
+ Edit saved address
+
+
+
+ Address copied
+
+
+
+ Copy address
+
+
+
+ Show address QR
+
+
+
+ View activity
+
+
+
+ Remove saved address
+
+
+
+
+ ScanOrEnterQrCode
+
+ Scan encrypted QR code
+
+
+
+ Enter encrypted key
+
+
+
+ This does not look like the correct key pair QR code
+
+
+
+ This does not look like an encrypted key pair code
+
+
+
+ Paste encrypted key
+
+
+
+
+ ScrollingModal
+
+ System
+
+
+
+ Custom
+
+
+
+ Velocity
+
+
+
+ Deceleration
+
+
+
+ Test scrolling
+
+
+
+
+ SearchBox
+
+ Search
+
+
+
+
+ SearchBoxWithRightIcon
+
+ Search
+
+
+
+
+ SearchEngineModal
+
+ Search engine
+
+
+
+ None
+
+
+
+
+ SearchableAssetsPanel
+
+ Your assets will appear here
+
+
+
+ Search for token or enter token address
+
+
+
+
+ SearchableCollectiblesPanel
+
+ Your collectibles will appear here
+
+
+
+ Search collectibles
+
+
+
+ Community minted
+
+
+
+ Other
+
+
+
+ Back
+
+
+
+
+ SeedPhrase
+
+ Reveal recovery phrase
+
+
+
+ Write down your recovery phrase
+
+
+
+ The next screen contains your recovery phrase.<br/><b>Anyone</b> who sees it can use it to access to your funds.
+
+
+
+
+ SeedphrasePage
+
+ Create profile using a recovery phrase
+
+
+
+ Enter your 12, 18 or 24 word recovery phrase
+
+
+
+ Continue
+
+
+
+
+ SeedphraseVerifyInput
+
+ Enter word
+
+
+
+ Clear
+
+
+
+
+ SelectImportMethod
+
+ Import method
+
+
+
+ Import via scanning encrypted QR
+
+
+
+ Import via entering recovery phrase
+
+
+
+ Import via entering private key
+
+
+
+
+ SelectKeyPair
+
+ Select a key pair
+
+
+
+ Select which key pair you’d like to move to this Keycard
+
+
+
+ Profile key pair
+
+
+
+ Other key pairs
+
+
+
+
+ SelectKeypair
+
+ To use the associated accounts on this device, you need to import their key pairs.
+
+
+
+ Import key pairs from your other device
+
+
+
+ Import via scanning encrypted QR
+
+
+
+ Import individual keys
+
+
+
+
+ SelectMasterKey
+
+ Add new master key
+
+
+
+ Import using recovery phrase
+
+
+
+ Import private key
+
+
+
+ Generate new master key
+
+
+
+ Use Keycard
+
+
+
+ Continue in Keycard settings
+
+
+
+
+ SelectOrigin
+
+ Origin
+
+
+
+ From Keycard, private key or recovery phrase
+
+
+
+ Any ETH address
+
+
+
+
+ SelectParamsForBuyCryptoPanel
+
+ Buy via %1
+
+
+
+ Select which network and asset
+
+
+
+ Select network
+
+
+
+ Select asset
+
+
+
+
+ SendContactRequestMenuItem
+
+ Send contact request
+
+
+
+
+ SendContactRequestModal
+
+ Why should they accept your contact request?
+
+
+
+ Write a short message telling them who you are...
+
+
+
+ Send contact request
+
+
+
+ who are you
+
+
+
+ Cancel
+
+
+
+
+ SendContactRequestToChatKeyModal
+
+ Send Contact Request to chat key
+
+
+
+ Paste
+
+
+
+ Enter chat key here
+
+
+
+ Say who you are / why you want to become a contact...
+
+
+
+ who are you
+
+
+
+ Send Contact Request
+
+
+
+
+ SendMessageMenuItem
+
+ Send message
+
+
+
+
+ SendModal
+
+ Bridge
+
+
+
+ Register Ens
+
+
+
+ Connect username
+
+
+
+ Release username
+
+
+
+ Send
+
+
+
+ Amount to bridge
+
+
+
+ Amount to send
+
+
+
+ To
+
+
+
+ Error sending the transaction
+
+
+
+
+ SendModalFooter
+
+ Est time
+
+
+
+ Est fees
+
+
+
+ Review Send
+
+
+
+
+ SendModalHeader
+
+ Send
+
+
+
+ On:
+
+
+
+
+ SendRecipientInput
+
+ Enter an ENS name or address
+
+
+
+ Paste
+
+
+
+
+ SendSignModal
+
+ Sign Send
+
+
+
+ %1 to %2
+
+
+
+ Send %1 to %2 on %3
+
+
+
+ Review all details before signing
+
+
+
+ Max fees
+
+
+
+ Edit transaction settings
+
+
+
+ Send
+
+
+
+ Unknown
+
+
+
+ From
+
+
+
+ To
+
+
+
+ Network
+
+
+
+ Fees
+
+
+
+ Max. fees on %1
+
+
+
+
+ SessionRequest
+
+ sign
+
+
+
+ sign this message
+
+
+
+ sign typed data
+
+
+
+ sign transaction
+
+
+
+ sign this transaction
+
+
+
+ transaction
+
+
+
+
+ SettingsDirtyToastMessage
+
+ Changes detected
+
+
+
+ Save changes
+
+
+
+ Save for later
+
+
+
+ Cancel
+
+
+
+
+ SettingsEntriesModel
+
+ Apps
+
+
+
+ Preferences
+
+
+
+ About & Help
+
+
+
+ Back up recovery phrase
+
+
+
+ Recovery phrase
+
+
+
+ Profile
+
+
+
+ Password
+
+
+
+ Keycard
+
+
+
+ ENS usernames
+
+
+
+ This section is going through a redesign.
+
+
+
+ Syncing
+
+
+
+ Connection problems can happen.<br>If they do, please use the Enter a Recovery Phrase feature instead.
+
+
+
+ Messaging
+
+
+
+ Contacts
+
+
+
+ Wallet
+
+
+
+ Browser
+
+
+
+ Communities
+
+
+
+ Privacy and security
+
+
+
+ Appearance
+
+
+
+ Notifications & Sounds
+
+
+
+ Language & Currency
+
+
+
+ Advanced
+
+
+
+ About
+
+
+
+ Sign out & Quit
+
+
+
+
+ SettingsLeftTabView
+
+ Settings
+
+
+
+
+ SetupSyncingPopup
+
+ Sync a New Device
+
+
+
+ Sync code
+
+
+
+ On your other device, navigate to the Syncing<br>screen and select Enter Sync Code.
+
+
+
+ Your QR and Sync Code have expired.
+
+
+
+ Failed to generate sync code
+
+
+
+ Failed to start pairing server
+
+
+
+ Done
+
+
+
+ Close
+
+
+
+
+ ShareProfileDialog
+
+ Profile link
+
+
+
+ Copy link
+
+
+
+ Emoji hash
+
+
+
+ Copy emoji hash
+
+
+
+
+ SharedAddressesAccountSelector
+
+ No relevant tokens
+
+
+
+ Use this address for any Community airdrops
+
+
+
+
+ SharedAddressesPanel
+
+ Edit which addresses you share with %1
+
+
+
+ Select addresses to share with %1
+
+
+
+ Cancel
+
+
+
+ Requirements check pending
+
+
+
+ Checking permissions failed
+
+
+
+ Save changes & leave %1
+
+
+
+ Save changes & update my permissions
+
+
+
+ Reveal all addresses
+
+
+
+ Reveal %n address(s)
+
+
+
+
+
+
+ Share all addresses to join
+
+
+
+ Share %n address(s) to join
+
+
+
+
+
+
+ Selected addresses have insufficient tokens to maintain %1 membership
+
+
+
+ By deselecting these addresses, you will lose channel permissions
+
+
+
+
+ SharedAddressesPermissionsPanel
+
+ Permissions
+
+
+
+ Updating eligibility
+
+
+
+ Become an admin
+
+
+
+ Join %1
+
+
+
+ Become a TokenMaster
+
+
+
+ Admin
+
+
+
+ Join
+
+
+
+ View only
+
+
+
+ View & post
+
+
+
+ TokenMaster
+
+
+
+
+ SharedAddressesSigningPanel
+
+ Save addresses you share with %1
+
+
+
+ Request to join %1
+
+
+
+ Share all addresses to join
+
+
+
+ Share %n address(s) to join
+
+
+
+
+
+
+ To share %n address(s) with <b>%1</b>, authenticate the associated key pairs...
+
+
+
+
+
+
+ Stored on device
+
+
+
+ Authenticate
+
+
+
+ Authenticated
+
+
+
+ Stored on keycard
+
+
+
+ Authenticate via “%1” key pair
+
+
+
+ The following key pairs will be authenticated via “%1” key pair
+
+
+
+
+ ShowcaseDelegate
+
+ Show to
+
+
+
+ Everyone
+
+
+
+ Everyone (set account to Everyone)
+
+
+
+ Contacts
+
+
+
+ Contacts (set account to Contacts)
+
+
+
+ No one
+
+
+
+
+ SignCollectibleInfoBox
+
+ View collectible on OpenSea
+
+
+
+ View collectible on %1
+ e.g. "View collectible on Etherscan"
+
+
+
+ Copy %1 collectible address
+
+
+
+ Copied
+
+
+
+
+ SignMessageModal
+
+ Signature request
+
+
+
+ From
+
+
+
+ Data
+
+
+
+ Message
+
+
+
+ Reject
+
+
+
+ Sign
+
+
+
+ Sign with password
+
+
+
+
+ SignTransactionModalBase
+
+ Sign
+
+
+
+ Close
+
+
+
+ Reject
+
+
+
+
+ SignTransactionsPopup
+
+ Cancel
+
+
+
+ Sign transaction
+
+
+
+
+ SimpleSendModal
+
+ To
+
+
+
+ Fees
+
+
+
+ Insufficient funds for send transaction
+
+
+
+ Add ETH
+
+
+
+ Add BNB
+
+
+
+ Add assets
+
+
+
+ Add %1
+
+
+
+
+ SimpleTransactionsFees
+
+ Est %1 transaction fee
+
+
+
+
+ SimplifiedMessageView
+
+ You
+
+
+
+
+ SiweLifeCycle
+
+ Failed to authenticate %1 from %2
+
+
+
+
+ SlippageSelector
+
+ Custom
+
+
+
+ Enter a slippage value
+
+
+
+ Slippage should be more than 0
+
+
+
+ Invalid value
+
+
+
+ Slippage may be higher than necessary
+
+
+
+
+ SortOrderComboBox
+
+ Sort by
+
+
+
+
+ SortableTokenHoldersList
+
+ Username
+
+
+
+ No. of messages
+
+
+
+ Hodling
+
+
+
+
+ SortableTokenHoldersPanel
+
+ %1 token hodlers
+
+
+
+ Search hodlers
+
+
+
+ Search results
+
+
+
+ No hodlers found
+
+
+
+ No hodlers just yet
+
+
+
+ You can Airdrop tokens to deserving Community members or to give individuals token-based permissions.
+
+
+
+ Airdrop
+
+
+
+ View Profile
+
+
+
+ View Messages
+
+
+
+ Remotely destruct
+
+
+
+ Kick
+
+
+
+ Ban
+
+
+
+
+ SplashScreen
+
+ Preparing Status for you
+
+
+
+ Hang in there! Just a few more seconds!
+
+
+
+
+ StatusActivityCenterButton
+
+ Notifications
+
+
+
+
+ StatusAddressOrEnsValidator
+
+ Please enter a valid address or ENS name.
+
+
+
+
+ StatusAddressValidator
+
+ Please enter a valid address.
+
+
+
+
+ StatusAsyncEnsValidator
+
+ ENS name could not be resolved in to an address
+
+
+
+
+ StatusAsyncValidator
+
+ invalid input
+
+
+
+
+ StatusBadge
+
+ 99+
+
+
+
+
+ StatusChatImageExtensionValidator
+
+ Format not supported.
+
+
+
+ Upload %1 only
+
+
+
+
+ StatusChatImageLoader
+
+ Error loading the image
+
+
+
+ Loading image...
+
+
+
+
+ StatusChatImageQtyValidator
+
+ You can only upload %n image(s) at a time
+
+
+
+
+
+
+
+ StatusChatImageSizeValidator
+
+ Max image size is %1 MB
+
+
+
+
+ StatusChatInfoButton
+
+ Unmute
+
+
+
+ %Ln pinned message(s)
+
+
+
+
+
+
+
+ StatusChatInput
+
+ Message
+
+
+
+ Please choose an image
+
+
+
+ Image files (%1)
+
+
+
+ Add image
+
+
+
+ Not available in Testnet mode
+
+
+
+ Add payment request
+
+
+
+ Please reduce the message length
+
+
+
+ Maximum message character count is %n
+
+
+
+
+
+
+ Bold (%1)
+
+
+
+ Italic (%1)
+
+
+
+ Strikethrough (%1)
+
+
+
+ Code (%1)
+
+
+
+ Quote (%1)
+
+
+
+ Send message
+
+
+
+
+ StatusChatListCategoryItem
+
+ Add channel inside category
+
+
+
+ More
+
+
+
+
+ StatusChatListItem
+
+ Unmute
+
+
+
+
+ StatusClearButton
+
+ Clear
+
+
+
+
+ StatusColorDialog
+
+ This is not a valid colour
+
+
+
+ Preview
+
+
+
+ Standard colours
+
+
+
+ Select Colour
+
+
+
+
+ StatusContactVerificationIcons
+
+ Blocked
+
+
+
+ Trusted contact
+
+
+
+ Untrusted contact
+
+
+
+ Contact
+
+
+
+ Untrusted
+
+
+
+
+ StatusDatePicker
+
+ Today
+
+
+
+ Previous year
+
+
+
+ Previous month
+
+
+
+ Select year/month
+
+
+
+ Next year
+
+
+
+ Next month
+
+
+
+
+ StatusDateRangePicker
+
+ Filter activity by period
+
+
+
+ From
+
+
+
+ To
+
+
+
+ Now
+
+
+
+ 'From' can't be later than 'To'
+
+
+
+ Can't set date to future
+
+
+
+ Reset
+
+
+
+ Apply
+
+
+
+
+ StatusDialog
+
+ OK
+
+
+
+ Close
+
+
+
+ Abort
+
+
+
+ Cancel
+
+
+
+ No to all
+
+
+
+ No
+
+
+
+ Open
+
+
+
+ Save
+
+
+
+ Save all
+
+
+
+ Retry
+
+
+
+ Ignore
+
+
+
+ Yes to all
+
+
+
+ Yes
+
+
+
+ Apply
+
+
+
+
+ StatusEditMessage
+
+ Cancel
+
+
+
+ Save
+
+
+
+
+ StatusEmojiPopup
+
+ Search Results
+
+
+
+ No results found
+
+
+
+
+ StatusFloatValidator
+
+ Please enter a valid numeric value.
+
+
+
+
+ StatusGifColumn
+
+ Remove from favorites
+
+
+
+ Add to favorites
+
+
+
+
+ StatusGifPopup
+
+ Search
+
+
+
+ TRENDING
+
+
+
+ FAVORITES
+
+
+
+ RECENT
+
+
+
+
+ StatusImageSelector
+
+ Supported image formats (%1)
+
+
+
+
+ StatusIntValidator
+
+ Please enter a valid numeric value.
+
+
+
+
+ StatusListPicker
+
+ Search
+
+
+
+
+ StatusMacNotification
+
+ My latest message
+ with a return
+
+
+
+ Open
+
+
+
+
+ StatusMessageDialog
+
+ Question
+
+
+
+ Information
+
+
+
+ Warning
+
+
+
+ Error
+
+
+
+
+ StatusMessageEmojiReactions
+
+ and
+
+
+
+ %1 more
+
+
+
+ %1 reacted with %2
+
+
+
+ Add reaction
+
+
+
+
+ StatusMessageHeader
+
+ You
+
+
+
+ Failed to resend: %1
+
+
+
+ Delivered
+
+
+
+ Sent
+
+
+
+ Sending
+
+
+
+ Sending failed
+
+
+
+ Resend
+
+
+
+
+ StatusMessageReply
+
+ You
+
+
+
+
+ StatusMinLengthValidator
+
+ Please enter a value
+
+
+
+ The value must be at least %n character(s).
+
+
+
+
+
+
+
+ StatusNewTag
+
+ NEW
+
+
+
+
+ StatusPasswordStrengthIndicator
+
+ Very weak
+
+
+
+ Weak
+
+
+
+ Okay
+
+
+
+ Good
+
+
+
+ Very strong
+
+
+
+
+ StatusQrCodeScanner
+
+ Camera is not available
+
+
+
+
+ StatusSearchListPopup
+
+ Search...
+
+
+
+
+ StatusSearchLocationMenu
+
+ Anywhere
+
+
+
+
+ StatusSearchPopup
+
+ No results
+
+
+
+ Anywhere
+
+
+
+ Search
+
+
+
+ In:
+
+
+
+
+ StatusStackModal
+
+ StackModal
+
+
+
+ Next
+
+
+
+ Finish
+
+
+
+
+ StatusStickerButton
+
+ Buy for %1 SNT
+
+
+
+ Uninstall
+
+
+
+ Update
+
+
+
+ Free
+
+
+
+ Install
+
+
+
+ Cancel
+
+
+
+ Pending...
+
+
+
+
+ StatusStickersPopup
+
+ Failed to load stickers
+
+
+
+ Try again
+
+
+
+ You don't have any stickers yet
+
+
+
+ Recently used stickers will appear here
+
+
+
+ Get Stickers
+
+
+
+
+ StatusSyncCodeInput
+
+ Copy
+
+
+
+ Paste
+
+
+
+
+ StatusSyncCodeScan
+
+ Enable access to your camera
+
+
+
+ To scan a QR, Status needs
+access to your webcam
+
+
+
+ Enable camera access
+
+
+
+ Ensure that the QR code is in focus to scan
+
+
+
+
+ StatusSyncDeviceDelegate
+
+ Unknown device
+
+
+
+ This device
+
+
+
+ Never seen online
+
+
+
+ Online now
+
+
+
+ Online %n minute(s) ago
+
+
+
+
+
+
+ Last seen earlier today
+
+
+
+ Last online yesterday
+
+
+
+ Last online: %1
+
+
+
+ Pair
+
+
+
+ Unpair
+
+
+
+
+ StatusTextMessage
+
+ (edited)
+
+
+
+
+ StatusTokenInlineSelector
+
+ Hold
+
+
+
+ or
+
+
+
+ to post
+
+
+
+
+ StatusTrayIcon
+
+ Open Status
+
+
+
+ Quit
+
+
+
+
+ StatusTxProgressBar
+
+ Failed on %1
+
+
+
+ Confirmation in progress on %1...
+
+
+
+ Finalised on %1
+
+
+
+ Confirmed on %1, finalisation in progress...
+
+
+
+ Pending on %1...
+
+
+
+ In epoch %1
+
+
+
+ %n day(s) until finality
+
+
+
+
+
+
+ %1 / %2 confirmations
+
+
+
+
+ StatusUrlValidator
+
+ Please enter a valid URL
+
+
+
+
+ StatusValidator
+
+ invalid input
+
+
+
+
+ SupportedTokenListsPanel
+
+ %n token(s) · Last updated %1
+
+
+
+
+
+
+ View
+
+
+
+
+ SwapApproveCapModal
+
+ Approve spending cap
+
+
+
+ Set %1 spending cap in %2 for %3 on %4
+ e.g. "Set 100 DAI spending cap in <account name> for <service> on <network name>"
+
+
+
+ The smart contract specified will be able to spend up to %1 of your current or future balance.
+
+
+
+ Review all details before signing
+
+
+
+ Max fees:
+
+
+
+ Est. time:
+
+
+
+ Set spending cap
+
+
+
+ Account
+
+
+
+ Token
+
+
+
+ Via smart contract
+
+
+
+ Network
+
+
+
+ Fees
+
+
+
+ Max. fees on %1
+
+
+
+
+ SwapInputPanel
+
+ Pay
+
+
+
+ Receive
+
+
+
+
+ SwapModal
+
+ Swap
+
+
+
+ On:
+
+
+
+ Add assets
+
+
+
+ Add %1
+
+
+
+ Max slippage:
+
+
+
+ N/A
+
+
+
+ Max fees:
+
+
+
+ Approving %1
+
+
+
+ Approve %1
+
+
+
+ Approving %1 spending cap to Swap
+
+
+
+ Approve %1 spending cap to Swap
+
+
+
+ Sign Swap
+
+
+
+ Sign
+
+
+
+
+ SwapModalAdaptor
+
+ Insufficient funds for swap
+
+
+
+ Not enough ETH to pay gas fees
+
+
+
+ Fetching the price took longer than expected. Please, try again later.
+
+
+
+ Not enough liquidity. Lower token amount or try again later.
+
+
+
+ Price impact too high. Lower token amount or try again later.
+
+
+
+ Something went wrong. Change amount, token or try again later.
+
+
+
+
+ SwapProvidersTermsAndConditionsText
+
+ Powered by
+
+
+
+ View
+
+
+
+ Terms & Conditions
+
+
+
+
+ SwapSignModal
+
+ %1 to %2
+ e.g. (swap) 100 DAI to 100 USDT
+
+
+
+ Swap %1 to %2 in %3 on %4
+ e.g. "Swap 100 DAI to 100 USDT in <account name> on <network chain name>"
+
+
+
+ Review all details before signing
+
+
+
+ Max fees:
+
+
+
+ Max slippage:
+
+
+
+ Pay
+
+
+
+ Receive
+
+
+
+ In account
+
+
+
+ Network
+
+
+
+ Fees
+
+
+
+ Max. fees on %1
+
+
+
+
+ SyncDeviceCustomizationPopup
+
+ Personalize %1
+
+
+
+ Device name
+
+
+
+ Device name can not be empty
+
+
+
+ Installation ID
+
+
+
+ Done
+
+
+
+
+ SyncProgressPage
+
+ Profile sync in progress...
+
+
+
+ Your profile data is being synced to this device
+
+
+
+ Please keep both devices switched on and connected to the same network until the sync is complete
+
+
+
+ Profile synced
+
+
+
+ Your profile data has been synced to this device
+
+
+
+ Failed to pair devices
+
+
+
+ Try again and double-check the instructions
+
+
+
+ Log in
+
+
+
+ Try to pair again
+
+
+
+ Log in via recovery phrase
+
+
+
+
+ SyncingCodeInstructions
+
+ Mobile
+
+
+
+ Desktop
+
+
+
+
+ SyncingDeviceView
+
+ Device found!
+
+
+
+ Device synced!
+
+
+
+ Device failed to sync
+
+
+
+ Syncing your profile and settings preferences
+
+
+
+ Your devices are now in sync
+
+
+
+ Syncing with device
+
+
+
+ Synced device
+
+
+
+ Failed to sync devices
+
+
+
+
+ SyncingDisplayCode
+
+ Reveal QR
+
+
+
+ Regenerate
+
+
+
+ Code valid for:
+
+
+
+ Copy
+
+
+
+
+ SyncingEnterCode
+
+ Scan QR code
+
+
+
+ Enter code
+
+
+
+ How to get a pairing code
+
+
+
+ This does not look like a pairing QR code
+
+
+
+ This does not look like a pairing code
+
+
+
+ Type or paste pairing code
+
+
+
+ eg. %1
+
+
+
+ Ensure both devices are on the same local network
+
+
+
+ Continue
+
+
+
+
+ SyncingView
+
+ Verify your login with password or Keycard
+
+
+
+ Reveal a temporary QR and Sync Code
+
+
+
+ Share that information with your new device
+
+
+
+ Devices
+
+
+
+ Loading devices...
+
+
+
+ Error loading devices. Please try again later.
+
+
+
+ Sync a New Device
+
+
+
+ Connection problems can happen.<br>If they do, please use the Enter a Recovery Phrase feature instead.
+
+
+
+ You own your data. Sync it among your devices.
+
+
+
+ Setup Syncing
+
+
+
+ This is best done in private. The code will grant access to your profile.
+
+
+
+ How to get a sync code
+
+
+
+ Directory of the local backup files
+
+
+
+ Backup Data Locally
+
+
+
+ Import Local Backup File
+
+
+
+ Success importing local data
+
+
+
+ Error importing backup file: %1
+
+
+
+ Pair Device
+
+
+
+ Are you sure you want to pair this device?
+
+
+
+ Pair
+
+
+
+ Error pairing device: %1
+
+
+
+ Unpair Device
+
+
+
+ Are you sure you want to unpair this device?
+
+
+
+ Unpair
+
+
+
+ Error unpairing device: %1
+
+
+
+ Select your backup file
+
+
+
+ Supported backup formats (%1)
+
+
+
+ Select your backup directory
+
+
+
+
+ TagsPanel
+
+ Community Tags
+
+
+
+ Confirm Community Tags
+
+
+
+ Select tags that will fit your Community
+
+
+
+ Search tags
+
+
+
+ Selected tags
+
+
+
+ %1 / %2
+
+
+
+ No tags selected yet
+
+
+
+
+ TagsPicker
+
+ Tags
+
+
+
+ Choose tags describing the community
+
+
+
+ Add at least 1 tag
+
+
+
+
+ ThirdpartyServicesPopup
+
+ Third-party services
+
+
+
+ Status uses essential third-party services to make your experience more convenient, efficient, and engaging. While only necessary integrations are included, users who prefer to avoid any third-party services can disable them entirely – though this may limit functionality and affect usability
+
+
+
+ Features that will be unavailable:
+
+
+
+ Wallet (Swap, Send, Token data, etc.)
+
+
+
+ Market (Token data, prices, and news, etc.)
+
+
+
+ Token-gated communities and admin tools
+
+
+
+ Status news, etc.
+
+
+
+ You may also experience:
+
+
+
+ Missing or invalid data
+
+
+
+ Errors and unexpected behavior
+
+
+
+ Only disable third-party services if you're aware of the trade-offs. Re-enable them anytime in Settings. Read more details about third-party services %1.
+
+
+
+ Share feedback or suggest improvements on our %1.
+
+
+
+ Disable third-party services
+
+
+
+ Enable third-party services
+
+
+
+ Close
+
+
+
+
+ ThumbnailsDropdownContent
+
+ No results
+
+
+
+
+ ToastsManager
+
+ You received the Owner token for %1. To finalize ownership, make your device the control node.
+
+
+
+ Finalise ownership
+
+
+
+ You declined ownership of %1.
+
+
+
+ Return owner token to sender
+
+
+
+ Your device is no longer the control node for %1.
+ Your ownership and admin rights for %1 have been transferred to the new owner.
+
+
+
+ You received your first community asset
+
+
+
+ You received your first community collectible
+
+
+
+ %1: %2 %3
+
+
+
+ Learn more
+
+
+
+ You were airdropped %1 %2 from %3 to %4
+
+
+
+ View transaction details
+
+
+
+ Read more
+
+
+
+ Profile changes saved
+
+
+
+ Profile changes could not be saved
+
+
+
+ Trust mark removed for %1
+
+
+
+ Local backup import completed
+
+
+
+ Local backup import failed
+
+
+
+
+ TokenCategories
+
+ Community assets
+
+
+
+ Your assets
+
+
+
+ All listed assets
+
+
+
+ Community collectibles
+
+
+
+ Your collectibles
+
+
+
+ All collectibles
+
+
+
+
+ TokenDelegate
+
+ %1 %2%
+ [up/down/none character depending on value sign] [localized percentage value]%
+
+
+
+
+ TokenHoldersList
+
+ Username
+
+
+
+ Hodling
+
+
+
+
+ TokenHoldersPanel
+
+ %1 token hodlers
+
+
+
+ Search hodlers
+
+
+
+ No hodlers found
+
+
+
+
+ TokenInfoPanel
+
+ Symbol
+
+
+
+ Total
+
+
+
+ Remaining
+
+
+
+ DP
+
+
+
+ Transferable
+
+
+
+ Yes
+
+
+
+ No
+
+
+
+ Destructible
+
+
+
+ Account
+
+
+
+
+ TokenListPopup
+
+ %n token(s)
+
+
+
+
+
+
+ Done
+
+
+
+ Source
+
+
+
+ Version
+
+
+
+ %1 - last updated %2
+
+
+
+ Name
+
+
+
+ Symbol
+
+
+
+ Address
+
+
+
+ (Test)
+
+
+
+
+ TokenMasterActionPopup
+
+ Ban %1
+
+
+
+ Kick %1
+
+
+
+ Remotely destruct TokenMaster token
+
+
+
+ Remotely destruct 1 TokenMaster token on %1
+
+
+
+ Continuing will destroy the TokenMaster token held by <span style="font-weight:600;">%1</span> and revoke the permissions they have by virtue of holding this token.
+
+
+
+ Are you sure you kick <span style="font-weight:600;">%1</span> from %2? <span style="font-weight:600;">%1</span> is a TokenMaster hodler. In order to kick them you must also remotely destruct their TokenMaster token to revoke the permissions they have by virtue of holding this token.
+
+
+
+ Are you sure you ban <span style="font-weight:600;">%1</span> from %2? <span style="font-weight:600;">%1</span> is a TokenMaster hodler. In order to kick them you must also remotely destruct their TokenMaster token to revoke the permissions they have by virtue of holding this token.
+
+
+
+ Delete all messages posted by the user
+
+
+
+ Remotely destruct 1 TokenMaster token
+
+
+
+ Cancel
+
+
+
+ Ban %1 and remotely destruct 1 token
+
+
+
+ Kick %1 and remotely destruct 1 token
+
+
+
+ Remotely destruct 1 token
+
+
+
+
+ TokenPanel
+
+ Network for airdrop
+
+
+
+ Add
+
+
+
+ Update
+
+
+
+ Remove
+
+
+
+
+ TokenPermissionsPopup
+
+ Token permissions for %1 channel
+
+
+
+
+ TokenSelectorButton
+
+ Select token
+
+
+
+
+ TokenSelectorCompactButton
+
+ Select asset
+
+
+
+
+ TokenSelectorPanel
+
+ Assets
+
+
+
+ Collectibles
+
+
+
+
+ TokenSelectorViewAdaptor
+
+ Popular assets
+
+
+
+ Your assets on %1
+
+
+
+
+ TransactionContextMenu
+
+ View on %1
+
+
+
+ Copy transaction hash
+
+
+
+ Copied
+
+
+
+
+ TransactionDelegate
+
+ N/A
+
+
+
+ %1 (community asset) from %2 on %3
+
+
+
+ %1 from %2 to %3 on %4 and %5
+
+
+
+ %1 to %2 on %3 and %4
+
+
+
+ %1 from %2 to %3 on %4
+
+
+
+ %1 to %2 on %3
+
+
+
+ %1 from %2 on %3 and %4
+
+
+
+ %1 from %2 on %3
+
+
+
+ %1 at %2 on %3 in %4
+
+
+
+ %1 at %2 on %3
+
+
+
+ %1 to %2 in %3 on %4
+
+
+
+ %1 from %2 to %3 in %4
+
+
+
+ %1 from %2 to %3
+
+
+
+ Via %1 on %2
+
+
+
+ %1 via %2 in %3
+
+
+
+ %1 via %2
+
+
+
+ %1 in %2 for %3 on %4
+
+
+
+ %1 for %2 on %3
+
+
+
+ Between %1 and %2 on %3
+
+
+
+ With %1 on %2
+
+
+
+ Send failed
+
+
+
+ Sending
+
+
+
+ Sent
+
+
+
+ Receive failed
+
+
+
+ Receiving
+
+
+
+ Received
+
+
+
+ Destroy failed
+
+
+
+ Destroying
+
+
+
+ Destroyed
+
+
+
+ Swap failed
+
+
+
+ Swapping
+
+
+
+ Swapped
+
+
+
+ Bridge failed
+
+
+
+ Bridging
+
+
+
+ Bridged
+
+
+
+ Contract deployment failed
+
+
+
+ Deploying contract
+
+
+
+ Contract deployed
+
+
+
+ Collectible minting failed
+
+
+
+ Minting collectible
+
+
+
+ Collectible minted
+
+
+
+ Token minting failed
+
+
+
+ Minting token
+
+
+
+ Token minted
+
+
+
+ Failed to set spending cap
+
+
+
+ Setting spending cap
+
+
+
+ Spending cap set
+
+
+
+ Interaction
+
+
+
+ Retry
+
+
+
+
+ TransactionModalFooter
+
+ Next
+
+
+
+ Estimated time:
+
+
+
+ Max fees:
+
+
+
+
+ TransactionSettings
+
+ Got it
+
+
+
+ Read more
+
+
+
+ Transaction settings
+
+
+
+ Set your own fees & nonce
+
+
+
+ Set your own base fee, priority fee, gas amount and nonce
+
+
+
+ Regular cost option using suggested gas price
+
+
+
+ Increased gas price, incentivising miners to confirm more quickly
+
+
+
+ Highest base and priority fee, ensuring the fastest possible confirmation
+
+
+
+ Low cost option using current network base fee and a low priority fee
+
+
+
+ Gas price
+
+
+
+ Max base fee
+
+
+
+ Lower than necessary (current %1)
+
+
+
+ Higher than necessary (current %1)
+
+
+
+ Current: %1
+
+
+
+ The gas price you set is the exact amount you’ll pay per unit of gas used. If you set a gas price higher than what’s required for inclusion, the difference will not be refunded. Choose your gas price carefully to avoid overpaying.
+
+
+
+
+ When your transaction gets included in the block, any difference between your max base fee and the actual base fee will be refunded.
+
+
+
+
+ Note: the %1 amount shown for this value is calculated:
+Gas price (in GWEI) * gas amount
+
+
+
+ Note: the %1 amount shown for this value is calculated:
+Max base fee (in GWEI) * Max gas amount
+
+
+
+ Priority fee
+
+
+
+ Higher than max base fee: %1
+
+
+
+ Higher than necessary (current %1 - %2)
+
+
+
+ Current: %1 - %2
+
+
+
+ AKA miner tip. A voluntary fee you can add to incentivise miners or validators to prioritise your transaction.
+
+The higher the tip, the faster your transaction is likely to be processed, especially curing periods of higher network congestion.
+
+
+
+
+ Note: the %1 amount shown for this value is calculated: Priority fee (in GWEI) * Max gas amount
+
+
+
+ Max gas amount
+
+
+
+ Too low (should be between %1 and %2)
+
+
+
+ Too high (should be between %1 and %2)
+
+
+
+ UNITS
+
+
+
+ Gas amount
+
+
+
+ AKA gas limit. Refers to the maximum number of computational steps (or units of gas) that a transaction can consume. It represents the complexity or amount of work required to execute a transaction or smart contract.
+
+The gas limit is a cap on how much work the transaction can do on the blockchain. If the gas limit is set too low, the transaction may fail due to insufficient gas.
+
+
+
+ Nonce
+
+
+
+ Higher than suggested nonce of %1
+
+
+
+ Last transaction: %1
+
+
+
+ Transaction counter ensuring transactions from your account are processed in the correct order and can’t be replayed. Each new transaction increments the nonce by 1, ensuring uniqueness and preventing double-spending.
+
+If a transaction with a lower nonce is pending, higher nonce transactions will remain in the queue until the earlier one is confirmed.
+
+
+
+ Confirm
+
+
+
+
+ TransactionSigner
+
+ You need to enter a password
+
+
+
+ Password needs to be 6 characters or more
+
+
+
+ Signing phrase
+
+
+
+ Signing phrase is a 3 word combination that is displayed when you entered the wallet on this device for the first time.
+
+
+
+ Enter the password you use to unlock this device
+
+
+
+ Password
+
+
+
+ Enter password
+
+
+
+
+ TransferOwnershipAlertPopup
+
+ Transfer ownership of %1
+
+
+
+ How to move the %1 control node to another device
+
+
+
+ <b>It looks like you haven’t minted the %1 Owner token yet.</b> Once you have minted this token, you can transfer ownership of %1 by sending the Owner token to the account of the person you want to be the new Community owner.
+
+
+
+ <b>It looks like you haven’t minted the %1 Owner token yet.</b> Once you have minted this token, you can make one of your other synced desktop devices the control node for the %1 Community.
+
+
+
+ Cancel
+
+
+
+ Mint %1 Owner token
+
+
+
+
+ TransferOwnershipPopup
+
+ Are you sure you want to transfer ownership of %1? All ownership rights you currently hold for %1 will be transferred to the new owner.
+
+
+
+ To transfer ownership of %1:
+
+
+
+ 1. Send the %1 Owner token (%2) to the new owner’s address
+
+
+
+ 2. Ask the new owner to setup the control node for %1 on their desktop device
+
+
+
+ I acknowledge that...
+
+
+
+ My ownership rights will be removed and transferred to the recipient
+
+
+
+ Transfer ownership of %1
+
+
+
+ Cancel
+
+
+
+ Send %1 owner token
+
+
+
+
+ UnblockContactConfirmationDialog
+
+ Unblock user
+
+
+
+ Unblocking %1 will allow new messages you receive from %1 to reach you.
+
+
+
+ Cancel
+
+
+
+ Unblock
+
+
+
+
+ UnblockWithPukFlow
+
+ Unblock successful
+
+
+
+ Your Keycard is already unblocked!
+
+
+
+ Continue
+
+
+
+
+ UnblockWithSeedphraseFlow
+
+ Unblock Keycard using the recovery phrase
+
+
+
+ Unblock Keycard
+
+
+
+
+ UseRecoveryPhraseFlow
+
+ Create profile using a recovery phrase
+
+
+
+ Enter recovery phrase of lost Keycard
+
+
+
+ Log in with your Status recovery phrase
+
+
+
+ Recovery phrase doesn’t match the profile of an existing Keycard user on this device
+
+
+
+ The entered recovery phrase is already added
+
+
+
+
+ UserListPanel
+
+ Member re-evaluation in progress...
+
+
+
+ Saving community edits might take longer than usual
+
+
+
+ Online
+
+
+
+ Inactive
+
+
+
+
+ UserStatusContextMenu
+
+ Copy link to profile
+
+
+
+ Always online
+
+
+
+ Inactive
+
+
+
+ Set status automatically
+
+
+
+
+ Utils
+
+ %n word(s)
+
+
+
+
+
+
+ You need to enter a password
+
+
+
+ Password needs to be %n character(s) or more
+
+
+
+
+
+
+ You need to repeat your password
+
+
+
+ Passwords don't match
+
+
+
+ You need to enter a PIN
+
+
+
+ The PIN must contain only digits
+
+
+
+ The PIN must be exactly %n digit(s)
+
+
+
+
+
+
+ You need to repeat your PIN
+
+
+
+ PINs don't match
+
+
+
+ You need to enter a %1
+
+
+
+ The %1 cannot exceed %n character(s)
+
+
+
+
+
+
+ Must be an hexadecimal color (eg: #4360DF)
+
+
+
+ Use only lowercase letters (a to z), numbers & dashes (-). Do not use chat keys.
+
+
+
+ Value has to be at least %n character(s) long
+
+
+
+
+
+
+ Messages
+
+
+
+ Wallet
+
+
+
+ Browser
+
+
+
+ Settings
+
+
+
+ Node Management
+
+
+
+ Discover Communities
+
+
+
+ Chat section loading...
+
+
+
+ Swap
+
+
+
+ Market
+
+
+
+ Community
+
+
+
+ dApp
+
+
+
+ Home Page
+
+
+
+ Activity Center
+
+
+
+ Add new user
+
+
+
+ Add existing Status user
+
+
+
+ Lost Keycard
+
+
+
+ New watched address
+
+
+
+ Watched address
+
+
+
+ Existing
+
+
+
+ Import new
+
+
+
+ Add new master key
+
+
+
+ Add watched address
+
+
+
+ acc
+ short for account
+
+
+
+ Arbiscan
+
+
+
+ Optimistic
+
+
+
+ BaseScan
+
+
+
+ Status Explorer
+
+
+
+ BscScan
+
+
+
+ Etherscan
+
+
+
+ On Keycard
+
+
+
+ On device
+
+
+
+ Requires import
+
+
+
+ Restored from backup. Import key pair to use derived accounts.
+
+
+
+ Import key pair to use derived accounts
+
+
+
+
+ ViewProfileMenuItem
+
+ View Profile
+
+
+
+
+ WCUriInput
+
+ Paste URI
+
+
+
+ WalletConnect URI too cool
+
+
+
+ WalletConnect URI invalid
+
+
+
+ WalletConnect URI already used
+
+
+
+ WalletConnect URI has expired
+
+
+
+ dApp is requesting to connect on an unsupported network
+
+
+
+ Unexpected error occurred. Try again.
+
+
+
+ Paste
+
+
+
+
+ WalletAccountDetailsKeypairItem
+
+ Watched address
+
+
+
+
+ WalletAddressMenu
+
+ Address copied
+
+
+
+ Copy address
+
+
+
+ Show address QR
+
+
+
+
+ WalletAssetsStore
+
+ %1 community assets successfully hidden
+
+
+
+ %1 is now visible
+
+
+
+ %1 community assets are now visible
+
+
+
+
+ WalletFooter
+
+ Send Owner token to transfer %1 Community ownership
+
+
+
+ Send
+
+
+
+ Soulbound collectibles cannot be sent to another wallet
+
+
+
+ Receive
+
+
+
+ Bridge
+
+
+
+ Soulbound collectibles cannot be bridged to another wallet
+
+
+
+ Buy
+
+
+
+ Swap
+
+
+
+
+ WalletHeader
+
+ Saved addresses
+
+
+
+ All accounts
+
+
+
+ Last refreshed %1
+
+
+
+
+ WalletKeyPairDelegate
+
+ Watched addresses
+
+
+
+ Excluded
+
+
+
+ Included
+
+
+
+
+ WalletKeypairAccountMenu
+
+ Show encrypted QR on device
+
+
+
+ Stop using Keycard
+
+
+
+ Move key pair to a Keycard
+
+
+
+ Import key pair from device via encrypted QR
+
+
+
+ Import via entering private key
+
+
+
+ Import via entering recovery phrase
+
+
+
+ Rename key pair
+
+
+
+ Remove key pair and derived accounts
+
+
+
+
+ WalletLayout
+
+ Add new address
+
+
+
+
+ WalletNetworkDelegate
+
+ Required for some Status features
+
+
+
+
+ WalletUtils
+
+ ~ Unknown
+
+
+
+ < 1 minute
+
+
+
+ < 3 minutes
+
+
+
+ < 5 minutes
+
+
+
+ > 5 minutes
+
+
+
+ Unknown
+
+
+
+ >60s
+
+
+
+ ~%1s
+
+
+
+ an internal error occurred
+
+
+
+ unknown error occurred, try again later
+
+
+
+ processor internal error
+
+
+
+ processor network error
+
+
+
+ router network error
+
+
+
+ not enough token balance
+
+
+
+ Not enough ETH to pay gas fees
+
+
+
+ amount in too low
+
+
+
+ no positive balance
+
+
+
+ unknown processor error
+
+
+
+ failed to parse base fee
+
+
+
+ failed to parse percentage fee
+
+
+
+ contract not found
+
+
+
+ network not found
+
+
+
+ token not found
+
+
+
+ no estimation found
+
+
+
+ not available for contract type
+
+
+
+ no bonder fee found
+
+
+
+ contract type not supported
+
+
+
+ from chain not supported
+
+
+
+ to chain not supported
+
+
+
+ tx for chain not supported
+
+
+
+ ens resolver not found
+
+
+
+ ens registrar not found
+
+
+
+ to and from tokens must be set
+
+
+
+ cannot resolve tokens
+
+
+
+ price route not found
+
+
+
+ converting amount issue
+
+
+
+ no chain set
+
+
+
+ no token set
+
+
+
+ to token should not be set
+
+
+
+ from and to chains must be different
+
+
+
+ from and to chains must be same
+
+
+
+ from and to tokens must be different
+
+
+
+ context cancelled
+
+
+
+ context deadline exceeded
+
+
+
+ fetching price timeout
+
+
+
+ not enough liquidity
+
+
+
+ price impact too high
+
+
+
+ username and public key are required for registering ens name
+
+
+
+ only STT is supported for registering ens name on testnet
+
+
+
+ only SNT is supported for registering ens name on mainnet
+
+
+
+ username is required for releasing ens name
+
+
+
+ username and public key are required for setting public key
+
+
+
+ stickers pack id is required for buying stickers
+
+
+
+ to token is required for Swap
+
+
+
+ from and to token must be different
+
+
+
+ only one of amount to send or receiving amount can be set
+
+
+
+ amount to send must be positive
+
+
+
+ receiving amount must be positive
+
+
+
+ locked amount is not supported for the selected network
+
+
+
+ locked amount must not be negative
+
+
+
+ locked amount exceeds the total amount to send
+
+
+
+ locked amount is less than the total amount to send, but all networks are locked
+
+
+
+ native token not found
+
+
+
+ disabled chain found among locked networks
+
+
+
+ a valid username, ending in '.eth', is required for setting public key
+
+
+
+ all supported chains are excluded, routing impossible
+
+
+
+ no best route found
+
+
+
+ cannot check balance
+
+
+
+ cannot check locked amounts
+
+
+
+ not enough balance for %1 on %2 chain
+
+
+
+ bonder fee greater than estimated received, a higher amount is needed to cover fees
+
+
+
+ no positive balance for your account across chains
+
+
+
+ Fast
+
+
+
+ Urgent
+
+
+
+ Custom
+
+
+
+ Normal
+
+
+
+
+ WalletView
+
+ Wallet
+
+
+
+ Networks
+
+
+
+ Save
+
+
+
+ Save and apply
+
+
+
+ New custom sort order created
+
+
+
+ Your new custom token order has been applied to your %1
+ Go to Wallet
+
+
+
+ Wallet
+ Go to Wallet
+
+
+
+ Edit %1
+
+
+
+ Edit account order
+
+
+
+ Manage tokens
+
+
+
+ Saved addresses
+
+
+
+ Add new account
+
+
+
+ Under construction, you might experience some minor issues
+
+
+
+ Testnet mode
+
+
+
+ Add new address
+
+
+
+
+ WatchOnlyAddressSection
+
+ Ethereum address or ENS name
+
+
+
+ Type or paste ETH address
+
+
+
+ Checksum of the entered address is incorrect
+
+
+
+ Paste
+
+
+
+ Please enter a valid Ethereum address or ENS name
+
+
+
+ You will need to import your recovery phrase or use your Keycard to transact with this account
+
+
+
+
+ WelcomeBannerPanel
+
+ Welcome to your community!
+
+
+
+ Add members
+
+
+
+ Manage community
+
+
+
+
+ WelcomePage
+
+ Own your crypto
+
+
+
+ Use the leading multi-chain self-custodial wallet
+
+
+
+ Chat privately with friends
+
+
+
+ With full metadata privacy and e2e encryption
+
+
+
+ Store your assets on Keycard
+
+
+
+ Be safe with secure cold wallet
+
+
+
+ Welcome to Status
+
+
+
+ The open-source, decentralised wallet and messenger
+
+
+
+ Create profile
+
+
+
+ Log in
+
+
+
+ Third-party services %1
+
+
+
+ enabled
+
+
+
+ disabled
+
+
+
+ By proceeding you accept Status<br>%1 and %2
+
+
+
+ Terms of Use
+
+
+
+ Privacy Policy
+
+
+
+
+ main
+
+ Hello World
+
+
+
+ Status Desktop
+
+
+
+
+ tst_StatusInput
+
+ Enter an account name...
+
+
+
+ You need to enter an account name
+
+
+
+ This is not a valid account name
+
+
+
+
diff --git a/ui/i18n/qml_base.ts b/ui/i18n/qml_base_lokalise_en.ts
similarity index 93%
rename from ui/i18n/qml_base.ts
rename to ui/i18n/qml_base_lokalise_en.ts
index 80ad76e212f..3237a5b99c2 100644
--- a/ui/i18n/qml_base.ts
+++ b/ui/i18n/qml_base_lokalise_en.ts
@@ -1,3 +1,4 @@
+
@@ -37,8 +38,8 @@
Status Help
- Status desktop’s GitHub Repositories
- Status desktop’s GitHub Repositories
+ Status desktop’s GitHub Repositories
+ Status desktop’s GitHub Repositoriesstatus-desktop
@@ -244,7 +245,27 @@
- ActivityCenterPopup
+ ActivityCenterLayout
+
+ Notifications
+ Notifications
+
+
+ Under construction.<br>More notification types to be coming soon.
+ Under construction.<br>More notification types to be coming soon.
+
+
+ Mark all as Read
+ Mark all as Read
+
+
+ Show read notifications
+ Show read notifications
+
+
+ Hide read notifications
+ Hide read notifications
+ Pair new device and sync profilePair new device and sync profile
@@ -336,22 +357,6 @@
SystemSystem
-
- Under construction.<br>More notification types to be coming soon.
- Under construction.<br>More notification types to be coming soon.
-
-
- Mark all as Read
- Mark all as Read
-
-
- Show read notifications
- Show read notifications
-
-
- Hide read notifications
- Hide read notifications
- ActivityCounterpartyFilterSubMenu
@@ -463,50 +468,51 @@
- ActivityNotificationBase
+ ActivityNotificationCommunityBanUnban
- Mark as Unread
- Mark as Unread
+ You were <font color='%1'>banned</font> from community
+ You were <font color='%1'>banned</font> from community
- Mark as Read
- Mark as Read
+ You have been <font color='%1'>unbanned</font> from community
+ You have been <font color='%1'>unbanned</font> from community
- ActivityNotificationCommunityBanUnban
+ ActivityNotificationCommunityKicked
- You were banned from
- You were banned from
+ You were <font color='%1'>kicked</font> from community
+ You were <font color='%1'>kicked</font> from community
+
+
+ ActivityNotificationCommunityMembershipRequest
- You've been unbanned from
- You've been unbanned from
+ accepted
+ accepted
- Visit Community
- Visit Community
+ declined
+ declined
-
-
- ActivityNotificationCommunityKicked
- You were kicked from
- You were kicked from
+ accepted pending
+ accepted pending
+
+
+ declined pending
+ declined pending
-
-
- ActivityNotificationCommunityMembershipRequest
- Wants to join
- Wants to join
+ Requested membership in your community <font color='%1'>%2</font>
+ Requested membership in your community <font color='%1'>%2</font>ActivityNotificationCommunityRequest
- Request to join
- Request to join
+ Request to join <font color='%1'>%2</font>
+ Request to join <font color='%1'>%2</font>pending
@@ -520,10 +526,6 @@
declineddeclined
-
- Visit Community
- Visit Community
- ActivityNotificationCommunityShareAddresses
@@ -585,12 +587,24 @@
ActivityNotificationContactRequest
- Contact request sent to %1
- Contact request sent to %1
+ accepted
+ accepted
- Contact request:
- Contact request:
+ declined
+ declined
+
+
+ pending
+ pending
+
+
+ Contact request sent to %1 <font color='%2'>%3</font>
+ Contact request sent to %1 <font color='%2'>%3</font>
+
+
+ Contact request <font color='%1'>%2</font>
+ Contact request <font color='%1'>%2</font>
@@ -634,8 +648,8 @@
ActivityNotificationNewsMessage
- Read more
- Read more
+ Learn more
+ Learn more
@@ -711,8 +725,16 @@
ActivityNotificationUnknownGroupChatInvitation
- Invitation to an unknown group
- Invitation to an unknown group
+ accepted
+ accepted
+
+
+ declined
+ declined
+
+
+ Invitation to an unknown group <font color='%1'>%2</font>
+ Invitation to an unknown group <font color='%1'>%2</font>
@@ -1135,26 +1157,20 @@
%n valid address(s)
-
-
-
-
-
+ %n valid address
+ %n valid addresses
+ %n invalidinvalid addresses, where "addresses" is implicit
-
-
-
-
-
+ %n invalid
+ %n invalid
+ %n invalid address(s)
-
-
-
-
-
+ %n invalid address
+ %n invalid addresses
+ AdvancedView
@@ -1370,17 +1386,15 @@
Example: 12 addresses and 3 members
- ∞ recipients
+ ∞ recipientsinfinite number of recipients
- ∞ recipients
+ ∞ recipients%n recipient(s)
-
-
-
-
-
+ %n recipient
+ %n recipients
+ AirdropTokensSelector
@@ -1472,11 +1486,9 @@
Max %n decimal place(s) for this asset
-
-
-
-
-
+ Max %n decimal place for this asset
+ Max %n decimal places for this asset
+ Amount must be greater than 0Amount must be greater than 0
@@ -1522,8 +1534,8 @@ from "%1" to "%2"
Live network settings for %1 updated
- “%1” key pair and its derived accounts were successfully removed from all devices
- “%1” key pair and its derived accounts were successfully removed from all devices
+ “%1” key pair and its derived accounts were successfully removed from all devices
+ “%1” key pair and its derived accounts were successfully removed from all devicesPlease re-generate QR code and try importing again
@@ -1539,11 +1551,9 @@ from "%1" to "%2"
%n key pair(s) successfully imported
-
-
-
-
-
+ %n key pair successfully imported
+ %n key pairs successfully imported
+ unknownunknown
@@ -1893,12 +1903,12 @@ from "%1" to "%2"
Leave Community
- The import of ‘%1’ from Discord to Status was stopped: <a href='#'>Critical issues found</a>
- The import of ‘%1’ from Discord to Status was stopped: <a href='#'>Critical issues found</a>
+ The import of ‘%1’ from Discord to Status was stopped: <a href='#'>Critical issues found</a>
+ The import of ‘%1’ from Discord to Status was stopped: <a href='#'>Critical issues found</a>
- ‘%1’ was successfully imported from Discord to Status
- ‘%1’ was successfully imported from Discord to Status
+ ‘%1’ was successfully imported from Discord to Status
+ ‘%1’ was successfully imported from Discord to StatusDetails (%1)
@@ -1906,18 +1916,16 @@ from "%1" to "%2"
%n issue(s)
-
-
-
-
-
+ %n issue
+ %n issues
+ DetailsDetails
- Importing ‘%1’ from Discord to Status
- Importing ‘%1’ from Discord to Status
+ Importing ‘%1’ from Discord to Status
+ Importing ‘%1’ from Discord to StatusCheck progress (%1)
@@ -2250,12 +2258,12 @@ from "%1" to "%2"
Custom order
- Edit custom order →
- Edit custom order →
+ Edit custom order →
+ Edit custom order →
- Create custom order →
- Create custom order →
+ Create custom order →
+ Create custom order →Community minted
@@ -2303,8 +2311,8 @@ from "%1" to "%2"
Decide whether you want to keep the recovery phrase in your Status app for future access or remove it permanently.
- Permanently remove your recovery phrase from the Status app — you will not be able to view it again
- Permanently remove your recovery phrase from the Status app — you will not be able to view it again
+ Permanently remove your recovery phrase from the Status app — you will not be able to view it again
+ Permanently remove your recovery phrase from the Status app — you will not be able to view it again
@@ -2341,10 +2349,10 @@ from "%1" to "%2"
Reveal recovery phrase
- Never share your recovery phrase. If someone asks for it, they’re likely trying to scam you.
+ Never share your recovery phrase. If someone asks for it, they’re likely trying to scam you.
To backup you recovery phrase, write it down and store it securely in a safe place.
- Never share your recovery phrase. If someone asks for it, they’re likely trying to scam you.
+ Never share your recovery phrase. If someone asks for it, they’re likely trying to scam you.
To backup you recovery phrase, write it down and store it securely in a safe place.
@@ -2421,12 +2429,12 @@ To backup you recovery phrase, write it down and store it securely in a safe pla
Block user
- You will not see %1’s messages but %1 can still see your messages in mutual group chats and communities. %1 will be unable to message you.
- You will not see %1’s messages but %1 can still see your messages in mutual group chats and communities. %1 will be unable to message you.
+ You will not see %1’s messages but %1 can still see your messages in mutual group chats and communities. %1 will be unable to message you.
+ You will not see %1’s messages but %1 can still see your messages in mutual group chats and communities. %1 will be unable to message you.
- Blocking a user purges the database of all messages that you’ve previously received from %1 in all contexts. This can take a moment.
- Blocking a user purges the database of all messages that you’ve previously received from %1 in all contexts. This can take a moment.
+ Blocking a user purges the database of all messages that you’ve previously received from %1 in all contexts. This can take a moment.
+ Blocking a user purges the database of all messages that you’ve previously received from %1 in all contexts. This can take a moment.Remove contact
@@ -2640,15 +2648,13 @@ Do you wish to override the security check and continue?
Burn %1 token on %2
- How many of %1’s remaining %Ln %2 token(s) would you like to burn?
-
-
-
-
-
+ How many of %1’s remaining %Ln %2 token(s) would you like to burn?
+ How many of %1’s remaining %Ln %2 token would you like to burn?
+ How many of %1’s remaining %Ln %2 tokens would you like to burn?
+
- How many of %1’s remaining %2 %3 tokens would you like to burn?
- How many of %1’s remaining %2 %3 tokens would you like to burn?
+ How many of %1’s remaining %2 %3 tokens would you like to burn?
+ How many of %1’s remaining %2 %3 tokens would you like to burn?Specific amount
@@ -3054,11 +3060,9 @@ Do you wish to override the security check and continue?
%n member(s)
-
-
-
-
-
+ %n member
+ %n members
+ ChatMessagesView
@@ -3261,12 +3265,12 @@ file format
Custom order
- Edit custom order →
- Edit custom order →
+ Edit custom order →
+ Edit custom order →
- Create custom order →
- Create custom order →
+ Create custom order →
+ Create custom order →Clear filter
@@ -3372,11 +3376,9 @@ file format
ColumnHeaderPanel%n member(s)
-
-
-
-
-
+ %n member
+ %n members
+ Start chatStart chat
@@ -3403,11 +3405,9 @@ file format
CommunitiesListPanel%n member(s)
-
-
-
-
-
+ %n member
+ %n members
+ Membership Request SentMembership Request Sent
@@ -3647,11 +3647,9 @@ file format
%n message(s)
-
-
-
-
-
+ %n message
+ %n messages
+ No messagesNo messages
@@ -3693,11 +3691,9 @@ file format
Share %n address(s) to join
-
-
-
-
-
+ Share %n address to join
+ Share %n addresses to join
+ Select addresses to shareSelect addresses to share
@@ -3741,11 +3737,9 @@ file format
CommunitySettingsView%n member(s)
-
-
-
-
-
+ %n member
+ %n members
+ Back to communityBack to community
@@ -3833,8 +3827,8 @@ file format
I am ready to write down my recovery phrase
- I know where I’ll store it
- I know where I’ll store it
+ I know where I’ll store it
+ I know where I’ll store itYou can only complete this process once. Status will not store your recovery phrase and can never help you recover it.
@@ -3859,8 +3853,8 @@ file format
ConfirmChangePasswordModal
- Your data must now be re-encrypted with your new password. This process may take some time, during which you won’t be able to interact with the app. Do not quit the app or turn off your device. Doing so will lead to data corruption, loss of your Status profile and the inability to restart Status.
- Your data must now be re-encrypted with your new password. This process may take some time, during which you won’t be able to interact with the app. Do not quit the app or turn off your device. Doing so will lead to data corruption, loss of your Status profile and the inability to restart Status.
+ Your data must now be re-encrypted with your new password. This process may take some time, during which you won’t be able to interact with the app. Do not quit the app or turn off your device. Doing so will lead to data corruption, loss of your Status profile and the inability to restart Status.
+ Your data must now be re-encrypted with your new password. This process may take some time, during which you won’t be able to interact with the app. Do not quit the app or turn off your device. Doing so will lead to data corruption, loss of your Status profile and the inability to restart Status.Re-encryption complete
@@ -3963,10 +3957,10 @@ file format
Store Your Phrase Offline and Complete Your Back Up
- By completing this process, you will remove your recovery phrase from this application’s storage. This makes your funds more secure.
+ By completing this process, you will remove your recovery phrase from this application’s storage. This makes your funds more secure.
You will remain logged in, and your recovery phrase will be entirely in your hands.
- By completing this process, you will remove your recovery phrase from this application’s storage. This makes your funds more secure.
+ By completing this process, you will remove your recovery phrase from this application’s storage. This makes your funds more secure.
You will remain logged in, and your recovery phrase will be entirely in your hands.
@@ -4070,11 +4064,9 @@ You will remain logged in, and your recovery phrase will be entirely in your han
Key pair must be at least %n character(s)
-
-
-
-
-
+ Key pair must be at least %n character
+ Key pair must be at least %n characters
+ Only letters and numbers allowedOnly letters and numbers allowed
@@ -4156,16 +4148,16 @@ You will remain logged in, and your recovery phrase will be entirely in your han
Username already taken :(
- Username doesn’t belong to you :(
- Username doesn’t belong to you :(
+ Username doesn’t belong to you :(
+ Username doesn’t belong to you :(Continuing will connect this username with your chat key.Continuing will connect this username with your chat key.
- ✓ Username available!
- ✓ Username available!
+ ✓ Username available!
+ ✓ Username available!Username is already connected with your chat key and can be used inside Status.
@@ -4340,8 +4332,8 @@ You will remain logged in, and your recovery phrase will be entirely in your han
%1 will be right back!
- You will automatically re-enter the community and be able to view and post as normal as soon as the community’s control node comes back online.
- You will automatically re-enter the community and be able to view and post as normal as soon as the community’s control node comes back online.
+ You will automatically re-enter the community and be able to view and post as normal as soon as the community’s control node comes back online.
+ You will automatically re-enter the community and be able to view and post as normal as soon as the community’s control node comes back online.
@@ -4359,49 +4351,6 @@ You will remain logged in, and your recovery phrase will be entirely in your han
Non-Ethereum cointype
-
- Controls
-
- XS
- XS
-
-
- S
- S
-
-
- M
- M
-
-
- L
- L
-
-
- XL
- XL
-
-
- XXL
- XXL
-
-
- 50%
- 50%
-
-
- 100%
- 100%
-
-
- 150%
- 150%
-
-
- 200%
- 200%
-
-ConvertKeycardAccountAcksPage
@@ -4480,24 +4429,20 @@ You will remain logged in, and your recovery phrase will be entirely in your han
%1h
- %n min(s)
-
-
-
-
-
+ %n min(s)
+ %n min
+ %n mins
+ %1mx minutes%1m
- %n sec(s)
-
-
-
-
-
+ %n sec(s)
+ %n secs
+ %n secs
+ Expired on: %1Expired on: %1
@@ -4610,11 +4555,9 @@ You will remain logged in, and your recovery phrase will be entirely in your han
Validate %n file(s)
-
-
-
-
-
+ Validate %n file
+ Validate %n files
+ Validate (%1/%2) filesValidate (%1/%2) files
@@ -4644,8 +4587,8 @@ You will remain logged in, and your recovery phrase will be entirely in your han
Browse files
- Export the Discord channel’s chat history data using %1
- Export the Discord channel’s chat history data using %1
+ Export the Discord channel’s chat history data using %1
+ Export the Discord channel’s chat history data using %1Refer to this <a href='https://github.com/Tyrrrz/DiscordChatExporter/blob/master/.docs/Readme.md'>documentation</a> if you have any queries
@@ -4762,14 +4705,6 @@ Send a contact request to the person you would like to chat with, you will be ab
Send a contact request to the person you would like to chat with, you will be able to chat with them once they have accepted your contact request.
-
- To:
- To:
-
-
- USER LIMIT REACHED
- USER LIMIT REACHED
- CreateCommunityPopup
@@ -4908,8 +4843,8 @@ Send a contact request to the person you would like to chat with, you will be ab
Create profile password
- This password can’t be recovered
- This password can’t be recovered
+ This password can’t be recovered
+ This password can’t be recoveredConfirm password
@@ -4951,8 +4886,8 @@ Remember your password and don't share it with anyone.
Create a new profile from scratch
- Let’s go!
- Let’s go!
+ Let’s go!
+ Let’s go!Use a recovery phrase
@@ -5086,8 +5021,8 @@ Remember your password and don't share it with anyone.
Colombian peso
- Costa Rican colón
- Costa Rican colón
+ Costa Rican colón
+ Costa Rican colónCzech koruna
@@ -5142,8 +5077,8 @@ Remember your password and don't share it with anyone.
Indian rupee
- Icelandic króna
- Icelandic króna
+ Icelandic króna
+ Icelandic krónaJamaican dollar
@@ -5238,12 +5173,12 @@ Remember your password and don't share it with anyone.
Pakistani rupee
- Polish złoty
- Polish złoty
+ Polish złoty
+ Polish złoty
- Paraguayan guaraní
- Paraguayan guaraní
+ Paraguayan guaraní
+ Paraguayan guaraníQatari riyal
@@ -5302,12 +5237,12 @@ Remember your password and don't share it with anyone.
Uruguayan peso
- Venezuelan bolívar
- Venezuelan bolívar
+ Venezuelan bolívar
+ Venezuelan bolívar
- Vietnamese đồng
- Vietnamese đồng
+ Vietnamese đồng
+ Vietnamese đồngSouth African rand
@@ -5550,25 +5485,6 @@ Remember your password and don't share it with anyone.
Are you sure you want to delete this message? Be aware that other clients are not guaranteed to delete the message as well.
-
- DemoApp
-
- Invite People
- Invite People
-
-
- View Community
- View Community
-
-
- Edit Community
- Edit Community
-
-
- Leave Community
- Leave Community
-
-DerivationPath
@@ -5679,8 +5595,8 @@ Remember your password and don't share it with anyone.
Status messenger is the most secure fully decentralised messenger in the world
- Full metadata privacy means it’s impossible to tell who you are talking to by surveilling your internet traffic
- Full metadata privacy means it’s impossible to tell who you are talking to by surveilling your internet traffic
+ Full metadata privacy means it’s impossible to tell who you are talking to by surveilling your internet traffic
+ Full metadata privacy means it’s impossible to tell who you are talking to by surveilling your internet trafficStatus is truly private - none of your personal details (or any other information) are sent to us
@@ -5691,12 +5607,12 @@ Remember your password and don't share it with anyone.
Messages sent using Status are end to end encrypted and can only be opened by the recipient
- Status uses the Waku p2p gossip messaging protocol — an evolution of the EF’s original Whisper protocol
- Status uses the Waku p2p gossip messaging protocol — an evolution of the EF’s original Whisper protocol
+ Status uses the Waku p2p gossip messaging protocol — an evolution of the EF’s original Whisper protocol
+ Status uses the Waku p2p gossip messaging protocol — an evolution of the EF’s original Whisper protocol
- Status is home to crypto’s leading multi-chain self-custodial wallet
- Status is home to crypto’s leading multi-chain self-custodial wallet
+ Status is home to crypto’s leading multi-chain self-custodial wallet
+ Status is home to crypto’s leading multi-chain self-custodial walletStatus removes intermediaries to keep your messages private and your assets secure
@@ -5719,8 +5635,8 @@ Remember your password and don't share it with anyone.
Your cryptographic key pair encrypts all of your messages which can only be unlocked by the intended recipient
- Status’ Web3 browser requires all DApps to ask permission before connecting to your wallet
- Status’ Web3 browser requires all DApps to ask permission before connecting to your wallet
+ Status’ Web3 browser requires all DApps to ask permission before connecting to your wallet
+ Status’ Web3 browser requires all DApps to ask permission before connecting to your walletYour non-custodial wallet gives you full control over your funds without the use of a server
@@ -5731,8 +5647,8 @@ Remember your password and don't share it with anyone.
Status is decentralized and serverless - chat, transact, and browse without surveillance and censorship
- Status is open source software that lets you use with p2p networks. Status itself doesn’t provide any services
- Status is open source software that lets you use with p2p networks. Status itself doesn’t provide any services
+ Status is open source software that lets you use with p2p networks. Status itself doesn’t provide any services
+ Status is open source software that lets you use with p2p networks. Status itself doesn’t provide any servicesStatus is a way to access p2p networks that are permissionlessly created and run by individuals around the world
@@ -5791,8 +5707,8 @@ Remember your password and don't share it with anyone.
Our team of core contributors work remotely from over 50+ countries spread across 6 continents
- The only continent that doesn’t (yet!) have any Status core contributors is Antarctica
- The only continent that doesn’t (yet!) have any Status core contributors is Antarctica
+ The only continent that doesn’t (yet!) have any Status core contributors is Antarctica
+ The only continent that doesn’t (yet!) have any Status core contributors is AntarcticaWe are the 5th most active crypto project on github
@@ -5823,8 +5739,8 @@ Remember your password and don't share it with anyone.
Your mobile company, and government are able to see the contents of all your private SMS messages
- Many other messengers with e2e encryption don’t have metadata privacy!
- Many other messengers with e2e encryption don’t have metadata privacy!
+ Many other messengers with e2e encryption don’t have metadata privacy!
+ Many other messengers with e2e encryption don’t have metadata privacy!Help to translate Status into your native language see https://translate.status.im/ for more info
@@ -5855,12 +5771,12 @@ Remember your password and don't share it with anyone.
Status also builds the Nimbus Ethereum consensus, execution and light clients
- Status’s Nimbus team is collaborating with the Ethereum Foundation to create the Portal Network
- Status’s Nimbus team is collaborating with the Ethereum Foundation to create the Portal Network
+ Status’s Nimbus team is collaborating with the Ethereum Foundation to create the Portal Network
+ Status’s Nimbus team is collaborating with the Ethereum Foundation to create the Portal Network
- Status’s Portal Network client (Fluffy) will let Status users interact with Ethereum in a fully decenteralised way
- Status’s Portal Network client (Fluffy) will let Status users interact with Ethereum in a fully decenteralised way
+ Status’s Portal Network client (Fluffy) will let Status users interact with Ethereum in a fully decenteralised way
+ Status’s Portal Network client (Fluffy) will let Status users interact with Ethereum in a fully decenteralised wayWe are currently working on a tool to let you import an existing Telegram or Discord group into Status
@@ -5937,8 +5853,8 @@ Remember your password and don't share it with anyone.
Initializing community
- ✓ Complete
- ✓ Complete
+ ✓ Complete
+ ✓ CompleteImport stopped...
@@ -5958,41 +5874,37 @@ Remember your password and don't share it with anyone.
%n more issue(s) downloading assets
-
-
-
-
-
+ %n more issue downloading assets
+ %n more issues downloading assets
+
- Importing ‘%1’ from Discord...
- Importing ‘%1’ from Discord...
+ Importing ‘%1’ from Discord...
+ Importing ‘%1’ from Discord...
- Importing ‘%1’ from Discord stopped...
- Importing ‘%1’ from Discord stopped...
+ Importing ‘%1’ from Discord stopped...
+ Importing ‘%1’ from Discord stopped...
- Importing ‘%1’ stopped due to a critical issue...
- Importing ‘%1’ stopped due to a critical issue...
+ Importing ‘%1’ stopped due to a critical issue...
+ Importing ‘%1’ stopped due to a critical issue...
- ‘%1’ was imported with %n issue(s).
-
-
-
-
-
+ ‘%1’ was imported with %n issue(s).
+ ‘%1’ was imported with %n issue.
+ ‘%1’ was imported with %n issues.
+
- ‘%1’ was successfully imported from Discord.
- ‘%1’ was successfully imported from Discord.
+ ‘%1’ was successfully imported from Discord.
+ ‘%1’ was successfully imported from Discord.Your Discord import is in progress...Your Discord import is in progress...
- This process can take a while. Feel free to hide this window and use Status normally in the meantime. We’ll notify you when the %1 is ready for you.
- This process can take a while. Feel free to hide this window and use Status normally in the meantime. We’ll notify you when the %1 is ready for you.
+ This process can take a while. Feel free to hide this window and use Status normally in the meantime. We’ll notify you when the %1 is ready for you.
+ This process can take a while. Feel free to hide this window and use Status normally in the meantime. We’ll notify you when the %1 is ready for you.Channel
@@ -6061,8 +5973,8 @@ Remember your password and don't share it with anyone.
DisplayNameValidators
- Display Names can’t start or end with a space
- Display Names can’t start or end with a space
+ Display Names can’t start or end with a space
+ Display Names can’t start or end with a spaceInvalid characters (use A-Z and 0-9, hyphens and underscores only)
@@ -6070,21 +5982,17 @@ Remember your password and don't share it with anyone.
Display Names must be at least %n character(s) long
-
-
-
-
-
+ Display Names must be at least %n character long
+ Display Names must be at least %n characters long
+
- Display Names can’t be longer than %n character(s)
-
-
-
-
-
+ Display Names can’t be longer than %n character(s)
+ Display Names can’t be longer than %n character
+ Display Names can’t be longer than %n characters
+
- Display Names can’t end in “.eth”, “_eth” or “-eth”
- Display Names can’t end in “.eth”, “_eth” or “-eth”
+ Display Names can’t end in “.eth”, “_eth” or “-eth”
+ Display Names can’t end in “.eth”, “_eth” or “-eth”Adjective-animal Display Name formats are not allowed
@@ -6204,8 +6112,8 @@ Remember your password and don't share it with anyone.
Your messages are displayed to others with this username:
- Once you select a username, you won’t be able to disable it afterwards. You will only be able choose a different username to display.
- Once you select a username, you won’t be able to disable it afterwards. You will only be able choose a different username to display.
+ Once you select a username, you won’t be able to disable it afterwards. You will only be able choose a different username to display.
+ Once you select a username, you won’t be able to disable it afterwards. You will only be able choose a different username to display.
@@ -6235,8 +6143,8 @@ Remember your password and don't share it with anyone.
Show fees (will be enabled once the form is filled)
- Add valid “What” and “To” values to see fees
- Add valid “What” and “To” values to see fees
+ Add valid “What” and “To” values to see fees
+ Add valid “What” and “To” values to see feesNot enough tokens to send to all recipients. Reduce the number of recipients or change the number of tokens sent to each recipient.
@@ -6248,18 +6156,14 @@ Remember your password and don't share it with anyone.
Sign transaction - Airdrop %n token(s)
-
-
-
-
-
+ Sign transaction - Airdrop %n token
+ Sign transaction - Airdrop %n tokens
+ to %n recipient(s)
-
-
-
-
-
+ to %n recipient
+ to %n recipients
+ EditCommunityTokenView
@@ -6494,8 +6398,8 @@ Remember your password and don't share it with anyone.
Checking RPC...
- What is %1? This isn’t a URL 😒
- What is %1? This isn’t a URL 😒
+ What is %1? This isn’t a URL 😒
+ What is %1? This isn’t a URL 😒RPC appears to be either offline or this is not a valid JSON RPC endpoint URL
@@ -6510,8 +6414,8 @@ Remember your password and don't share it with anyone.
JSON RPC URLs are the same
- Chain ID returned from JSON RPC doesn’t match %1
- Chain ID returned from JSON RPC doesn’t match %1
+ Chain ID returned from JSON RPC doesn’t match %1
+ Chain ID returned from JSON RPC doesn’t match %1Restart required for changes to take effect
@@ -6597,8 +6501,8 @@ Remember your password and don't share it with anyone.
Select network
- The network you select will be where all your community’s tokens reside. Once set, this setting can’t be changed and tokens can’t move to other networks.
- The network you select will be where all your community’s tokens reside. Once set, this setting can’t be changed and tokens can’t move to other networks.
+ The network you select will be where all your community’s tokens reside. Once set, this setting can’t be changed and tokens can’t move to other networks.
+ The network you select will be where all your community’s tokens reside. Once set, this setting can’t be changed and tokens can’t move to other networks.Mint
@@ -6640,8 +6544,8 @@ Remember your password and don't share it with anyone.
Hide permission
- Make this permission hidden from members who don’t meet its requirements
- Make this permission hidden from members who don’t meet its requirements
+ Make this permission hidden from members who don’t meet its requirements
+ Make this permission hidden from members who don’t meet its requirementsPermission with same properties is already active, edit properties to create a new permission.
@@ -6805,8 +6709,8 @@ Remember your password and don't share it with anyone.
Enter a number between 0 and 1023
- Invalid shard number. Number must be 0 — 1023.
- Invalid shard number. Number must be 0 — 1023.
+ Invalid shard number. Number must be 0 — 1023.
+ Invalid shard number. Number must be 0 — 1023.Pub/Sub topic
@@ -6925,8 +6829,8 @@ Remember your password and don't share it with anyone.
Hey!
- You’re displaying your ENS username in chats
- You’re displaying your ENS username in chats
+ You’re displaying your ENS username in chats
+ You’re displaying your ENS username in chats
@@ -7052,8 +6956,8 @@ Remember your password and don't share it with anyone.
After 1 year, you can release the name and get your deposit back, or take no action to keep the name.
- If terms of the contract change — e.g. Status makes contract upgrades — user has the right to release the username regardless of time held.
- If terms of the contract change — e.g. Status makes contract upgrades — user has the right to release the username regardless of time held.
+ If terms of the contract change — e.g. Status makes contract upgrades — user has the right to release the username regardless of time held.
+ If terms of the contract change — e.g. Status makes contract upgrades — user has the right to release the username regardless of time held.The contract controller cannot access your deposited funds. They can only be moved back to the address that sent them.
@@ -7208,11 +7112,9 @@ Please add it and try again.
Key pair name must be at least %n character(s)
-
-
-
-
-
+ Key pair name must be at least %n character
+ Key pair name must be at least %n characters
+ For your future reference. This is only visible to you.For your future reference. This is only visible to you.
@@ -7244,8 +7146,8 @@ Please add it and try again.
EnterPairingCode
- The codes don’t match
- The codes don’t match
+ The codes don’t match
+ The codes don’t matchEnter a new pairing code
@@ -7335,11 +7237,9 @@ Please add it and try again.
Key pair name must be at least %n character(s)
-
-
-
-
-
+ Key pair name must be at least %n character
+ Key pair name must be at least %n characters
+ For your future reference. This is only visible to you.For your future reference. This is only visible to you.
@@ -7352,16 +7252,14 @@ Please add it and try again.
Invalid recovery phrase
- The phrase you’ve entered is invalid
- The phrase you’ve entered is invalid
+ The phrase you’ve entered is invalid
+ The phrase you’ve entered is invalid%n word(s)
-
-
-
-
-
+ %n word
+ %n words
+ Enter recovery phraseEnter recovery phrase
@@ -7388,18 +7286,16 @@ Please add it and try again.
Key pair name must be at least %n character(s)
-
-
-
-
-
+ Key pair name must be at least %n character
+ Key pair name must be at least %n characters
+ For your future reference. This is only visible to you.For your future reference. This is only visible to you.
- The phrase you’ve entered does not match this Keycard’s recovery phrase
- The phrase you’ve entered does not match this Keycard’s recovery phrase
+ The phrase you’ve entered does not match this Keycard’s recovery phrase
+ The phrase you’ve entered does not match this Keycard’s recovery phraseEnter recovery phrase for %1 key pair
@@ -7444,8 +7340,8 @@ Please add it and try again.
Enter word
- This word doesn’t match
- This word doesn’t match
+ This word doesn’t match
+ This word doesn’t match
@@ -7497,8 +7393,8 @@ Please add it and try again.
Any of your synced <b>desktop</b> devices can be the control node for this Community:
- You don’t currently have any <b>synced desktop devices</b>. You will need to sync another desktop device before you can move the %1 control node to it. Does the device you want to use as the control node currently have Status installed?
- You don’t currently have any <b>synced desktop devices</b>. You will need to sync another desktop device before you can move the %1 control node to it. Does the device you want to use as the control node currently have Status installed?
+ You don’t currently have any <b>synced desktop devices</b>. You will need to sync another desktop device before you can move the %1 control node to it. Does the device you want to use as the control node currently have Status installed?
+ You don’t currently have any <b>synced desktop devices</b>. You will need to sync another desktop device before you can move the %1 control node to it. Does the device you want to use as the control node currently have Status installed?Close
@@ -7580,8 +7476,8 @@ Please add it and try again.
Encrypted key pairs code
- On your other device, navigate to the Wallet screen<br>and select ‘Import missing key pairs’. For security reasons,<br>do not save this code anywhere.
- On your other device, navigate to the Wallet screen<br>and select ‘Import missing key pairs’. For security reasons,<br>do not save this code anywhere.
+ On your other device, navigate to the Wallet screen<br>and select ‘Import missing key pairs’. For security reasons,<br>do not save this code anywhere.
+ On your other device, navigate to the Wallet screen<br>and select ‘Import missing key pairs’. For security reasons,<br>do not save this code anywhere.Your QR and encrypted key pairs code have expired.
@@ -7709,8 +7605,8 @@ Please add it and try again.
FetchMoreMessagesButton
- ↓ Fetch more messages
- ↓ Fetch more messages
+ ↓ Fetch more messages
+ ↓ Fetch more messagesBefore %1
@@ -7747,12 +7643,12 @@ Please add it and try again.
FinaliseOwnershipDeclinePopup
- Are you sure you don’t want to be the owner?
- Are you sure you don’t want to be the owner?
+ Are you sure you don’t want to be the owner?
+ Are you sure you don’t want to be the owner?
- If you don’t want to be the owner of the %1 Community it is important that you let the previous owner know so they can organise another owner to take over. You will have to send the Owner token back to them or on to the next designated owner.
- If you don’t want to be the owner of the %1 Community it is important that you let the previous owner know so they can organise another owner to take over. You will have to send the Owner token back to them or on to the next designated owner.
+ If you don’t want to be the owner of the %1 Community it is important that you let the previous owner know so they can organise another owner to take over. You will have to send the Owner token back to them or on to the next designated owner.
+ If you don’t want to be the owner of the %1 Community it is important that you let the previous owner know so they can organise another owner to take over. You will have to send the Owner token back to them or on to the next designated owner.Cancel
@@ -7786,8 +7682,8 @@ Please add it and try again.
Congratulations! You have been sent the %1 Community Owner token.
- To finalise your ownership and assume ultimate admin rights for the %1 Community, you need to make your device the Community's <a style="color:%3;" href="%2">control node</a><a style="color:%3;text-decoration: none" href="%2">↗</a>. You will also need to sign a small transaction to update the %1 Community smart contract to make you the official signatory for all Community changes.
- To finalise your ownership and assume ultimate admin rights for the %1 Community, you need to make your device the Community's <a style="color:%3;" href="%2">control node</a><a style="color:%3;text-decoration: none" href="%2">↗</a>. You will also need to sign a small transaction to update the %1 Community smart contract to make you the official signatory for all Community changes.
+ To finalise your ownership and assume ultimate admin rights for the %1 Community, you need to make your device the Community's <a style="color:%3;" href="%2">control node</a><a style="color:%3;text-decoration: none" href="%2">↗</a>. You will also need to sign a small transaction to update the %1 Community smart contract to make you the official signatory for all Community changes.
+ To finalise your ownership and assume ultimate admin rights for the %1 Community, you need to make your device the Community's <a style="color:%3;" href="%2">control node</a><a style="color:%3;text-decoration: none" href="%2">↗</a>. You will also need to sign a small transaction to update the %1 Community smart contract to make you the official signatory for all Community changes.Symbol
@@ -8149,8 +8045,8 @@ L2 fee: %2
Got it
- We’ll collect anonymous analytics and diagnostics from your app to enhance Status’s quality and performance.
- We’ll collect anonymous analytics and diagnostics from your app to enhance Status’s quality and performance.
+ We’ll collect anonymous analytics and diagnostics from your app to enhance Status’s quality and performance.
+ We’ll collect anonymous analytics and diagnostics from your app to enhance Status’s quality and performance.Gather basic usage data, like clicks and page views
@@ -8459,11 +8355,9 @@ L2 fee: %2
%n member(s)
-
-
-
-
-
+ %n member
+ %n members
+ Public key detectedPublic key detected
@@ -8562,11 +8456,9 @@ L2 fee: %2
Add %n channel(s)
-
-
-
-
-
+ Add %n channel
+ Add %n channels
+ InlineSelectorPanel
@@ -8663,11 +8555,9 @@ L2 fee: %2
%n member(s)
-
-
-
-
-
+ %n member
+ %n members
+ Go to CommunityGo to Community
@@ -8704,35 +8594,27 @@ L2 fee: %2
Send %n invite(s)
-
-
-
-
-
+ Send %n invite
+ Send %n invites
+ IssuePill%n warning(s)
-
-
-
-
-
+ %n warning
+ %n warnings
+ %n error(s)
-
-
-
-
-
+ %n error
+ %n errors
+ %n message(s)
-
-
-
-
-
+ %n message
+ %n messages
+ JSDialogWindow
@@ -8852,8 +8734,8 @@ L2 fee: %2
You will now require this Keycard to log into Status and transact with accounts derived from this key pair
- A key pair is your shareable public address and a secret private key that controls your wallet. Your key pair is being generated on your Keycard — keep it plugged in until the process completes.
- A key pair is your shareable public address and a secret private key that controls your wallet. Your key pair is being generated on your Keycard — keep it plugged in until the process completes.
+ A key pair is your shareable public address and a secret private key that controls your wallet. Your key pair is being generated on your Keycard — keep it plugged in until the process completes.
+ A key pair is your shareable public address and a secret private key that controls your wallet. Your key pair is being generated on your Keycard — keep it plugged in until the process completes.
@@ -8947,11 +8829,9 @@ Are you sure you want to do this?
%n attempt(s) remaining
-
-
-
-
-
+ %n attempt remaining
+ %n attempts remaining
+ Unblock using PUKUnblock using PUK
@@ -8965,11 +8845,9 @@ Are you sure you want to do this?
KeycardEnterPukPage%n attempt(s) remaining
-
-
-
-
-
+ %n attempt remaining
+ %n attempts remaining
+ Factory reset KeycardFactory reset Keycard
@@ -9319,8 +9197,8 @@ you will need to factory reset it before proceeding
Keycard successfully renamed
- Keycard’s PUK successfully set
- Keycard’s PUK successfully set
+ Keycard’s PUK successfully set
+ Keycard’s PUK successfully setPairing code successfully set
@@ -9379,8 +9257,8 @@ was a brand new empty Keycard
Unlock a Keycard failed
- Setting Keycard’s PUK failed
- Setting Keycard’s PUK failed
+ Setting Keycard’s PUK failed
+ Setting Keycard’s PUK failedSetting pairing code failed
@@ -9435,8 +9313,8 @@ an empty new or factory reset Keycard
an empty new or factory reset Keycard
- Copy “%1” to inserted keycard
- Copy “%1” to inserted keycard
+ Copy “%1” to inserted keycard
+ Copy “%1” to inserted keycardThis recovery phrase has already been imported
@@ -9467,8 +9345,8 @@ this key pair to Status?
%1 is your default Status key pair.
- Migrating this key pair will mean you will no longer require this Keycard to login to Status or transact with the key pair’s derived accounts.
- Migrating this key pair will mean you will no longer require this Keycard to login to Status or transact with the key pair’s derived accounts.
+ Migrating this key pair will mean you will no longer require this Keycard to login to Status or transact with the key pair’s derived accounts.
+ Migrating this key pair will mean you will no longer require this Keycard to login to Status or transact with the key pair’s derived accounts. The key pair and accounts will be fully removed from Keycard and stored on device.
@@ -9538,16 +9416,16 @@ to login to Status?
Insert your Keycard
- Get help via %1 🔗
- Get help via %1 🔗
+ Get help via %1 🔗
+ Get help via %1 🔗Reading Keycard...Reading Keycard...
- Oops this isn’t a Keycard
- Oops this isn’t a Keycard
+ Oops this isn’t a Keycard
+ Oops this isn’t a KeycardRemove card and insert a Keycard
@@ -9619,8 +9497,8 @@ to login to Status?
Keycard is not empty
- You can’t use it to store new keys right now
- You can’t use it to store new keys right now
+ You can’t use it to store new keys right now
+ You can’t use it to store new keys right nowLog in with this Keycard
@@ -9638,9 +9516,9 @@ to login to Status?
It is very important that you do not lose this PIN
- Don’t lose your PIN! If you do, you may lose
+ Don’t lose your PIN! If you do, you may lose
access to your funds.
- Don’t lose your PIN! If you do, you may lose
+ Don’t lose your PIN! If you do, you may lose
access to your funds.
@@ -9652,8 +9530,8 @@ access to your funds.
Enter the Keycard PIN
- Enter this Keycard’s PIN
- Enter this Keycard’s PIN
+ Enter this Keycard’s PIN
+ Enter this Keycard’s PINEnter Keycard PIN
@@ -9665,11 +9543,9 @@ access to your funds.
%n attempt(s) remaining
-
-
-
-
-
+ %n attempt remaining
+ %n attempts remaining
+ Your saved PIN is out of dateYour saved PIN is out of date
@@ -9746,8 +9622,8 @@ access to your funds.
Unlock Keycard
- Check what’s on a Keycard
- Check what’s on a Keycard
+ Check what’s on a Keycard
+ Check what’s on a KeycardRename Keycard
@@ -9861,8 +9737,8 @@ access to your funds.
Check what is stored on this Keycard
- I don’t know the PIN
- I don’t know the PIN
+ I don’t know the PIN
+ I don’t know the PINNext
@@ -9968,8 +9844,8 @@ access to your funds.
KeycardPuk
- The PUK doesn’t match
- The PUK doesn’t match
+ The PUK doesn’t match
+ The PUK doesn’t matchEnter PUK
@@ -9981,11 +9857,9 @@ access to your funds.
%n attempt(s) remaining
-
-
-
-
-
+ %n attempt remaining
+ %n attempts remaining
+ Choose a Keycard PUKChoose a Keycard PUK
@@ -10123,33 +9997,6 @@ access to your funds.
Restart
-
- Layout
-
- To:
- To:
-
-
- USER LIMIT REACHED
- USER LIMIT REACHED
-
-
- Invite People
- Invite People
-
-
- View Community
- View Community
-
-
- Edit Community
- Edit Community
-
-
- Leave Community
- Leave Community
-
-LeftTabView
@@ -10309,55 +10156,41 @@ to load
%n year(s) ago
-
-
-
-
-
+ %n year ago
+ %n years ago
+ %n month(s) ago
-
-
-
-
-
+ %n month ago
+ %n months ago
+ %n week(s) ago
-
-
-
-
-
+ %n week ago
+ %n weeks ago
+ %n day(s) ago
-
-
-
-
-
+ %n day ago
+ %n days ago
+ %n hour(s) ago
-
-
-
-
-
+ %n hour ago
+ %n hours ago
+ %n min(s) agox minute(s) ago
-
-
-
-
-
+ %n min ago
+ %n mins ago
+ %n sec(s) agox second(s) ago
-
-
-
-
-
+ %n sec ago
+ %n secs ago
+ nownow
@@ -10418,11 +10251,9 @@ to load
PIN incorrect. %n attempt(s) remaining.
-
-
-
-
-
+ PIN incorrect. %n attempt remaining.
+ PIN incorrect. %n attempts remaining.
+ Login failed. %1Login failed. %1
@@ -10479,8 +10310,8 @@ to load
4. Create a new password
- Enter a new password and you’re all set! You will be able to use your new password
- Enter a new password and you’re all set! You will be able to use your new password
+ Enter a new password and you’re all set! You will be able to use your new password
+ Enter a new password and you’re all set! You will be able to use your new password
@@ -10594,11 +10425,9 @@ to load
Account name must be at least %n character(s)
-
-
-
-
-
+ Account name must be at least %n character
+ Account name must be at least %n characters
+ ColourColour
@@ -10651,8 +10480,8 @@ to load
Other
- Check what’s on a Keycard
- Check what’s on a Keycard
+ Check what’s on a Keycard
+ Check what’s on a KeycardFactory reset a Keycard
@@ -10680,11 +10509,9 @@ to load
%n key pair(s) require import to use on this device
-
-
-
-
-
+ %n key pair requires import to use on this device
+ %n key pairs require import to use on this device
+ Import missing key pairsImport missing key pairs
@@ -11000,8 +10827,8 @@ to load
Show community assets when sending tokens
- Don’t display assets with balance lower than
- Don’t display assets with balance lower than
+ Don’t display assets with balance lower than
+ Don’t display assets with balance lower thanAuto-refresh tokens lists
@@ -11146,11 +10973,9 @@ to load
Add %n member(s)
-
-
-
-
-
+ Add %n member
+ Add %n members
+ AddAdd
@@ -11175,11 +11000,9 @@ to load
%n member(s)
-
-
-
-
-
+ %n member
+ %n members
+ MembersSettingsPanel
@@ -11465,24 +11288,24 @@ to load
What we will receive:
- • IP address
- • Universally Unique Identifiers of device
- • Logs of actions within the app, including button presses and screen visits
- • IP address
- • Universally Unique Identifiers of device
- • Logs of actions within the app, including button presses and screen visits
+ • IP address
+ • Universally Unique Identifiers of device
+ • Logs of actions within the app, including button presses and screen visits
+ • IP address
+ • Universally Unique Identifiers of device
+ • Logs of actions within the app, including button presses and screen visits
- What we won’t receive:
- What we won’t receive:
+ What we won’t receive:
+ What we won’t receive:
- • Your profile information
- • Your addresses
- • Information you input and send
- • Your profile information
- • Your addresses
- • Information you input and send
+ • Your profile information
+ • Your addresses
+ • Information you input and send
+ • Your profile information
+ • Your addresses
+ • Information you input and sendUsage data will be shared from all profiles added to device. %1 %2
@@ -11592,11 +11415,9 @@ to load
Remotely destruct %n token(s)
-
-
-
-
-
+ Remotely destruct %n token
+ Remotely destruct %n tokens
+ Remotely destructRemotely destruct
@@ -11615,11 +11436,9 @@ to load
Remotely destruct %Ln %1 token(s) on %2
-
-
-
-
-
+ Remotely destruct %Ln %1 token on %2
+ Remotely destruct %Ln %1 tokens on %2
+ Delete %1Delete %1
@@ -11652,8 +11471,8 @@ to load
1 of 1
- ∞ remaining
- ∞ remaining
+ ∞ remaining
+ ∞ remaining%L1 / %L2 remaining
@@ -11684,8 +11503,8 @@ to load
Get started
- Token minting can only be performed by admins that hodl the Community’s TokenMaster token. If you would like this permission, contact the Community founder (they will need to mint the Community Owner token before they can airdrop this to you).
- Token minting can only be performed by admins that hodl the Community’s TokenMaster token. If you would like this permission, contact the Community founder (they will need to mint the Community Owner token before they can airdrop this to you).
+ Token minting can only be performed by admins that hodl the Community’s TokenMaster token. If you would like this permission, contact the Community founder (they will need to mint the Community Owner token before they can airdrop this to you).
+ Token minting can only be performed by admins that hodl the Community’s TokenMaster token. If you would like this permission, contact the Community founder (they will need to mint the Community Owner token before they can airdrop this to you).In order to Mint, Import and Airdrop community tokens, you first need to mint your Owner token which will give you permissions to access the token management features for your community.
@@ -12234,11 +12053,9 @@ to load
NewMessagesMarker%n missed message(s) since %1
-
-
-
-
-
+ %n missed message since %1
+ %n missed message since %1
+ NEWnew message(s)
@@ -12272,18 +12089,16 @@ to load
Nicknames must be at least %n character(s) long
-
-
-
-
-
+ Nicknames must be at least %n character long
+ Nicknames must be at least %n characters long
+
- Nicknames can’t start or end with a space
- Nicknames can’t start or end with a space
+ Nicknames can’t start or end with a space
+ Nicknames can’t start or end with a space
- Nicknames can’t end in “.eth”, “_eth” or “-eth”
- Nicknames can’t end in “.eth”, “_eth” or “-eth”
+ Nicknames can’t end in “.eth”, “_eth” or “-eth”
+ Nicknames can’t end in “.eth”, “_eth” or “-eth”Adjective-animal nickname formats are not allowed
@@ -12309,8 +12124,8 @@ to load
NoFriendsRectangle
- You don’t have any contacts yet. Invite your friends to start chatting.
- You don’t have any contacts yet. Invite your friends to start chatting.
+ You don’t have any contacts yet. Invite your friends to start chatting.
+ You don’t have any contacts yet. Invite your friends to start chatting.No users match your search
@@ -12744,11 +12559,11 @@ to load
OwnerTokenWelcomeViewYour <b>Owner token</b> will give you permissions to access the token management features for your community. This token is very important - only one will ever exist, and if this token gets lost then access to the permissions it enables for your community will be lost forever as well.<br><br>
- Minting your Owner token also automatically mints your community’s <b>TokenMaster token</b>. You can airdrop your community’s TokenMaster token to anybody you wish to grant both Admin permissions and permission to access your community’s token management functions to.<br><br>
- Only the hodler of the Owner token can airdrop TokenMaster tokens. TokenMaster tokens are soulbound (meaning they can’t be transferred), and you (the hodler of the Owner token) can remotely destruct a TokenMaster token at any time, to revoke TokenMaster permissions from any individual.
+ Minting your Owner token also automatically mints your community’s <b>TokenMaster token</b>. You can airdrop your community’s TokenMaster token to anybody you wish to grant both Admin permissions and permission to access your community’s token management functions to.<br><br>
+ Only the hodler of the Owner token can airdrop TokenMaster tokens. TokenMaster tokens are soulbound (meaning they can’t be transferred), and you (the hodler of the Owner token) can remotely destruct a TokenMaster token at any time, to revoke TokenMaster permissions from any individual.
Your <b>Owner token</b> will give you permissions to access the token management features for your community. This token is very important - only one will ever exist, and if this token gets lost then access to the permissions it enables for your community will be lost forever as well.<br><br>
- Minting your Owner token also automatically mints your community’s <b>TokenMaster token</b>. You can airdrop your community’s TokenMaster token to anybody you wish to grant both Admin permissions and permission to access your community’s token management functions to.<br><br>
- Only the hodler of the Owner token can airdrop TokenMaster tokens. TokenMaster tokens are soulbound (meaning they can’t be transferred), and you (the hodler of the Owner token) can remotely destruct a TokenMaster token at any time, to revoke TokenMaster permissions from any individual.
+ Minting your Owner token also automatically mints your community’s <b>TokenMaster token</b>. You can airdrop your community’s TokenMaster token to anybody you wish to grant both Admin permissions and permission to access your community’s token management functions to.<br><br>
+ Only the hodler of the Owner token can airdrop TokenMaster tokens. TokenMaster tokens are soulbound (meaning they can’t be transferred), and you (the hodler of the Owner token) can remotely destruct a TokenMaster token at any time, to revoke TokenMaster permissions from any individual.
Only 1 will ever exist
@@ -12853,11 +12668,9 @@ to load
Minimum %n character(s)
-
-
-
-
-
+ Minimum %n character
+ Minimum %n characters
+ Passwords don't matchPasswords don't match
@@ -12868,11 +12681,9 @@ to load
Maximum %n character(s)
-
-
-
-
-
+ Maximum %n character
+ Maximum %n characters
+ Password pwned, shouldn't be usedPassword pwned, shouldn't be used
@@ -13048,18 +12859,14 @@ to load
PermissionQualificationPanel%L1% of the %Ln community member(s) with known addresses will qualify for this permission.
-
-
-
-
-
+ %L1% of the %Ln community member with known addresses will qualify for this permission.
+ %L1% of the %Ln community members with known addresses will qualify for this permission.
+ The addresses of %Ln community member(s) are unknown.
-
-
-
-
-
+ The addresses of %Ln community member are unknown.
+ The addresses of %Ln community members are unknown.
+ PermissionTypes
@@ -13144,8 +12951,8 @@ to load
Members who meet the requirements will be allowed to read the selected channels
- Max of 5 ‘become member’ permissions for this Community has been reached. You will need to delete an existing ‘become member’ permission before you can add a new one.
- Max of 5 ‘become member’ permissions for this Community has been reached. You will need to delete an existing ‘become member’ permission before you can add a new one.
+ Max of 5 ‘become member’ permissions for this Community has been reached. You will need to delete an existing ‘become member’ permission before you can add a new one.
+ Max of 5 ‘become member’ permissions for this Community has been reached. You will need to delete an existing ‘become member’ permission before you can add a new one.
@@ -13298,11 +13105,9 @@ to load
%n message(s)
-
-
-
-
-
+ %n message
+ %n messages
+ Pinned messages will appear here.Pinned messages will appear here.
@@ -13498,6 +13303,18 @@ to load
Your IP address will be exposed to https://status.appYour IP address will be exposed to https://status.app
+
+ Third-party services
+ Third-party services
+
+
+ Enable/disable all third-party services
+ Enable/disable all third-party services
+
+
+ Share feedback or suggest improvements on our %1.
+ Share feedback or suggest improvements on our %1.
+ Share usage data with StatusShare usage data with Status
@@ -13507,6 +13324,17 @@ to load
From all profiles on device
+
+ PrivacyStore
+
+ Third-party services successfully enabled
+ Third-party services successfully enabled
+
+
+ Third-party services successfully disabled
+ Third-party services successfully disabled
+
+PrivilegedTokenArtworkPanel
@@ -13585,11 +13413,9 @@ to load
Bio can't be longer than %n character(s)
-
-
-
-
-
+ Bio can't be longer than %n character
+ Bio can't be longer than %n characters
+ Invalid characters. Standard keyboard characters and emojis only.Invalid characters. Standard keyboard characters and emojis only.
@@ -13873,8 +13699,8 @@ to load
Search asset name, symbol or community
- Don’t see some of your assets?
- Don’t see some of your assets?
+ Don’t see some of your assets?
+ Don’t see some of your assets?
@@ -13911,8 +13737,8 @@ to load
Search collectible name, number, collection or community
- Don’t see some of your collectibles?
- Don’t see some of your collectibles?
+ Don’t see some of your collectibles?
+ Don’t see some of your collectibles?
@@ -14119,8 +13945,8 @@ to load
Link limit of %1 reached
- + Add a link
- + Add a link
+ + Add a link
+ + Add a linkEdit link
@@ -14344,11 +14170,9 @@ to load
Remotely destruct %n token(s)
-
-
-
-
-
+ Remotely destruct %n token
+ Remotely destruct %n tokens
+ RemoveAccountConfirmationPopup
@@ -14489,11 +14313,9 @@ to load
Account name must be at least %n character(s)
-
-
-
-
-
+ Account name must be at least %n character
+ Account name must be at least %n characters
+ This is not a valid account nameThis is not a valid account name
@@ -14902,8 +14724,8 @@ to load
Select a key pair
- Select which key pair you’d like to move to this Keycard
- Select which key pair you’d like to move to this Keycard
+ Select which key pair you’d like to move to this Keycard
+ Select which key pair you’d like to move to this KeycardProfile key pair
@@ -15442,22 +15264,18 @@ to load
Reveal %n address(s)
-
-
-
-
-
+ Reveal %n address
+ Reveal %n addresses
+ Share all addresses to joinShare all addresses to joinShare %n address(s) to join
-
-
-
-
-
+ Share %n address to join
+ Share %n addresses to join
+ Selected addresses have insufficient tokens to maintain %1 membershipSelected addresses have insufficient tokens to maintain %1 membership
@@ -15526,18 +15344,14 @@ to load
Share %n address(s) to join
-
-
-
-
-
+ Share %n address to join
+ Share %n addresses to join
+ To share %n address(s) with <b>%1</b>, authenticate the associated key pairs...
-
-
-
-
-
+ To share %n address with <b>%1</b>, authenticate the associated key pairs...
+ To share %n addresses with <b>%1</b>, authenticate the associated key pairs...
+ Stored on deviceStored on device
@@ -15555,12 +15369,12 @@ to load
Stored on keycard
- Authenticate via “%1” key pair
- Authenticate via “%1” key pair
+ Authenticate via “%1” key pair
+ Authenticate via “%1” key pair
- The following key pairs will be authenticated via “%1” key pair
- The following key pairs will be authenticated via “%1” key pair
+ The following key pairs will be authenticated via “%1” key pair
+ The following key pairs will be authenticated via “%1” key pair
@@ -15705,6 +15519,13 @@ to load
Est %1 transaction fee
+
+ SimplifiedMessageView
+
+ You
+ You
+
+SiweLifeCycle
@@ -15833,13 +15654,6 @@ to load
Please enter a valid address or ENS name.
-
- StatusAddressPage
-
- Copy Action:
- Copy Action:
-
-StatusAddressValidator
@@ -15847,47 +15661,6 @@ to load
Please enter a valid address.
-
- StatusAppChatView
-
- More
- More
-
-
- Start chat
- Start chat
-
-
-
- StatusAppCommunitiesPortalView
-
- Find community
- Find community
-
-
- Featured
- Featured
-
-
- Popular
- Popular
-
-
-
- StatusAppCommunityView
-
- Search
- Search
-
-
- Members
- Members
-
-
- Community content here
- Community content here
-
-StatusAsyncEnsValidator
@@ -15935,11 +15708,9 @@ to load
StatusChatImageQtyValidatorYou can only upload %n image(s) at a time
-
-
-
-
-
+ You can only upload %n image at a time
+ You can only upload %n images at a time
+ StatusChatImageSizeValidator
@@ -15956,11 +15727,9 @@ to load
%Ln pinned message(s)
-
-
-
-
-
+ %Ln pinned message
+ %Ln pinned messages
+ StatusChatInput
@@ -15994,11 +15763,9 @@ to load
Maximum message character count is %n
-
-
-
-
-
+ Maximum message character count is %n
+ Maximum message character count is %n
+ Bold (%1)Bold (%1)
@@ -16068,55 +15835,6 @@ to load
Select Colour
-
- StatusColorSelector
-
- Color
- Color
-
-
-
- StatusColorSpacePage
-
- Thickness
- Thickness
-
-
- Min saturate:
- Min saturate:
-
-
- Max saturate:
- Max saturate:
-
-
- Min value:
- Min value:
-
-
- Max value:
- Max value:
-
-
- Color
- Color
-
-
-
- StatusCommunityTagsPage
-
- Select tags that will fit your Community
- Select tags that will fit your Community
-
-
- Search tags
- Search tags
-
-
- Selected tags
- Selected tags
-
-StatusContactVerificationIcons
@@ -16283,17 +16001,6 @@ to load
No results found
-
- StatusExpandableSettingsItemPage
-
- Back up seed phrase
- Back up seed phrase
-
-
- Not Implemented
- Not Implemented
-
-StatusFloatValidator
@@ -16331,33 +16038,6 @@ to load
RECENT
-
- StatusImageCropPanelPage
-
- Cycle image
- Cycle image
-
-
- Cycle spacing
- Cycle spacing
-
-
- Cycle frame margins
- Cycle frame margins
-
-
- Load external image
- Load external image
-
-
- Test Title
- Test Title
-
-
- Supported image formats (%1)
- Supported image formats (%1)
-
-StatusImageSelector
@@ -16379,17 +16059,6 @@ to load
Search
-
- StatusListPickerPage
-
- Search Languages
- Search Languages
-
-
- Search Currencies
- Search Currencies
-
-StatusMacNotification
@@ -16487,11 +16156,9 @@ to load
The value must be at least %n character(s).
-
-
-
-
-
+ The value must be at least %n character.
+ The value must be at least %n characters.
+ StatusNewTag
@@ -16674,17 +16341,19 @@ access to your webcam
This deviceThis device
+
+ Never seen online
+ Never seen online
+ Online nowOnline nowOnline %n minute(s) ago
-
-
-
-
-
+ Online %n minute ago
+ Online %n minutes ago
+ Last seen earlier todayLast seen earlier today
@@ -16706,17 +16375,6 @@ access to your webcam
Unpair
-
- StatusTagSelectorPage
-
- To:
- To:
-
-
- USER LIMIT REACHED
- USER LIMIT REACHED
-
-StatusTextMessage
@@ -16778,11 +16436,9 @@ access to your webcam
%n day(s) until finality
-
-
-
-
-
+ %n day until finality
+ %n days until finality
+ %1 / %2 confirmations%1 / %2 confirmations
@@ -16802,22 +16458,13 @@ access to your webcam
invalid input
-
- StatusWalletColorSelect
-
- Account color
- Account color
-
-SupportedTokenListsPanel
- %n token(s) · Last updated %1
-
-
-
-
-
+ %n token(s) · Last updated %1
+ %n token · Last updated %1
+ %n tokens · Last updated %1
+ ViewView
@@ -17209,8 +16856,8 @@ access to your webcam
SyncingView
- Verify your login with password or KeyCard
- Verify your login with password or KeyCard
+ Verify your login with password or Keycard
+ Verify your login with password or KeycardReveal a temporary QR and Sync Code
@@ -17367,6 +17014,69 @@ access to your webcam
Add at least 1 tag
+
+ ThirdpartyServicesPopup
+
+ Third-party services
+ Third-party services
+
+
+ Status uses essential third-party services to make your experience more convenient, efficient, and engaging. While only necessary integrations are included, users who prefer to avoid any third-party services can disable them entirely – though this may limit functionality and affect usability
+ Status uses essential third-party services to make your experience more convenient, efficient, and engaging. While only necessary integrations are included, users who prefer to avoid any third-party services can disable them entirely – though this may limit functionality and affect usability
+
+
+ Features that will be unavailable:
+ Features that will be unavailable:
+
+
+ Wallet (Swap, Send, Token data, etc.)
+ Wallet (Swap, Send, Token data, etc.)
+
+
+ Market (Token data, prices, and news, etc.)
+ Market (Token data, prices, and news, etc.)
+
+
+ Token-gated communities and admin tools
+ Token-gated communities and admin tools
+
+
+ Status news, etc.
+ Status news, etc.
+
+
+ You may also experience:
+ You may also experience:
+
+
+ Missing or invalid data
+ Missing or invalid data
+
+
+ Errors and unexpected behavior
+ Errors and unexpected behavior
+
+
+ Only disable third-party services if you're aware of the trade-offs. Re-enable them anytime in Settings. Read more details about third-party services %1.
+ Only disable third-party services if you're aware of the trade-offs. Re-enable them anytime in Settings. Read more details about third-party services %1.
+
+
+ Share feedback or suggest improvements on our %1.
+ Share feedback or suggest improvements on our %1.
+
+
+ Disable third-party services
+ Disable third-party services
+
+
+ Enable third-party services
+ Enable third-party services
+
+
+ Close
+ Close
+
+ThumbnailsDropdownContent
@@ -17551,11 +17261,9 @@ access to your webcam
TokenListPopup%n token(s)
-
-
-
-
-
+ %n token
+ %n tokens
+ DoneDone
@@ -17994,9 +17702,9 @@ access to your webcam
Current: %1
- The gas price you set is the exact amount you’ll pay per unit of gas used. If you set a gas price higher than what’s required for inclusion, the difference will not be refunded. Choose your gas price carefully to avoid overpaying.
+ The gas price you set is the exact amount you’ll pay per unit of gas used. If you set a gas price higher than what’s required for inclusion, the difference will not be refunded. Choose your gas price carefully to avoid overpaying.
- The gas price you set is the exact amount you’ll pay per unit of gas used. If you set a gas price higher than what’s required for inclusion, the difference will not be refunded. Choose your gas price carefully to avoid overpaying.
+ The gas price you set is the exact amount you’ll pay per unit of gas used. If you set a gas price higher than what’s required for inclusion, the difference will not be refunded. Choose your gas price carefully to avoid overpaying.
@@ -18088,10 +17796,10 @@ The gas limit is a cap on how much work the transaction can do on the blockchain
Last transaction: %1
- Transaction counter ensuring transactions from your account are processed in the correct order and can’t be replayed. Each new transaction increments the nonce by 1, ensuring uniqueness and preventing double-spending.
+ Transaction counter ensuring transactions from your account are processed in the correct order and can’t be replayed. Each new transaction increments the nonce by 1, ensuring uniqueness and preventing double-spending.
If a transaction with a lower nonce is pending, higher nonce transactions will remain in the queue until the earlier one is confirmed.
- Transaction counter ensuring transactions from your account are processed in the correct order and can’t be replayed. Each new transaction increments the nonce by 1, ensuring uniqueness and preventing double-spending.
+ Transaction counter ensuring transactions from your account are processed in the correct order and can’t be replayed. Each new transaction increments the nonce by 1, ensuring uniqueness and preventing double-spending.
If a transaction with a lower nonce is pending, higher nonce transactions will remain in the queue until the earlier one is confirmed.
@@ -18142,12 +17850,12 @@ If a transaction with a lower nonce is pending, higher nonce transactions will r
How to move the %1 control node to another device
- <b>It looks like you haven’t minted the %1 Owner token yet.</b> Once you have minted this token, you can transfer ownership of %1 by sending the Owner token to the account of the person you want to be the new Community owner.
- <b>It looks like you haven’t minted the %1 Owner token yet.</b> Once you have minted this token, you can transfer ownership of %1 by sending the Owner token to the account of the person you want to be the new Community owner.
+ <b>It looks like you haven’t minted the %1 Owner token yet.</b> Once you have minted this token, you can transfer ownership of %1 by sending the Owner token to the account of the person you want to be the new Community owner.
+ <b>It looks like you haven’t minted the %1 Owner token yet.</b> Once you have minted this token, you can transfer ownership of %1 by sending the Owner token to the account of the person you want to be the new Community owner.
- <b>It looks like you haven’t minted the %1 Owner token yet.</b> Once you have minted this token, you can make one of your other synced desktop devices the control node for the %1 Community.
- <b>It looks like you haven’t minted the %1 Owner token yet.</b> Once you have minted this token, you can make one of your other synced desktop devices the control node for the %1 Community.
+ <b>It looks like you haven’t minted the %1 Owner token yet.</b> Once you have minted this token, you can make one of your other synced desktop devices the control node for the %1 Community.
+ <b>It looks like you haven’t minted the %1 Owner token yet.</b> Once you have minted this token, you can make one of your other synced desktop devices the control node for the %1 Community.Cancel
@@ -18169,8 +17877,8 @@ If a transaction with a lower nonce is pending, higher nonce transactions will r
To transfer ownership of %1:
- 1. Send the %1 Owner token (%2) to the new owner’s address
- 1. Send the %1 Owner token (%2) to the new owner’s address
+ 1. Send the %1 Owner token (%2) to the new owner’s address
+ 1. Send the %1 Owner token (%2) to the new owner’s address2. Ask the new owner to setup the control node for %1 on their desktop device
@@ -18257,8 +17965,8 @@ If a transaction with a lower nonce is pending, higher nonce transactions will r
Log in with your Status recovery phrase
- Recovery phrase doesn’t match the profile of an existing Keycard user on this device
- Recovery phrase doesn’t match the profile of an existing Keycard user on this device
+ Recovery phrase doesn’t match the profile of an existing Keycard user on this device
+ Recovery phrase doesn’t match the profile of an existing Keycard user on this deviceThe entered recovery phrase is already added
@@ -18307,22 +18015,18 @@ If a transaction with a lower nonce is pending, higher nonce transactions will r
Utils%n word(s)
-
-
-
-
-
+ %n word
+ %n words
+ You need to enter a passwordYou need to enter a passwordPassword needs to be %n character(s) or more
-
-
-
-
-
+ Password needs to be %n character or more
+ Password needs to be %n characters or more
+ You need to repeat your passwordYou need to repeat your password
@@ -18341,11 +18045,9 @@ If a transaction with a lower nonce is pending, higher nonce transactions will r
The PIN must be exactly %n digit(s)
-
-
-
-
-
+ The PIN must be exactly %n digit
+ The PIN must be exactly %n digits
+ You need to repeat your PINYou need to repeat your PIN
@@ -18360,11 +18062,9 @@ If a transaction with a lower nonce is pending, higher nonce transactions will r
The %1 cannot exceed %n character(s)
-
-
-
-
-
+ The %1 cannot exceed %n character
+ The %1 cannot exceed %n characters
+ Must be an hexadecimal color (eg: #4360DF)Must be an hexadecimal color (eg: #4360DF)
@@ -18375,11 +18075,9 @@ If a transaction with a lower nonce is pending, higher nonce transactions will r
Value has to be at least %n character(s) long
-
-
-
-
-
+ Value has to be at least %n character long
+ Value has to be at least %n characters long
+ MessagesMessages
@@ -18428,6 +18126,10 @@ If a transaction with a lower nonce is pending, higher nonce transactions will r
Home PageHome Page
+
+ Activity Center
+ Activity Center
+ Add new userAdd new user
@@ -19123,10 +18825,6 @@ If a transaction with a lower nonce is pending, higher nonce transactions will r
WelcomePage
-
- Welcome to Status
- Welcome to Status
- Own your cryptoOwn your crypto
@@ -19151,6 +18849,10 @@ If a transaction with a lower nonce is pending, higher nonce transactions will r
Be safe with secure cold walletBe safe with secure cold wallet
+
+ Welcome to Status
+ Welcome to Status
+ The open-source, decentralised wallet and messengerThe open-source, decentralised wallet and messenger
@@ -19163,6 +18865,18 @@ If a transaction with a lower nonce is pending, higher nonce transactions will r
Log inLog in
+
+ Third-party services %1
+ Third-party services %1
+
+
+ enabled
+ enabled
+
+
+ disabled
+ disabled
+ By proceeding you accept Status<br>%1 and %2By proceeding you accept Status<br>%1 and %2
@@ -19178,17 +18892,13 @@ If a transaction with a lower nonce is pending, higher nonce transactions will r
main
-
- Status Desktop
- Status Desktop
- Hello WorldHello World
- StatusQ Documentation App
- StatusQ Documentation App
+ Status Desktop
+ Status Desktop
diff --git a/ui/i18n/qml_cs.ts b/ui/i18n/qml_cs.ts
new file mode 100644
index 00000000000..a4ba3a99004
--- /dev/null
+++ b/ui/i18n/qml_cs.ts
@@ -0,0 +1,19101 @@
+
+
+
+
+
+
+ Contains account(s) with Keycard incompatible derivation paths
+
+
+
+
+ AboutView
+
+ Check for updates
+
+
+
+ Current Version
+
+
+
+ Status Go Version
+
+
+
+ Qt Version
+
+
+
+ Release Notes
+
+
+
+ Status Manifesto
+
+
+
+ Status Help
+
+
+
+ Status desktop’s GitHub Repositories
+
+
+
+ status-desktop
+
+
+
+ status-go
+
+
+
+ StatusQ
+
+
+
+ go-waku
+
+
+
+ Legal & Privacy Documents
+
+
+
+ Terms of Use
+
+
+
+ Privacy Policy
+
+
+
+ Software License
+
+
+
+
+ AcceptRejectOptionsButtonsPanel
+
+ Details
+
+
+
+ Decline and block
+
+
+
+
+ AccountAddressSelection
+
+ Scan addresses for activity
+
+
+
+ Scanning for activity...
+
+
+
+ Activity fetched for %1 / %2 addresses
+
+
+
+ Activity unknown
+
+
+
+ loading...
+
+
+
+ Has activity
+
+
+
+ No activity
+
+
+
+
+ AccountContextMenu
+
+ Address copied
+
+
+
+ Copy address
+
+
+
+ Edit
+
+
+
+ Include in balances and activity
+
+
+
+ Exclude from balances and activity
+
+
+
+ Delete
+
+
+
+ Add new account
+
+
+
+ Add watched address
+
+
+
+
+ AccountOrderView
+
+ Move your most frequently used accounts to the top of your wallet list
+
+
+
+ This account looks a little lonely. Add another account to enable re-ordering.
+
+
+
+
+ AccountView
+
+ Edit watched address
+
+
+
+ Edit account
+
+
+
+ Account details
+
+
+
+ Balance
+
+
+
+ Address
+
+
+
+ Key pair
+
+
+
+ Origin
+
+
+
+ Derived from your default Status key pair
+
+
+
+ Imported from recovery phrase
+
+
+
+ Imported from private key
+
+
+
+ Watched address
+
+
+
+ Derivation Path
+
+
+
+ Stored
+
+
+
+ Include in total balances and activity
+
+
+
+ Remove watched address
+
+
+
+ Remove account
+
+
+
+
+ ActiveNetworkLimitPopup
+
+ Network limit reached
+
+
+
+ A maximum of %1 networks can be enabled simultaneously. Disable one of the networks to enable this one.
+
+
+
+ Close
+
+
+
+
+ ActivityCenterLayout
+
+ Notifications
+
+
+
+ Under construction.<br>More notification types to be coming soon.
+
+
+
+ Mark all as Read
+
+
+
+ Show read notifications
+
+
+
+ Hide read notifications
+
+
+
+ Pair new device and sync profile
+
+
+
+ New device with %1 profile has been detected. You can see the device ID below and on your other device. Only confirm the request if the device ID matches.
+
+
+
+ Cancel
+
+
+
+ Pair and Sync
+
+
+
+ Pair this device and sync profile
+
+
+
+ Check your other device for a pairing request. Ensure that the this device ID displayed on your other device. Only proceed with pairing and syncing if the IDs are identical.
+
+
+
+ Enable RSS to receive Status News notifications
+
+
+
+ Enable Status News notifications
+
+
+
+ RSS is currently disabled via your Privacy & Security settings. Enable RSS to receive Status News notifications about upcoming features and important announcements.
+
+
+
+ This feature is currently turned off. Enable Status News notifications to receive notifications about upcoming features and important announcements
+
+
+
+ Enable RSS
+
+
+
+ You're all caught up
+
+
+
+ Your notifications will appear here
+
+
+
+
+ ActivityCenterPopupTopBarPanel
+
+ All
+
+
+
+ News
+
+
+
+ Admin
+
+
+
+ Mentions
+
+
+
+ Replies
+
+
+
+ Contact requests
+
+
+
+ Transactions
+
+
+
+ Membership
+
+
+
+ System
+
+
+
+
+ ActivityCounterpartyFilterSubMenu
+
+ Search name, ENS or address
+
+
+
+ Recent
+
+
+
+ Saved
+
+
+
+ No Recents
+
+
+
+ Loading Recents
+
+
+
+ No Saved Address
+
+
+
+
+ ActivityFilterMenu
+
+ Period
+
+
+
+ Type
+
+
+
+ Status
+
+
+
+ Tokens
+
+
+
+ Counterparty
+
+
+
+
+ ActivityFilterPanel
+
+ Filter
+
+
+
+ to
+
+
+
+ Send
+
+
+
+ Receive
+
+
+
+ Swap
+
+
+
+ Bridge
+
+
+
+ Contract Deployment
+
+
+
+ Mint
+
+
+
+ Failed
+
+
+
+ Pending
+
+
+
+ Complete
+
+
+
+ Finalised
+
+
+
+ No activity items for the current filter
+
+
+
+ Clear all filters
+
+
+
+
+ ActivityNotificationCommunityBanUnban
+
+ You were <font color='%1'>banned</font> from community
+
+
+
+ You have been <font color='%1'>unbanned</font> from community
+
+
+
+
+ ActivityNotificationCommunityKicked
+
+ You were <font color='%1'>kicked</font> from community
+
+
+
+
+ ActivityNotificationCommunityMembershipRequest
+
+ accepted
+
+
+
+ declined
+
+
+
+ accepted pending
+
+
+
+ declined pending
+
+
+
+ Requested membership in your community <font color='%1'>%2</font>
+
+
+
+
+ ActivityNotificationCommunityRequest
+
+ Request to join <font color='%1'>%2</font>
+
+
+
+ pending
+
+
+
+ accepted
+
+
+
+ declined
+
+
+
+
+ ActivityNotificationCommunityShareAddresses
+
+ %1 requires you to share your Accounts
+
+
+
+ To continue to be a member of %1, you need to share your accounts
+
+
+
+ Share
+
+
+
+
+ ActivityNotificationCommunityTokenReceived
+
+ Learn more
+ Dozvědět se více
+
+
+ Transaction details
+
+
+
+ You received your first community asset
+
+
+
+ You received your first community collectible
+
+
+
+ Tokens received
+
+
+
+ %1 %2 was airdropped to you from the %3 community
+
+
+
+ You were airdropped %1 %2 from %3 to %4
+
+
+
+
+ ActivityNotificationContactRemoved
+
+ Removed you as a contact
+
+
+
+ Send Contact Request
+
+
+
+
+ ActivityNotificationContactRequest
+
+ accepted
+
+
+
+ declined
+
+
+
+ pending
+
+
+
+ Contact request sent to %1 <font color='%2'>%3</font>
+
+
+
+ Contact request <font color='%1'>%2</font>
+
+
+
+
+ ActivityNotificationNewDevice
+
+ More details
+
+
+
+ New device detected
+
+
+
+ New device with %1 profile has been detected.
+
+
+
+ Sync your profile
+
+
+
+ Check your other device for a pairing request.
+
+
+
+
+ ActivityNotificationNewKeypairFromPairedDevice
+
+ View key pair import options
+
+
+
+ New key pair added
+
+
+
+ %1 key pair was added to one of your synced devices
+
+
+
+
+ ActivityNotificationNewsMessage
+
+ Learn more
+ Dozvědět se více
+
+
+
+ ActivityNotificationReply
+
+ sticker
+
+
+
+ emoji
+
+
+
+ transaction
+
+
+
+ image
+
+
+
+ audio
+
+
+
+
+ ActivityNotificationTransferOwnership
+
+ You received the owner token from %1
+
+
+
+ To finalise your ownership of the %1 Community, make your device the control node
+
+
+
+ Finalise ownership
+
+
+
+ Ownership Declined
+
+
+
+ Your device is now the control node for %1
+
+
+
+ Congratulations, you are now the official owner of the %1 Community with full admin rights
+
+
+
+ Community admin
+
+
+
+ %1 smart contract update failed
+
+
+
+ You will need to retry the transaction in order to finalise your ownership of the %1 community
+
+
+
+ Your device is no longer the control node for %1
+
+
+
+ Your ownership and admin rights for %1 have been removed and transferred to the new owner
+
+
+
+
+ ActivityNotificationUnknownGroupChatInvitation
+
+ accepted
+
+
+
+ declined
+
+
+
+ Invitation to an unknown group <font color='%1'>%2</font>
+
+
+
+
+ ActivityPeriodFilterSubMenu
+
+ All time
+
+
+
+ Today
+
+
+
+ Yesterday
+
+
+
+ This week
+
+
+
+ Last week
+
+
+
+ This month
+
+
+
+ Last month
+
+
+
+ Custom range
+
+
+
+
+ ActivityStatusFilterSubMenu
+
+ Failed
+
+
+
+ Pending
+
+
+
+ Complete
+
+
+
+ Finalised
+
+
+
+
+ ActivityTokensFilterSubMenu
+
+ Assets
+
+
+
+ Collectibles
+
+
+
+ No Assets
+
+
+
+ Search asset name
+
+
+
+ No Collectibles
+
+
+
+ Search collectible name
+
+
+
+
+ ActivityTypeFilterSubMenu
+
+ Send
+
+
+
+ Receive
+
+
+
+ Contract Deployment
+
+
+
+ Mint
+
+
+
+ Swap
+
+
+
+ Bridge
+
+
+
+
+ AddAccountPopup
+
+ Edit account
+
+
+
+ Add a new account
+
+
+
+ Removing saved address
+
+
+
+ The account you're trying to add <b>%1</b> is already saved under the name <b>%2</b>.<br/><br/>Do you want to remove it from saved addresses in favour of adding it to the Wallet?
+
+
+
+ Yes
+
+
+
+ No
+
+
+
+ Save changes
+
+
+
+ Add account
+
+
+
+ Continue
+
+
+
+ Reveal recovery phrase
+
+
+
+ Confirm recovery phrase
+
+
+
+
+ AddAccountStore
+
+ Type your own derivation path
+
+
+
+ Custom
+
+
+
+ Ethereum
+
+
+
+ Ethereum (Ledger)
+
+
+
+ Ethereum (Ledger Live/KeepKey)
+
+
+
+
+ AddEditSavedAddressPopup
+
+ Edit saved address
+
+
+
+ Add new saved address
+
+
+
+ You cannot add your own account as a saved address
+
+
+
+ This address is already saved
+
+
+
+ Not registered ens address
+
+
+
+ Please enter an ethereum address
+
+
+
+ Ethereum address invalid
+
+
+
+ This address belongs to a contact
+
+
+
+ This address belongs to the following contacts
+
+
+
+ Address name
+
+
+
+ Name
+
+
+
+ Please name your saved address
+
+
+
+ Name already in use
+
+
+
+ Address
+
+
+
+ Ethereum address
+
+
+
+ Checksum of the entered address is incorrect
+
+
+
+ Colour
+
+
+
+ Save
+
+
+
+ Add address
+
+
+
+
+ AddFavoriteModal
+
+ Favourite added
+
+
+
+ Edit favourite
+
+
+
+ Add favourite
+
+
+
+ URL
+
+
+
+ Paste URL
+
+
+
+ Paste
+
+
+
+ Pasted
+
+
+
+ Name
+
+
+
+ Name of the website
+
+
+
+ Please enter a name
+
+
+
+ Remove
+
+
+
+ Done
+
+
+
+ Add
+
+
+
+ Add Favourite
+
+
+
+
+ AddMoreAccountsLink
+
+ Add accounts to showcase
+
+
+
+
+ AddSocialLinkModal
+
+ Add a link
+
+
+
+ Add %1 link
+
+
+
+ custom
+
+
+
+ Add
+
+
+
+ Custom link
+
+
+
+ Title
+
+
+
+ Invalid title
+
+
+
+ Ttile and link combination already added
+
+
+
+ Username already added
+
+
+
+ Link
+
+
+
+ Username
+
+
+
+ Invalid %1
+
+
+
+ link
+
+
+
+ Title and link combination already added
+
+
+
+
+ AddressDetails
+
+ Already added
+
+
+
+ Activity unknown
+
+
+
+ Scanning for activity...
+
+
+
+ Has activity
+
+
+
+ No activity
+
+
+
+
+ AddressesInputList
+
+ Example: 0x39cf...fbd2
+
+
+
+
+ AddressesSelectorPanel
+
+ ETH addresses
+
+
+
+ %n valid address(s)
+
+
+
+
+
+
+
+ %n invalid
+ invalid addresses, where "addresses" is implicit
+
+
+
+
+
+
+
+ %n invalid address(s)
+
+
+
+
+
+
+
+
+ AdvancedView
+
+ This feature is experimental and is meant for testing purposes by core contributors and the community. It's not meant for real use and makes no claims of security or integrity of funds or data. Use at your own risk.
+
+
+
+ Fleet
+
+
+
+ Chat scrolling
+
+
+
+ Custom
+
+
+
+ System
+
+
+
+ Minimize on close
+
+
+
+ Mainnet data verified by Nimbus
+
+
+
+ Application Logs
+
+
+
+ Experimental features
+
+
+
+ Web/dApp Browser
+
+
+
+ Node Management
+
+
+
+ Archive Protocol Enabled
+
+
+
+ ENS Community Permissions Enabled
+
+
+
+ WakuV2 options
+
+
+
+ Enable creation of sharded communities
+
+
+
+ The account will be logged out. When you login again, the selected mode will be enabled
+
+
+
+ I understand
+
+
+
+ Confirm
+
+
+
+ Light mode
+
+
+
+ Relay mode
+
+
+
+ History nodes
+
+
+
+ Developer features
+
+
+
+ Full developer mode
+
+
+
+ Enable translations
+
+
+
+ Language reset
+
+
+
+ Display language will be switched back to English. You must restart the application for changes to take effect.
+
+
+
+ Restart
+ Restartovat
+
+
+ Download messages
+
+
+
+ Debug
+
+
+
+ The value is overridden with runtime options
+
+
+
+ Auto message
+
+
+
+ Fake loading screen
+
+
+
+ Manage communities on testnet
+
+
+
+ Enable community tokens refreshing
+
+
+
+ How many log files to keep archived
+
+
+
+ RPC statistics
+
+
+
+ Are you sure you want to enable all the developer features? The app will be restarted.
+
+
+
+ Are you sure you want to enable auto message? You need to restart the app for this change to take effect.
+
+
+
+ Are you sure you want to %1 debug mode? You need to restart the app for this change to take effect.
+
+
+
+ disable
+
+
+
+ enable
+
+
+
+ Are you sure you want to %1 Nimbus proxy? You need to restart the app for this change to take effect.
+
+
+
+ How many log files do you want to keep archived?
+
+
+
+ Choose a number between 1 and 100
+
+
+
+ Number of archives files
+
+
+
+ Number between 1 and 100
+
+
+
+ Number needs to be between 1 and 100
+
+
+
+ This change will only come into action after a restart
+
+
+
+ Cancel
+
+
+
+ Change
+
+
+
+
+ AirdropRecipientsSelector
+
+ To
+
+
+
+ Example: 12 addresses and 3 members
+
+
+
+ ∞ recipients
+ infinite number of recipients
+
+
+
+ %n recipient(s)
+
+
+
+
+
+
+
+
+ AirdropTokensSelector
+
+ Example: 1 SOCK
+
+
+
+ What
+
+
+
+ %1 on
+ It means that a given token is deployed 'on' a given network, e.g. '2 MCT on Ethereum'. The name of the network is preceded by an icon, so it is not part of this phrase.
+
+
+
+
+ AirdropsSettingsPanel
+
+ Airdrops
+
+
+
+ New Airdrop
+
+
+
+ Loading tokens...
+
+
+
+ Airdrop community tokens
+
+
+
+ You can mint custom tokens and collectibles for your community
+
+
+
+ Reward individual members with custom tokens for their contribution
+
+
+
+ Incentivise joining, retention, moderation and desired behaviour
+
+
+
+ Require holding a token or NFT to obtain exclusive membership rights
+
+
+
+ Get started
+
+
+
+ Token airdropping can only be performed by admins that hodl the Community's TokenMaster token. If you would like this permission, contact the Community founder (they will need to mint the Community Owner token before they can airdrop this to you).
+
+
+
+ In order to Mint, Import and Airdrop community tokens, you first need to mint your Owner token which will give you permissions to access the token management features for your community.
+
+
+
+ Mint Owner token
+
+
+
+ New airdrop
+
+
+
+
+ AlertPopup
+
+ Cancel
+
+
+
+
+ AmountInput
+
+ Amount exceeds balance
+
+
+
+ Invalid amount format
+
+
+
+ Max %n decimal place(s) for this asset
+
+
+
+
+
+
+
+ Amount must be greater than 0
+
+
+
+ Amount
+
+
+
+
+ AmountToReceive
+
+ Amount Bridged
+
+
+
+ Recipient will get
+
+
+
+
+ AppMain
+
+ "%1" successfully added
+
+
+
+ "%1" successfully removed
+
+
+
+ You successfully renamed your key pair
+from "%1" to "%2"
+
+
+
+ Test network settings for %1 updated
+
+
+
+ Live network settings for %1 updated
+
+
+
+ “%1” key pair and its derived accounts were successfully removed from all devices
+
+
+
+ Please re-generate QR code and try importing again
+
+
+
+ Make sure you're importing the exported key pair on paired device
+
+
+
+ %1 key pair successfully imported
+
+
+
+ %n key pair(s) successfully imported
+
+
+
+
+
+
+
+ unknown
+
+
+
+ View on %1
+
+
+
+ Sending %1 from %2 to %3
+
+
+
+ Registering %1 ENS name using %2
+
+
+
+ Releasing %1 ENS username using %2
+
+
+
+ Setting public key %1 using %2
+
+
+
+ Purchasing %1 sticker pack using %2
+
+
+
+ Bridging %1 from %2 to %3 in %4
+
+
+
+ Setting spending cap: %1 in %2 for %3
+
+
+
+ Sending %1 %2 from %3 to %4
+
+
+
+ Swapping %1 to %2 in %3
+
+
+
+ Minting infinite %1 tokens for %2 using %3
+
+
+
+ Minting %1 %2 tokens for %3 using %4
+
+
+
+ Minting %1 and %2 tokens for %3 using %4
+
+
+
+ Airdropping %1x %2 to %3 using %4
+
+
+
+ Airdropping %1x %2 to %3 addresses using %4
+
+
+
+ Airdropping %1x %2 and %3x %4 to %5 using %6
+
+
+
+ Airdropping %1x %2 and %3x %4 to %5 addresses using %6
+
+
+
+ Airdropping %1 tokens to %2 using %3
+
+
+
+ Destroying %1x %2 at %3 using %4
+
+
+
+ Destroying %1x %2 at %3 addresses using %4
+
+
+
+ Burning %1x %2 for %3 using %4
+
+
+
+ Finalizing ownership for %1 using %2
+
+
+
+ Sent %1 from %2 to %3
+
+
+
+ Registered %1 ENS name using %2
+
+
+
+ Released %1 ENS username using %2
+
+
+
+ Set public key %1 using %2
+
+
+
+ Purchased %1 sticker pack using %2
+
+
+
+ Bridged %1 from %2 to %3 in %4
+
+
+
+ Spending spending cap: %1 in %2 for %3
+
+
+
+ Sent %1 %2 from %3 to %4
+
+
+
+ Swapped %1 to %2 in %3
+
+
+
+ Spending cap set: %1 in %2 for %3
+
+
+
+ Minted infinite %1 tokens for %2 using %3
+
+
+
+ Minted %1 %2 tokens for %3 using %4
+
+
+
+ Minted %1 and %2 tokens for %3 using %4
+
+
+
+ Airdropped %1x %2 to %3 using %4
+
+
+
+ Airdropped %1x %2 to %3 addresses using %4
+
+
+
+ Airdropped %1x %2 and %3x %4 to %5 using %6
+
+
+
+ Airdropped %1x %2 and %3x %4 to %5 addresses using %6
+
+
+
+ Airdropped %1 tokens to %2 using %3
+
+
+
+ Destroyed %1x %2 at %3 using %4
+
+
+
+ Destroyed %1x %2 at %3 addresses using %4
+
+
+
+ Burned %1x %2 for %3 using %4
+
+
+
+ Finalized ownership for %1 using %2
+
+
+
+ Send failed: %1 from %2 to %3
+
+
+
+ ENS username registeration failed: %1 using %2
+
+
+
+ ENS username release failed: %1 using %2
+
+
+
+ Set public key failed: %1 using %2
+
+
+
+ Sticker pack purchase failed: %1 using %2
+
+
+
+ Bridge failed: %1 from %2 to %3 in %4
+
+
+
+ Spending spending failed: %1 in %2 for %3
+
+
+
+ Send failed: %1 %2 from %3 to %4
+
+
+
+ Swap failed: %1 to %2 in %3
+
+
+
+ Spending cap failed: %1 in %2 for %3
+
+
+
+ Mint failed: infinite %1 tokens for %2 using %3
+
+
+
+ Mint failed: %1 %2 tokens for %3 using %4
+
+
+
+ Mint failed: %1 and %2 tokens for %3 using %4
+
+
+
+ Airdrop failed: %1x %2 to %3 using %4
+
+
+
+ Airdrop failed: %1x %2 to %3 addresses using %4
+
+
+
+ Airdrop failed: %1x %2 and %3x %4 to %5 using %6
+
+
+
+ Airdrop failed: %1x %2 and %3x %4 to %5 addresses using %6
+
+
+
+ Airdrop failed: %1 tokens to %2 using %3
+
+
+
+ Destruction failed: %1x %2 at %3 using %4
+
+
+
+ Destruction failed: %1x %2 at %3 addresses using %4
+
+
+
+ Burn failed: %1x %2 for %3 using %4
+
+
+
+ Finalize ownership failed: %1 using %2
+
+
+
+ Unknown error resolving community
+
+
+
+ %1 was banned from %2
+
+
+
+ %1 unbanned from %2
+
+
+
+ %1 was kicked from %2
+
+
+
+ Device paired
+
+
+
+ Sync in process. Keep device powered and app open.
+
+
+
+ This device is now the control node for the %1 Community
+
+
+
+ '%1' community imported
+
+
+
+ Importing community is in progress
+
+
+
+ Failed to import community '%1'
+
+
+
+ Import community '%1' was canceled
+
+
+
+ Invite People
+ Pozvat lidi
+
+
+ Community Info
+
+
+
+ Community Rules
+
+
+
+ Mute Community
+
+
+
+ Unmute Community
+
+
+
+ Mark as read
+
+
+
+ Edit Shared Addresses
+
+
+
+ Close Community
+
+
+
+ Leave Community
+
+
+
+ The import of ‘%1’ from Discord to Status was stopped: <a href='#'>Critical issues found</a>
+
+
+
+ ‘%1’ was successfully imported from Discord to Status
+
+
+
+ Details (%1)
+
+
+
+ %n issue(s)
+
+
+
+
+
+
+
+ Details
+
+
+
+ Importing ‘%1’ from Discord to Status
+
+
+
+ Check progress (%1)
+
+
+
+ Check progress
+
+
+
+ Visit your new channel
+
+
+
+ Visit your Community
+
+
+
+ Can not connect to store node. Retrying automatically
+
+
+
+ Pocket Network (POKT) & Infura are currently both unavailable for %1. Balances for those chains are as of %2.
+
+
+
+ Pocket Network (POKT) connection successful
+
+
+
+ POKT & Infura down. Token balances are as of %1.
+
+
+
+ POKT & Infura down. Token balances cannot be retrieved.
+
+
+
+ POKT & Infura down for <a href='#'>multiple chains </a>. Token balances for those chains cannot be retrieved.
+
+
+
+ POKT & Infura down for %1. %1 token balances are as of %2.
+
+
+
+ POKT & Infura down for %1. %1 token balances cannot be retrieved.
+
+
+
+ Retrying connection to POKT Network (grove.city).
+
+
+
+ Collectibles providers are currently unavailable for %1. Collectibles for those chains are as of %2.
+
+
+
+ Collectibles providers are currently unavailable for %1.
+
+
+
+ Collectibles providers connection successful
+
+
+
+ Collectibles providers down. Collectibles are as of %1.
+
+
+
+ Collectibles providers down. Collectibles cannot be retrieved.
+
+
+
+ Collectibles providers down for <a href='#'>multiple chains</a>. Collectibles for these chains cannot be retrieved.
+
+
+
+ Collectibles providers down for %1. Collectibles for this chain are as of %2.
+
+
+
+ Collectibles providers down for %1. Collectibles for this chain cannot be retrieved.
+
+
+
+ Collectibles providers down for %1. Collectibles for these chains are as of %2.
+
+
+
+ Collectibles providers down for %1. Collectibles for these chains cannot be retrieved.
+
+
+
+ Retrying connection to collectibles providers...
+
+
+
+ CryptoCompare and CoinGecko connection successful
+
+
+
+ CryptoCompare and CoinGecko down. Market values are as of %1.
+
+
+
+ CryptoCompare and CoinGecko down. Market values cannot be retrieved.
+
+
+
+ Retrying connection to CryptoCompare and CoinGecko...
+
+
+
+ Loading sections...
+
+
+
+ Error loading chats, try closing the app and restarting
+
+
+
+ Where do you want to go?
+
+
+
+ adding
+
+
+
+ editing
+
+
+
+ An error occurred while %1 %2 address
+
+
+
+ %1 successfully added to your saved addresses
+
+
+
+ %1 saved address successfully edited
+
+
+
+ An error occurred while removing %1 address
+
+
+
+ %1 was successfully removed from your saved addresses
+
+
+
+
+ AppSearch
+
+ No results
+
+
+
+ Anywhere
+
+
+
+
+ AppearanceView
+
+ Blockchains will drop search costs, causing a kind of decomposition that allows you to have markets of entities that are horizontally segregated and vertically segregated.
+
+
+
+ Text size
+
+
+
+ XS
+
+
+
+ S
+
+
+
+ M
+
+
+
+ L
+
+
+
+ XL
+
+
+
+ XXL
+
+
+
+ Mode
+
+
+
+ Light
+
+
+
+ Dark
+
+
+
+ System
+
+
+
+
+ AssetContextMenu
+
+ Send
+
+
+
+ Receive
+
+
+
+ Swap
+
+
+
+ Manage tokens
+
+
+
+ Hide asset
+
+
+
+ Hide all assets from this community
+
+
+
+
+ AssetSelector
+
+ Select asset
+
+
+
+
+ AssetsDetailView
+
+ Price
+
+
+
+ Market Cap
+
+
+
+ Day Low
+
+
+
+ Day High
+
+
+
+ Hour
+
+
+
+ Day
+
+
+
+ 24 Hours
+
+
+
+ Overview
+
+
+
+ Website
+
+
+
+ Minted by
+
+
+
+ Contract
+
+
+
+ Copy contract address
+
+
+
+
+ AssetsView
+
+ Sort by:
+
+
+
+ Asset balance value
+
+
+
+ Asset balance
+
+
+
+ Asset value
+
+
+
+ 1d change: balance value
+
+
+
+ Asset name
+
+
+
+ Custom order
+
+
+
+ Edit custom order →
+
+
+
+ Create custom order →
+
+
+
+ Community minted
+
+
+
+
+ BackupSeedModal
+
+ I've backed up phrase
+
+
+
+ Continue
+
+
+
+ Done
+
+
+
+
+ BackupSeedphraseIntro
+
+ Your recovery phrase has been created
+
+
+
+ Your recovery phrase is a 12 word passcode to your funds that cannot be recovered if lost. Write it down offline and store it somewhere secure.
+
+
+
+ Backup recovery phrase
+
+
+
+
+ BackupSeedphraseKeepOrDelete
+
+ Keep or delete recovery phrase
+
+
+
+ Decide whether you want to keep the recovery phrase in your Status app for future access or remove it permanently.
+
+
+
+ Permanently remove your recovery phrase from the Status app — you will not be able to view it again
+
+
+
+
+ BackupSeedphraseOutro
+
+ Confirm backup
+
+
+
+ Ensure you have written down your recovery phrase and have a safe place to keep it. Remember, anyone who has your recovery phrase has access to your funds.
+
+
+
+ I understand my recovery phrase will now be removed and I will no longer be able to access it via Status
+
+
+
+ Continue
+
+
+
+
+ BackupSeedphraseReveal
+
+ Show recovery phrase
+
+
+
+ A 12-word phrase that gives full access to your funds and is the only way to recover them.
+
+
+
+ Reveal recovery phrase
+
+
+
+ Never share your recovery phrase. If someone asks for it, they’re likely trying to scam you.
+
+To backup you recovery phrase, write it down and store it securely in a safe place.
+
+
+
+ Confirm recovery phrase
+
+
+
+
+ BackupSeedphraseVerify
+
+ Confirm recovery phrase
+
+
+
+ Confirm these words from your recovery phrase...
+
+
+
+ Empty
+
+
+
+ Correct word
+
+
+
+ Wrong word
+
+
+
+ Continue
+
+
+
+
+ BalanceExceeded
+
+ Balance exceeded
+
+
+
+ No route found
+
+
+
+
+ BannerPicker
+
+ Community banner
+
+
+
+ Choose an image for banner
+
+
+
+ Make this my Community banner
+
+
+
+ Optimal aspect ratio 16:9
+
+
+
+ Upload a community banner
+
+
+
+
+ BlockContactConfirmationDialog
+
+ Block user
+
+
+
+ You will not see %1’s messages but %1 can still see your messages in mutual group chats and communities. %1 will be unable to message you.
+
+
+
+ Blocking a user purges the database of all messages that you’ve previously received from %1 in all contexts. This can take a moment.
+
+
+
+ Remove contact
+
+
+
+ Remove trust mark
+
+
+
+ Cancel
+
+
+
+ Block
+
+
+
+
+ BlockchainExplorersMenu
+
+ View on blockchain explorer
+
+
+
+
+ BloomSelectorButton
+
+ TODO
+
+
+
+
+ BrowserConnectionModal
+
+ '%1' would like to connect to
+
+
+
+ Allowing authorizes this DApp to retrieve your wallet address and enable Web3
+
+
+
+ Granting access authorizes this DApp to retrieve your chat key
+
+
+
+ Unknown permission: %1
+
+
+
+ Deny
+
+
+
+ Allow
+
+
+
+
+ BrowserHeader
+
+ Enter URL
+
+
+
+
+ BrowserLayout
+
+ Error sending the transaction
+
+
+
+ Error signing message
+
+
+
+ Transaction pending...
+
+
+
+ View on etherscan
+
+
+
+ Server's certificate not trusted
+
+
+
+ Do you wish to continue?
+
+
+
+ If you wish so, you may continue with an unverified certificate. Accepting an unverified certificate means you may not be connected with the host you tried to connect to.
+Do you wish to override the security check and continue?
+
+
+
+
+ BrowserSettingsMenu
+
+ New Tab
+
+
+
+ Exit Incognito mode
+
+
+
+ Go Incognito
+
+
+
+ Zoom In
+
+
+
+ Zoom Out
+
+
+
+ Zoom Fit
+
+
+
+ Find
+
+
+
+ Compatibility mode
+
+
+
+ Developer Tools
+
+
+
+ Settings
+ Nastavení
+
+
+
+ BrowserTabView
+
+ Start Page
+
+
+
+ New Tab
+
+
+
+ Downloads Page
+
+
+
+
+ BrowserView
+
+ Search engine used in the address bar
+
+
+
+ None
+
+
+
+ Show Favorites Bar
+
+
+
+
+ BrowserWalletMenu
+
+ Mainnet
+
+
+
+ Ropsten
+
+
+
+ Unknown
+
+
+
+ Disconnect
+
+
+
+ Assets
+
+
+
+ History
+
+
+
+
+ BrowserWebEngineView
+
+ Add Favourite
+
+
+
+
+ BurnTokensPopup
+
+ Burn %1 token on %2
+
+
+
+ How many of %1’s remaining %Ln %2 token(s) would you like to burn?
+
+
+
+
+
+
+
+ How many of %1’s remaining %2 %3 tokens would you like to burn?
+
+
+
+ Specific amount
+
+
+
+ Enter amount
+
+
+
+ Exceeds available remaining
+
+
+
+ All available remaining (%1)
+
+
+
+ Show fees (will be enabled once the form is filled)
+
+
+
+ Choose number of tokens to burn to see gas fees
+
+
+
+ Burn %1 tokens
+
+
+
+ %1 %2 remaining in smart contract
+
+
+
+ Cancel
+
+
+
+ Burn tokens
+
+
+
+
+ BuyCryptoModal
+
+ Buy via %1
+
+
+
+ Ways to buy %1 for %2
+
+
+
+ Ways to buy assets for %1
+
+
+
+ Done
+
+
+
+
+ BuyCryptoProvidersListPanel
+
+ One time
+
+
+
+ Recurrent
+
+
+
+
+ BuyReceiveBanner
+
+ Ways to buy
+
+
+
+ Via card or bank
+
+
+
+ Receive
+
+
+
+ Deposit to your Wallet
+
+
+
+
+ ChangePasswordView
+
+ Biometric login and transaction authentication enabled for this device
+
+
+
+ Failed to enable biometric login and transaction authentication for this device
+
+
+
+ Enable biometrics
+
+
+
+ Biometric login and transaction authentication
+
+
+
+ Disable biometrics
+
+
+
+ Do you want to enable biometrics for login and transaction authentication?
+
+
+
+ Are you sure you want to disable biometrics for login and transaction authentication?
+
+
+
+ Cancel
+
+
+
+ Yes, enable biometrics
+
+
+
+ Yes, disable biometrics
+
+
+
+ Biometric login and transaction authentication disabled for this device
+
+
+
+ Failed to disable biometric login and transaction authentication for this device
+
+
+
+ Change your password
+
+
+
+ Clear & cancel
+
+
+
+ Change password
+
+
+
+
+ ChannelIdentifierView
+
+ Welcome to the beginning of the <span style='color: %1'>%2</span> group!
+
+
+
+ Welcome to the beginning of the <span style='color: %1'>#%2</span> channel!
+
+
+
+ Any messages you send here are encrypted and can only be read by you and <span style='color: %1'>%2</span>
+
+
+
+
+ ChannelsAndCategoriesBannerPanel
+
+ Expand your community by adding more channels and categories
+
+
+
+ Add channels
+
+
+
+ Add categories
+
+
+
+
+ ChartDataBase
+
+ 7D
+
+
+
+ 1M
+
+
+
+ 6M
+
+
+
+ 1Y
+
+
+
+ ALL
+
+
+
+
+ ChatAnchorButtonsPanel
+
+ 99+
+
+
+
+
+ ChatColumnView
+
+ Link previews will be shown for all sites. You can manage link previews in %1.
+ Go to settings
+
+
+
+ Settings
+ Go to settings page
+ Nastavení
+
+
+ Link previews will never be shown. You can manage link previews in %1.
+
+
+
+ Link previews will be shown for this message. You can manage link previews in %1.
+
+
+
+ This user has been blocked.
+
+
+
+ You need to join this community to send messages
+
+
+
+ Sorry, you don't have permissions to post in this channel.
+
+
+
+ Sending...
+
+
+
+ Unblock
+
+
+
+
+ ChatContentView
+
+ Blocked
+
+
+
+
+ ChatContextMenuView
+
+ Add / remove from group
+
+
+
+ Add to group
+
+
+
+ Copy channel link
+
+
+
+ Edit name and image
+
+
+
+ Unmute Channel
+
+
+
+ Unmute Chat
+
+
+
+ Mark as Read
+
+
+
+ Edit Channel
+
+
+
+ Debug actions
+
+
+
+ Copy channel ID
+
+
+
+ Copy chat ID
+
+
+
+ Fetch messages
+
+
+
+ Download
+
+
+
+ Clear History
+
+
+
+ Delete Channel
+
+
+
+ Leave group
+
+
+
+ Close Chat
+
+
+
+ Leave Chat
+
+
+
+ Save
+
+
+
+ Download messages
+
+
+
+ Clear chat history
+
+
+
+ Are you sure you want to clear your chat history with <b>%1</b>? All messages will be deleted on your side and will be unrecoverable.
+
+
+
+ Are you sure you want to leave group chat <b>%1</b>?
+
+
+
+ Leave
+
+
+
+ Delete #%1
+
+
+
+ Close chat
+
+
+
+ Leave chat
+
+
+
+ Delete
+
+
+
+ Are you sure you want to delete #%1 channel?
+
+
+
+ Are you sure you want to close this chat? This will remove the chat from the list. Your chat history will be retained and shown the next time you message each other.
+
+
+
+ Are you sure you want to leave this chat?
+
+
+
+
+ ChatHeaderContentView
+
+ Search
+
+
+
+ Members
+
+
+
+ More
+
+
+
+ %n member(s)
+
+
+
+
+
+
+
+
+ ChatMessagesView
+
+ Send Contact Request
+
+
+
+ Reject Contact Request
+
+
+
+ Accept Contact Request
+
+
+
+ Contact Request Pending...
+
+
+
+
+ ChatPermissionQualificationPanel
+
+ To post, hold
+
+
+
+ or
+ nebo
+
+
+
+ ChatRequestMessagePanel
+
+ You need to be mutual contacts with this person for them to receive your messages
+
+
+
+ Just click this button to add them as contact. They will receive a notification. Once they accept the request, you'll be able to chat
+
+
+
+ Add to contacts
+
+
+
+
+ ChatView
+
+ Members
+
+
+
+
+ ChatsLoadingPanel
+
+ Loading chats...
+
+
+
+
+ ChooseBrowserPopup
+
+ Choose browser
+
+
+
+ Open in Status
+
+
+
+ Open in my default browser
+
+
+
+ Remember my choice. To override it, go to Settings.
+
+
+
+
+ CollectibleDetailView
+
+ Unknown
+
+
+
+ Minted by %1
+
+
+
+ Properties
+
+
+
+ Traits
+
+
+
+ Links
+
+
+
+ Activity will appear here
+
+
+
+ Opensea
+
+
+
+ Twitter
+
+
+
+
+ CollectibleDetailsHeader
+
+ Community address copied
+
+
+
+ Community %1
+
+
+
+ Community name could not be fetched
+
+
+
+ Unknown community
+
+
+
+
+ CollectibleMedia
+
+ Unsupported
+file format
+
+
+
+
+ CollectiblesHeader
+
+ Maximum number of collectibles to display reached
+
+
+
+
+ CollectiblesNotSupportedTag
+
+ and
+
+
+
+ Displaying collectibles on %1 is not currently supported by Status.
+
+
+
+
+ CollectiblesStore
+
+ %1 community collectibles successfully hidden
+
+
+
+ %1 is now visible
+
+
+
+ %1 community collectibles are now visible
+
+
+
+
+ CollectiblesView
+
+ Loading collectible...
+
+
+
+ Sort by:
+
+
+
+ Date added
+
+
+
+ Collectible name
+
+
+
+ Collection/community name
+
+
+
+ Custom order
+
+
+
+ Edit custom order →
+
+
+
+ Create custom order →
+
+
+
+ Clear filter
+
+
+
+ Collectibles will appear here
+
+
+
+ Community minted
+
+
+
+ Others
+
+
+
+ Send
+
+
+
+ Receive
+
+
+
+ Manage tokens
+
+
+
+ Hide collectible
+
+
+
+ Hide all collectibles from this community
+
+
+
+ What are community collectibles?
+
+
+
+ Community collectibles are collectibles that have been minted by a community. As these collectibles cannot be verified, always double check their origin and validity before interacting with them. If in doubt, ask a trusted member or admin of the relevant community.
+
+
+
+ Hide '%1' collectibles
+
+
+
+ Hide %1 community collectibles
+
+
+
+ Are you sure you want to hide all community collectibles minted by %1? You will no longer see or be able to interact with these collectibles anywhere inside Status.
+
+
+
+ %1 community collectibles were successfully hidden. You can toggle collectible visibility via %2.
+
+
+
+ Settings
+ Go to Settings
+ Nastavení
+
+
+
+ ColorPanel
+
+ Community Colour
+
+
+
+ Select Community Colour
+
+
+
+ This is not a valid colour
+
+
+
+ Preview
+
+
+
+ White text should be legible on top of this colour
+
+
+
+ Standard colours
+
+
+
+
+ ColorPicker
+
+ Community colour
+
+
+
+
+ ColumnHeaderPanel
+
+ %n member(s)
+
+
+
+
+
+
+
+ Start chat
+
+
+
+
+ CommunitiesGridView
+
+ Featured
+ Featured communities
+
+
+
+ All
+ All communities
+
+
+
+ No communities found
+
+
+
+
+ CommunitiesListPanel
+
+ %n member(s)
+
+ %n člen
+ %n členové
+ %n členů
+
+
+
+ Membership Request Sent
+ Žádost o členství odeslána
+
+
+ View & Join Community
+ Zobrazit a připojit se ke komunitě
+
+
+ Community Admin
+ Správa komunity
+
+
+ Unmute Community
+ Zrušit ztlumení
+
+
+ Mute Community
+ Ztlumit komunitu
+
+
+ Invite People
+ Pozvat lidi
+
+
+ Edit Shared Addresses
+ Upravit sdílené adresy
+
+
+ Cancel Membership Request
+ Zrušit členský požadavek
+
+
+ Close Community
+ Zavřít komunitu
+
+
+ Leave Community
+ Opustit komunitu
+
+
+
+ CommunitiesPortalLayout
+
+ Discover Communities
+
+
+
+ Join Community
+
+
+
+ Create New Community
+
+
+
+ Create new community
+
+
+
+ Create a new Status community
+
+
+
+ Create new
+
+
+
+ '%1' import in progress...
+
+
+
+ Import existing Discord community into Status
+
+
+
+ Import existing
+
+
+
+ Your current import must be finished or cancelled before a new import can be started.
+
+
+
+
+ CommunitiesView
+
+ Import community
+
+
+
+ Discover your Communities
+
+
+
+ Explore and see what communities are trending
+
+
+
+ Discover
+
+
+
+ Owner
+
+
+
+ TokenMaster
+
+
+
+ Admin
+
+
+
+ Member
+
+
+
+ Pending
+
+
+
+
+ CommunityAssetsInfoPopup
+
+ What are community assets?
+
+
+
+ Community assets are assets that have been minted by a community. As these assets cannot be verified, always double check their origin and validity before interacting with them. If in doubt, ask a trusted member or admin of the relevant community.
+
+
+
+
+ CommunityBannedMemberCenterPanel
+
+ You've been banned from <b>%1<b>
+
+
+
+
+ CommunityColumnView
+
+ Create channel
+
+
+
+ Create category
+
+
+
+ Invite people
+
+
+
+ Mute category
+
+
+
+ Unmute category
+
+
+
+ Edit Category
+
+
+
+ Delete Category
+
+
+
+ Delete '%1' category
+
+
+
+ Are you sure you want to delete '%1' category? Channels inside the category won't be deleted.
+
+
+
+ Create channel or category
+
+
+
+ You were banned from community
+
+
+
+ Membership request pending...
+
+
+
+ Request to join
+
+
+
+ Join Community
+
+
+
+ Request to join failed
+
+
+
+ Please try again later
+
+
+
+ Finalise community ownership
+
+
+
+ To join, finalise community ownership
+
+
+
+ Error deleting the category
+
+
+
+
+ CommunityInfoPanel
+
+ %1 Owner token
+
+
+
+ %1 TokenMaster token
+
+
+
+
+ CommunityMemberMessagesPopup
+
+ %1 messages
+
+
+
+ %n message(s)
+
+
+
+
+
+
+
+ No messages
+
+
+
+ Delete all messages by %1
+
+
+
+ Done
+
+
+
+
+ CommunityMembershipSetupDialog
+
+ Request to join %1
+
+
+
+ Welcome to %1
+
+
+
+ Requirements check pending
+
+
+
+ Checking permissions to join failed
+
+
+
+ Cancel Membership Request
+
+
+
+ Share all addresses to join
+
+
+
+ Share %n address(s) to join
+
+
+
+
+
+
+
+ Select addresses to share
+
+
+
+ Community <b>%1</b> has no intro message...
+
+
+
+
+ CommunityProfilePopup
+
+ Public community
+
+
+
+ Invitation only community
+
+
+
+ On request community
+
+
+
+ Unknown community
+
+
+
+
+ CommunityRulesPopup
+
+ %1 community rules
+ Pravidla komunity %1
+
+
+ Done
+ Hotovo
+
+
+
+ CommunitySettingsView
+
+ %n member(s)
+
+ %n člen
+ %n členové
+ %n členů
+
+
+
+ Back to community
+ Zpět na komunitu
+
+
+ Overview
+ Přehled
+
+
+ Members
+ Členové
+
+
+ Permissions
+ Oprávnění
+
+
+ Tokens
+ Tokeny
+
+
+ Airdrops
+ Airdropy
+
+
+ Error editing the community
+ Chyba při editaci komunity
+
+
+
+ CommunityTokenView
+
+ Mint asset on %1
+
+
+
+ Mint collectible on %1
+
+
+
+ Asset is being minted
+
+
+
+ Collectible is being minted
+
+
+
+ Asset minting failed
+
+
+
+ Collectible minting failed
+
+
+
+ Review token details before minting it as they can't be edited later
+
+
+
+ Mint
+
+
+
+ Loading token holders...
+
+
+
+
+ ConfirmAddingNewMasterKey
+
+ Secure Your Assets and Funds
+
+
+
+ Your recovery phrase is a 12-word passcode to your funds.<br/><br/>Your recovery phrase cannot be recovered if lost. Therefore, you <b>must</b> back it up. The simplest way is to <b>write it down offline and store it somewhere secure.</b>
+
+
+
+ I have a pen and paper
+
+
+
+ I am ready to write down my recovery phrase
+
+
+
+ I know where I’ll store it
+
+
+
+ You can only complete this process once. Status will not store your recovery phrase and can never help you recover it.
+
+
+
+
+ ConfirmAppRestartModal
+
+ Application Restart
+
+
+
+ Please restart the application to apply the changes.
+
+
+
+ Restart
+ Restartovat
+
+
+
+ ConfirmChangePasswordModal
+
+ Your data must now be re-encrypted with your new password. This process may take some time, during which you won’t be able to interact with the app. Do not quit the app or turn off your device. Doing so will lead to data corruption, loss of your Status profile and the inability to restart Status.
+
+
+
+ Re-encryption complete
+
+
+
+ Re-encrypting your data with your new password...
+
+
+
+ Restart Status and log in using your new password
+
+
+
+ Do not quit the app or turn off your device
+
+
+
+ Change password
+
+
+
+ Cancel
+
+
+
+ Re-encrypt data using new password
+
+
+
+ Restart Status
+
+
+
+
+ ConfirmExternalLinkPopup
+
+ Before you go
+
+
+
+ This link is taking you to the following site. Be careful to double check the URL before you go.
+
+
+
+ Trust <b>%1</b> links from now on
+
+
+
+ Cancel
+
+
+
+ Visit site
+
+
+
+
+ ConfirmHideAssetPopup
+
+ Hide asset
+
+
+
+ Hide %1 (%2)
+
+
+
+ Are you sure you want to hide %1 (%2)? You will no longer see or be able to interact with this asset anywhere inside Status.
+
+
+
+
+ ConfirmHideCommunityAssetsPopup
+
+ Hide '%1' assets
+
+
+
+ Hide %1 community assets
+
+
+
+ Are you sure you want to hide all community assets minted by %1? You will no longer see or be able to interact with these assets anywhere inside Status.
+
+
+
+
+ ConfirmSeedPhraseBackup
+
+ Step 4 of 4
+
+
+
+ Complete back up
+
+
+
+ Store Your Phrase Offline and Complete Your Back Up
+
+
+
+ By completing this process, you will remove your recovery phrase from this application’s storage. This makes your funds more secure.
+
+You will remain logged in, and your recovery phrase will be entirely in your hands.
+
+
+
+ I acknowledge that Status will not be able to show me my recovery phrase again.
+
+
+
+
+ ConfirmationDialog
+
+ Confirm
+
+
+
+ Reject
+
+
+
+ Cancel
+
+
+
+ Are you sure you want to do this?
+
+
+
+ Confirm your action
+
+
+
+ Do not show this again
+
+
+
+
+ ConfirmationPopup
+
+ Enable Tenor GIFs?
+
+
+
+ Once enabled, GIFs posted in the chat may share your metadata with Tenor.
+
+
+
+ Enable
+
+
+
+
+ ConnectDAppModal
+
+ dApp connected
+
+
+
+ Connection request
+
+
+
+ Reject
+
+
+
+ Disconnect
+
+
+
+ Close
+
+
+
+ Connect
+
+
+
+
+ ConnectionStatusTag
+
+ Connected. You can now go back to the dApp.
+
+
+
+ Error connecting to dApp. Close and try again
+
+
+
+
+ ConnectionWarnings
+
+ Retry now
+
+
+
+
+ Constants
+
+ Key pair starting with whitespace are not allowed
+
+
+
+ Key pair must be at least %n character(s)
+
+
+
+
+
+
+
+ Only letters and numbers allowed
+
+
+
+ Only letters, numbers, underscores, periods, whitespaces and hyphens allowed
+
+
+
+ Invalid characters (A-Z and 0-9, single whitespace, hyphens and underscores only)
+
+
+
+ Only letters, numbers, underscores, periods, commas, whitespaces and hyphens allowed
+
+
+
+ Special characters are not allowed
+
+
+
+ Only letters, numbers and ASCII characters allowed
+
+
+
+ Name is too cool (use A-Z and 0-9, single whitespace, hyphens and underscores only)
+
+
+
+ Whole numbers only
+
+
+
+ Positive real numbers only
+
+
+
+ How to display the QR code on your other device
+
+
+
+ How to copy the encrypted key from your other device
+
+
+
+ Limit of 20 accounts reached
+
+
+
+ Remove any account to add a new one.
+
+
+
+ Limit of 5 key pairs reached
+
+
+
+ Remove key pair to add a new one.
+
+
+
+ Limit of 3 watched addresses reached
+
+
+
+ Remove a watched address to add a new one.
+
+
+
+ Limit of 20 saved addresses reached
+
+
+
+ Remove a saved address to add a new one.
+
+
+
+ Username already taken :(
+
+
+
+ Username doesn’t belong to you :(
+
+
+
+ Continuing will connect this username with your chat key.
+
+
+
+ ✓ Username available!
+
+
+
+ Username is already connected with your chat key and can be used inside Status.
+
+
+
+ This user name is owned by you and connected with your chat key. Continue to set `Show my ENS username in chats`.
+
+
+
+ Continuing will require a transaction to connect the username with your current chat key.
+
+
+
+
+ ContactPanel
+
+ Send message
+
+
+
+ Reject
+
+
+
+ Decline Request
+
+
+
+ Accept
+
+
+
+ Accept Request
+
+
+
+ Remove Rejection
+
+
+
+
+ ContactRequestCta
+
+ Accepted
+
+
+
+ Pending
+
+
+
+ Declined & Blocked
+
+
+
+ Declined
+
+
+
+
+ ContactsColumnView
+
+ Messages
+
+
+
+ Start chat
+
+
+
+
+ ContactsListPanel
+
+ Contact Request Sent
+
+
+
+
+ ContactsStore
+
+ Nickname for %1 removed
+
+
+
+ Nickname for %1 changed
+
+
+
+ Nickname for %1 added
+
+
+
+ Contact request sent
+
+
+
+
+ ContactsView
+
+ Send contact request to chat key
+
+
+
+ Contacts
+ Kontakty
+
+
+ Pending Requests
+
+
+
+ Dismissed Requests
+
+
+
+ Blocked
+
+
+
+ Search by name or chat key
+
+
+
+ Trusted Contacts
+
+
+
+ Received
+
+
+
+ Sent
+
+
+
+
+ ContextCard
+
+ Connect with
+
+
+
+ On
+
+
+
+
+ ContractInfoButtonWithMenu
+
+ View %1 %2 contract address on %3
+ e.g. "View Optimism (DAI) contract address on Optimistic"
+
+
+
+ View %1 contract address on %2
+
+
+
+ Copy contract address
+
+
+
+ Copied
+
+
+
+
+ ControlNodeOfflineCenterPanel
+
+ %1 will be right back!
+
+
+
+ You will automatically re-enter the community and be able to view and post as normal as soon as the community’s control node comes back online.
+
+
+
+
+ Controller
+
+ Please enter numbers only
+
+
+
+ Account number must be <100
+
+
+
+ Non-Ethereum cointype
+
+
+
+
+ ConvertKeycardAccountAcksPage
+
+ Are you sure you want to migrate this profile keypair to Status?
+
+
+
+ This profile and its accounts will be less secure, as Keycard will no longer be required to transact or login.
+
+
+
+ Your data will also be re-encrypted, restricting access to Status for up to 30 mins. Do you wish to continue?
+
+
+
+ Continue
+
+
+
+
+ ConvertKeycardAccountPage
+
+ Re-encrypting your profile data
+
+
+
+ Your data must be re-encrypted with your new password which may take some time.
+
+
+
+ Re-encryption complete
+
+
+
+ Your data was successfully re-encrypted with your new password. You can now restart Status and log in to your profile using the password you just created.
+
+
+
+ Re-encryption failed
+
+
+
+ Do not quit Status or turn off your device. Doing so will lead to loss of profile and inability to restart the app.
+
+
+
+ Restart Status and log in with new password
+
+
+
+ Back to login
+
+
+
+
+ CopyToClipBoardButton
+
+ Copied!
+
+
+
+
+ CountdownPill
+
+ Expired
+
+
+
+ %1d
+ x days
+
+
+
+ %1h
+ x hours
+
+
+
+ %n min(s)
+
+
+
+
+
+
+
+ %1m
+ x minutes
+
+
+
+ %n sec(s)
+
+
+
+
+
+
+
+ Expired on: %1
+
+
+
+ Expires on: %1
+
+
+
+
+ CreateCategoryPopup
+
+ Edit category
+
+
+
+ New category
+
+
+
+ Category title
+
+
+
+ Name the category
+
+
+
+ category name
+
+
+
+ Channels
+
+
+
+ Delete Category
+
+
+
+ Save
+
+
+
+ Create
+
+
+
+ Error editing the category
+
+
+
+ Error creating the category
+
+
+
+
+ CreateChannelPopup
+
+ Save changes to #%1 channel?
+
+
+
+ You have made changes to #%1 channel. If you close this dialog without saving these changes will be lost?
+
+
+
+ Save changes
+
+
+
+ Close without saving
+
+
+
+ New Channel With Imported Chat History
+
+
+
+ Edit #%1
+
+
+
+ New channel
+
+
+
+ Set channel color
+
+
+
+ Import chat history
+
+
+
+ Create channel
+
+
+
+ Clear all
+
+
+
+ Delete channel
+
+
+
+ Proceed with (%1/%2) files
+
+
+
+ Validate %n file(s)
+
+
+
+
+
+
+
+ Validate (%1/%2) files
+
+
+
+ Start channel import
+
+
+
+ Select Discord channel JSON files to import
+
+
+
+ Some of your community files cannot be used
+
+
+
+ Uncheck any files you would like to exclude from the import
+
+
+
+ (JSON file format only)
+
+
+
+ Browse files
+
+
+
+ Export the Discord channel’s chat history data using %1
+
+
+
+ Refer to this <a href='https://github.com/Tyrrrz/DiscordChatExporter/blob/master/.docs/Readme.md'>documentation</a> if you have any queries
+
+
+
+ Choose files to import
+
+
+
+ JSON files (%1)
+
+
+
+ Select the chat history you would like to import into #%1...
+
+
+
+ Import all history
+
+
+
+ Start date
+
+
+
+ Channel name
+
+
+
+ # Name the channel
+
+
+
+ channel name
+
+
+
+ Channel colour
+
+
+
+ Pick a colour
+
+
+
+ Description
+
+
+
+ Describe the channel
+
+
+
+ channel description
+
+
+
+ Hide channel from members who don't have permissions to view the channel
+
+
+
+ Permissions
+
+
+
+ Add permission
+
+
+
+ Channel Colour
+
+
+
+ Select Channel Colour
+
+
+
+ Update permission
+
+
+
+ Create permission
+
+
+
+ Edit #%1 permission
+
+
+
+ New #%1 permission
+
+
+
+ Revert changes
+
+
+
+ Error creating the channel
+
+
+
+
+ CreateChatView
+
+ Contacts
+ Kontakty
+
+
+ You can only send direct messages to your Contacts.
+
+Send a contact request to the person you would like to chat with, you will be able to chat with them once they have accepted your contact request.
+
+
+
+
+ CreateCommunityPopup
+
+ Import a community from Discord into Status
+
+
+
+ Create New Community
+
+
+
+ Next
+
+
+
+ Start Discord import
+
+
+
+ Create Community
+
+
+
+ Clear all
+
+
+
+ Proceed with (%1/%2) files
+
+
+
+ Validate (%1/%2) files
+
+
+
+ Import files
+
+
+
+ Select Discord JSON files to import
+
+
+
+ Some of your community files cannot be used
+
+
+
+ Uncheck any files you would like to exclude from the import
+
+
+
+ (JSON file format only)
+
+
+
+ Browse files
+
+
+
+ Export your Discord JSON data using %1
+
+
+
+ Refer to this <a href='https://github.com/Tyrrrz/DiscordChatExporter/blob/master/.docs/Readme.md'>documentation</a> if you have any queries
+
+
+
+ Choose files to import
+
+
+
+ JSON files (%1)
+
+
+
+ Please select the categories and channels you would like to import
+
+
+
+ Import all history
+
+
+
+ Start date
+
+
+
+ Name your community
+
+
+
+ Give it a short description
+
+
+
+ Community introduction and rules (you can edit this later)
+
+
+
+ Error creating the community
+
+
+
+
+ CreateKeycardProfilePage
+
+ Create profile on empty Keycard
+
+
+
+ You will require your Keycard to log in to Status and sign transactions
+
+
+
+ Use a new recovery phrase
+
+
+
+ To create your Keycard-stored profile
+
+
+
+ Let's go!
+
+
+
+ Use an existing recovery phrase
+
+
+
+
+ CreatePasswordPage
+
+ Create profile password
+
+
+
+ This password can’t be recovered
+
+
+
+ Confirm password
+
+
+
+ Got it
+
+
+
+ Your Status keys are the foundation of your self-sovereign identity in Web3. You have complete control over these keys, which you can use to sign transactions, access your data, and interact with Web3 services.
+
+Your keys are always securely stored on your device and protected by your Status profile password. Status doesn't know your password and can't reset it for you. If you forget your password, you may lose access to your Status profile and wallet funds.
+
+Remember your password and don't share it with anyone.
+
+
+
+
+ CreateProfilePage
+
+ Create profile
+ Vytvořit profil
+
+
+ How would you like to start using Status?
+
+
+
+ Start fresh
+
+
+
+ Create a new profile from scratch
+
+
+
+ Let’s go!
+
+
+
+ Use a recovery phrase
+
+
+
+ If you already have an Ethereum wallet
+
+
+
+ Use an empty Keycard
+
+
+
+ Store your new profile keys on Keycard
+
+
+
+
+ CurrenciesModel
+
+ US Dollars
+
+
+
+ British Pound
+
+
+
+ Euros
+
+
+
+ Russian ruble
+
+
+
+ South Korean won
+
+
+
+ Ethereum
+
+
+
+ Tokens
+
+
+
+ Bitcoin
+
+
+
+ Status Network Token
+
+
+
+ Dai
+
+
+
+ United Arab Emirates dirham
+
+
+
+ Other Fiat
+
+
+
+ Afghan afghani
+
+
+
+ Argentine peso
+
+
+
+ Australian dollar
+
+
+
+ Barbadian dollar
+
+
+
+ Bangladeshi taka
+
+
+
+ Bulgarian lev
+
+
+
+ Bahraini dinar
+
+
+
+ Brunei dollar
+
+
+
+ Bolivian boliviano
+
+
+
+ Brazillian real
+
+
+
+ Bhutanese ngultrum
+
+
+
+ Canadian dollar
+
+
+
+ Swiss franc
+
+
+
+ Chilean peso
+
+
+
+ Chinese yuan
+
+
+
+ Colombian peso
+
+
+
+ Costa Rican colón
+
+
+
+ Czech koruna
+
+
+
+ Danish krone
+
+
+
+ Dominican peso
+
+
+
+ Egyptian pound
+
+
+
+ Ethiopian birr
+
+
+
+ Georgian lari
+
+
+
+ Ghanaian cedi
+
+
+
+ Hong Kong dollar
+
+
+
+ Croatian kuna
+
+
+
+ Hungarian forint
+
+
+
+ Indonesian rupiah
+
+
+
+ Israeli new shekel
+
+
+
+ Indian rupee
+
+
+
+ Icelandic króna
+
+
+
+ Jamaican dollar
+
+
+
+ Japanese yen
+
+
+
+ Kenyan shilling
+
+
+
+ Kuwaiti dinar
+
+
+
+ Kazakhstani tenge
+
+
+
+ Sri Lankan rupee
+
+
+
+ Moroccan dirham
+
+
+
+ Moldovan leu
+
+
+
+ Mauritian rupee
+
+
+
+ Malawian kwacha
+
+
+
+ Mexican peso
+
+
+
+ Malaysian ringgit
+
+
+
+ Mozambican metical
+
+
+
+ Namibian dollar
+
+
+
+ Nigerian naira
+
+
+
+ Norwegian krone
+
+
+
+ Nepalese rupee
+
+
+
+ New Zealand dollar
+
+
+
+ Omani rial
+
+
+
+ Peruvian sol
+
+
+
+ Papua New Guinean kina
+
+
+
+ Philippine peso
+
+
+
+ Pakistani rupee
+
+
+
+ Polish złoty
+
+
+
+ Paraguayan guaraní
+
+
+
+ Qatari riyal
+
+
+
+ Romanian leu
+
+
+
+ Serbian dinar
+
+
+
+ Saudi riyal
+
+
+
+ Swedish krona
+
+
+
+ Singapore dollar
+
+
+
+ Thai baht
+
+
+
+ Trinidad and Tobago dollar
+
+
+
+ New Taiwan dollar
+
+
+
+ Tanzanian shilling
+
+
+
+ Turkish lira
+
+
+
+ Ukrainian hryvnia
+
+
+
+ Ugandan shilling
+
+
+
+ Uruguayan peso
+
+
+
+ Venezuelan bolívar
+
+
+
+ Vietnamese đồng
+
+
+
+ South African rand
+
+
+
+
+ CurrenciesStore
+
+ N/A
+ N/A
+
+
+
+ DAppConfirmDisconnectPopup
+
+ Are you sure you want to disconnect %1 from all accounts?
+
+
+
+ Disconnect %1
+
+
+
+ Cancel
+
+
+
+ Disconnect dApp
+
+
+
+
+ DAppDelegate
+
+ Disconnect dApp
+
+
+
+
+ DAppSignRequestModal
+
+ Sign Request
+
+
+
+ %1 wants you to sign this transaction with %2
+
+
+
+ %1 wants you to sign this message with %2
+
+
+
+ Only sign if you trust the dApp
+
+
+
+ Insufficient funds for transaction
+
+
+
+ Max fees:
+
+
+
+ No fees
+
+
+
+ Est. time:
+
+
+
+ Sign with
+
+
+
+ Network
+
+
+
+ Fees
+
+
+
+ Max. fees on %1
+
+
+
+
+ DAppsListPopup
+
+ Connected dApps will appear here
+
+
+
+ Connected dApps
+
+
+
+ Connect a dApp
+
+
+
+
+ DAppsService
+
+ Connected to %1 via %2
+
+
+
+ Disconnected from %1
+
+
+
+ Connection request for %1 was rejected
+
+
+
+ Failed to reject connection request for %1
+
+
+
+ Fail to %1 from %2
+
+
+
+ accepted
+
+
+
+ rejected
+
+
+
+
+ DAppsUriCopyInstructionsPopup
+
+ How to copy the dApp URI
+
+
+
+ Navigate to a dApp with WalletConnect support
+
+
+
+ Click the
+
+
+
+ Connect
+
+
+
+ or
+
+
+
+ Connect wallet
+
+
+
+ button
+
+
+
+ Select
+
+
+
+ WalletConnect
+
+
+
+ from the menu
+
+
+
+ Head back to Status and paste the URI
+
+
+
+
+ DAppsWorkflow
+
+ Connect a dApp
+
+
+
+ Cancel
+
+
+
+ How would you like to connect?
+
+
+
+
+ DappsComboBox
+
+ dApp connections
+
+
+
+
+ DeactivateNetworkPopup
+
+ Disable %1 network
+
+
+
+ Balances stored on this network will not be visible in the Wallet. Your funds will be safe and you can always enable the network again.
+
+
+
+ Disable %1
+
+
+
+
+ DefaultDAppExplorerView
+
+ Default DApp explorer
+
+
+
+ None
+
+
+
+
+ DeleteMessageConfirmationPopup
+
+ Confirm deleting this message
+
+
+
+ Are you sure you want to delete this message? Be aware that other clients are not guaranteed to delete the message as well.
+
+
+
+
+ DerivationPath
+
+ Derivation Path
+
+
+
+ Reset
+
+
+
+ Account
+
+
+
+ Select address
+
+
+
+ I understand that this non-Ethereum derivation path is incompatible with Keycard
+
+
+
+
+ DerivationPathDisplay
+
+ Derivation Path
+
+
+
+ Account
+
+
+
+
+ DerivationPathSection
+
+ Derivation path
+
+
+
+ (advanced)
+
+
+
+ Edit
+
+
+
+
+ DescriptionInput
+
+ Description
+
+
+
+ What your community is about
+
+
+
+ community description
+
+
+
+
+ DetailsView
+
+ Configure your Keycard
+
+
+
+ Rename Keycard
+
+
+
+ Change PIN
+
+
+
+ Create a backup copy of this Keycard
+
+
+
+ Stop using Keycard for this key pair
+
+
+
+ Unlock Keycard
+
+
+
+ Advanced
+ Pokročilé
+
+
+ Create a 12-digit personal unblocking key (PUK)
+
+
+
+ Create a new pairing code
+
+
+
+
+ DidYouKnowMessages
+
+ Status messenger is the most secure fully decentralised messenger in the world
+
+
+
+ Full metadata privacy means it’s impossible to tell who you are talking to by surveilling your internet traffic
+
+
+
+ Status is truly private - none of your personal details (or any other information) are sent to us
+
+
+
+ Messages sent using Status are end to end encrypted and can only be opened by the recipient
+
+
+
+ Status uses the Waku p2p gossip messaging protocol — an evolution of the EF’s original Whisper protocol
+
+
+
+ Status is home to crypto’s leading multi-chain self-custodial wallet
+
+
+
+ Status removes intermediaries to keep your messages private and your assets secure
+
+
+
+ Status uses the latest encryption and security tools to secure your messages and transactions
+
+
+
+ Status enables pseudo-anonymous interaction with Web3, DeFi, and society in general
+
+
+
+ The Status Network token (SNT) is a modular utility token that fuels the Status network
+
+
+
+ Your cryptographic key pair encrypts all of your messages which can only be unlocked by the intended recipient
+
+
+
+ Status’ Web3 browser requires all DApps to ask permission before connecting to your wallet
+
+
+
+ Your non-custodial wallet gives you full control over your funds without the use of a server
+
+
+
+ Status is decentralized and serverless - chat, transact, and browse without surveillance and censorship
+
+
+
+ Status is open source software that lets you use with p2p networks. Status itself doesn’t provide any services
+
+
+
+ Status is a way to access p2p networks that are permissionlessly created and run by individuals around the world
+
+
+
+ Our 10 core principles include liberty, security, transparency, censorship resistance and inclusivity
+
+
+
+ Status believes in freedom, and in maximizing the individual freedom of our users
+
+
+
+ Status is designed and built to protect the sovereignty of individuals
+
+
+
+ Status aims to protect the right to private, secure conversations, and the freedom to associate and collaborate
+
+
+
+ One of our core aims is to maximize social, political, and economic freedoms
+
+
+
+ Status abides by the cryptoeconomic design principle of censorship resistance
+
+
+
+ Status is a public good licensed under the MIT open source license, for anyone to share, modify and benefit from
+
+
+
+ Status supports free communication without the approval or oversight of big tech
+
+
+
+ Status allows you to communicate freely without the threat of surveillance
+
+
+
+ Status supports free speech. Using p2p networks prevents us, or anyone else, from censoring you
+
+
+
+ Status is entirely open source and made by contributors all over the world
+
+
+
+ Status is a globally distributed team of 150+ specialist core contributors
+
+
+
+ Our team of core contributors work remotely from over 50+ countries spread across 6 continents
+
+
+
+ The only continent that doesn’t (yet!) have any Status core contributors is Antarctica
+
+
+
+ We are the 5th most active crypto project on github
+
+
+
+ We are dedicated to transitioning our governance model to being decentralised and autonomous
+
+
+
+ Status core-contributors use Status as their primary communication tool
+
+
+
+ Status was co-founded by Jarrad Hope and Carl Bennetts
+
+
+
+ Status was created to ease the transition to a more open mobile internet
+
+
+
+ Status aims to help anyone, anywhere, interact with Ethereum, requiring no more than a phone
+
+
+
+ Your mobile company, and government are able to see the contents of all your private SMS messages
+
+
+
+ Many other messengers with e2e encryption don’t have metadata privacy!
+
+
+
+ Help to translate Status into your native language see https://translate.status.im/ for more info
+
+
+
+ By using Keycard, you can ensure your funds are safe even if your phone is stolen
+
+
+
+ You can enhance security by using Keycard + PIN entry as two-factor authentication
+
+
+
+ Status is currently working on a multi-chain wallet which will allow quick and easy multi-chain txns.
+
+
+
+ The new Status mobile app is being actively developed and is earmarked for release in 2023
+
+
+
+ The all new Status desktop app is being actively developed and is earmarked for release in 2023
+
+
+
+ Status also builds the Nimbus Ethereum consensus, execution and light clients
+
+
+
+ Status’s Nimbus team is collaborating with the Ethereum Foundation to create the Portal Network
+
+
+
+ Status’s Portal Network client (Fluffy) will let Status users interact with Ethereum in a fully decenteralised way
+
+
+
+ We are currently working on a tool to let you import an existing Telegram or Discord group into Status
+
+
+
+
+ DidYouKnowSplashScreen
+
+ DID YOU KNOW?
+
+
+
+
+ DiscordImportProgressContents
+
+ Delete channel & restart import
+
+
+
+ Close & restart import
+
+
+
+ Cancel import
+
+
+
+ Restart import
+
+
+
+ Hide window
+
+
+
+ Visit your new channel
+
+
+
+ Visit your new community
+
+
+
+ Setting up your new channel
+
+
+
+ Setting up your community
+
+
+
+ Importing Discord channel
+
+
+
+ Importing channels
+
+
+
+ Importing messages
+
+
+
+ Downloading assets
+
+
+
+ Initializing channel
+
+
+
+ Initializing community
+
+
+
+ ✓ Complete
+
+
+
+ Import stopped...
+
+
+
+ Pending...
+
+
+
+ Importing from file %1 of %2...
+
+
+
+ %1%
+
+
+
+ %n more issue(s) downloading assets
+
+
+
+
+
+
+
+ Importing ‘%1’ from Discord...
+
+
+
+ Importing ‘%1’ from Discord stopped...
+
+
+
+ Importing ‘%1’ stopped due to a critical issue...
+
+
+
+ ‘%1’ was imported with %n issue(s).
+
+
+
+
+
+
+
+ ‘%1’ was successfully imported from Discord.
+
+
+
+ Your Discord import is in progress...
+
+
+
+ This process can take a while. Feel free to hide this window and use Status normally in the meantime. We’ll notify you when the %1 is ready for you.
+
+
+
+ Channel
+
+
+
+ Community
+
+
+
+ If there were any issues with your import you can upload new JSON files via the community page at any time.
+
+
+
+ Are you sure you want to cancel the import?
+
+
+
+ Your new Status %1 will be deleted and all information entered will be lost.
+
+
+
+ channel
+
+
+
+ community
+
+
+
+ Delete channel & cancel import
+
+
+
+ Delete community
+
+
+
+ Cancel
+
+
+
+ Continue importing
+
+
+
+ Are you sure you want to delete the channel?
+
+
+
+ Your new Status channel will be deleted and all information entered will be lost.
+
+
+
+
+ DiscordImportProgressDialog
+
+ Import a channel from Discord into Status
+
+
+
+ Import a community from Discord into Status
+
+
+
+
+ DisplayNameValidators
+
+ Display Names can’t start or end with a space
+
+
+
+ Invalid characters (use A-Z and 0-9, hyphens and underscores only)
+
+
+
+ Display Names must be at least %n character(s) long
+
+
+
+
+
+
+
+ Display Names can’t be longer than %n character(s)
+
+
+
+
+
+
+
+ Display Names can’t end in “.eth”, “_eth” or “-eth”
+
+
+
+ Adjective-animal Display Name formats are not allowed
+
+
+
+ This Display Name is already in use in one of your joined communities
+
+
+
+
+ DisplaySeedPhrase
+
+ Step 1 of 4
+
+
+
+ Write down your 12-word recovery phrase to keep offline
+
+
+
+ The next screen contains your recovery phrase.<br/><b>Anyone</b> who sees it can use it to access to your funds.
+
+
+
+
+ DownloadBar
+
+ Cancelled
+
+
+
+ Paused
+
+
+
+ Show All
+
+
+
+
+ DownloadMenu
+
+ Open
+
+
+
+ Show in folder
+
+
+
+ Pause
+
+
+
+ Resume
+
+
+
+ Cancel
+
+
+
+
+ DownloadPage
+
+ Thanks for using Status
+
+
+
+ You're curently using version %1 of Status.
+
+
+
+ There's new version available to download.
+
+
+
+ Get Status %1
+
+
+
+
+ DownloadView
+
+ Cancelled
+
+
+
+ Paused
+
+
+
+ Downloaded files will appear here.
+
+
+
+
+ DropAndEditImagePanel
+
+ Drop It!
+
+
+
+
+ ENSPopup
+
+ Primary username
+
+
+
+ Apply
+
+
+
+ Your messages are displayed to others with this username:
+
+
+
+ Once you select a username, you won’t be able to disable it afterwards. You will only be able choose a different username to display.
+
+
+
+
+ EditAirdropView
+
+ Airdrop %1 on %2
+
+
+
+ What
+
+
+
+ Example: 1 SOCK
+
+
+
+ First you need to mint or import an asset before you can perform an airdrop
+
+
+
+ First you need to mint or import a collectible before you can perform an airdrop
+
+
+
+ Show fees (will be enabled once the form is filled)
+
+
+
+ Add valid “What” and “To” values to see fees
+
+
+
+ Not enough tokens to send to all recipients. Reduce the number of recipients or change the number of tokens sent to each recipient.
+
+
+
+ Create airdrop
+
+
+
+ Sign transaction - Airdrop %n token(s)
+
+
+
+
+
+
+
+ to %n recipient(s)
+
+
+
+
+
+
+
+
+ EditCommunityTokenView
+
+ Mint asset on %1
+
+
+
+ Mint collectible on %1
+
+
+
+ Icon
+
+
+
+ Artwork
+
+
+
+ Upload
+
+
+
+ Drag and Drop or Upload Artwork
+
+
+
+ Images only
+
+
+
+ Asset icon
+
+
+
+ Collectible artwork
+
+
+
+ Upload asset icon
+
+
+
+ Upload collectible artwork
+
+
+
+ Name
+
+
+
+ Please name your token name (use A-Z and 0-9, hyphens and underscores only)
+
+
+
+ Your token name is too cool (use A-Z and 0-9, hyphens and underscores only)
+
+
+
+ Your token name contains invalid characters (use A-Z and 0-9, hyphens and underscores only)
+
+
+
+ Asset name already exists
+
+
+
+ You have used this token name before
+
+
+
+ Description
+
+
+
+ Describe your asset (will be shown in hodler's wallets)
+
+
+
+ Describe your collectible (will be shown in hodler's wallets)
+
+
+
+ Please enter a token description
+
+
+
+ Only A-Z, 0-9 and standard punctuation allowed
+
+
+
+ Symbol
+
+
+
+ e.g. ETH
+
+
+
+ e.g. DOODLE
+
+
+
+ Please enter your token symbol (use A-Z only)
+
+
+
+ Your token symbol is too cool (use A-Z only)
+
+
+
+ Your token symbol contains invalid characters (use A-Z only)
+
+
+
+ Symbol already exists
+
+
+
+ You have used this token symbol before
+
+
+
+ Network
+
+
+
+ Unlimited supply
+
+
+
+ Enable to allow the minting of additional tokens in the future. Disable to specify a finite supply
+
+
+
+ Total finite supply
+
+
+
+ e.g. 300
+
+
+
+ Please enter a total finite supply
+
+
+
+ Your total finite supply is too cool (use 0-9 only)
+
+
+
+ Your total finite supply contains invalid characters (use 0-9 only)
+
+
+
+ Enter a number between 1 and 999,999,999
+
+
+
+ Not transferable (Soulbound)
+
+
+
+ Transferable
+
+
+
+ If enabled, the token is locked to the first address it is sent to and can never be transferred to another address. Useful for tokens that represent Admin permissions
+
+
+
+ Remotely destructible
+
+
+
+ Enable to allow you to destroy tokens remotely. Useful for revoking permissions from individuals
+
+
+
+ Decimals (DP)
+
+
+
+ Max 10
+
+
+
+ Please enter how many decimals your token should have
+
+
+
+ Your decimal amount is too cool (use 0-9 only)
+
+
+
+ Your decimal amount contains invalid characters (use 0-9 only)
+
+
+
+ Enter a number between 1 and 10
+
+
+
+ Show fees
+
+
+
+ Fees will be enabled once the form is filled
+
+
+
+ Preview
+
+
+
+
+ EditCroppedImagePanel
+
+ Select different image
+
+
+
+ Remove image
+
+
+
+
+ EditNetworkForm
+
+ Checking RPC...
+
+
+
+ What is %1? This isn’t a URL 😒
+
+
+
+ RPC appears to be either offline or this is not a valid JSON RPC endpoint URL
+
+
+
+ RPC successfully reached
+
+
+
+ JSON RPC URLs are the same
+
+
+
+ Chain ID returned from JSON RPC doesn’t match %1
+
+
+
+ Restart required for changes to take effect
+
+
+
+ Network name
+
+
+
+ Short name
+
+
+
+ Chain ID
+
+
+
+ Native Token Symbol
+
+
+
+ User JSON RPC URL #1
+
+
+
+ User JSON RPC URL #2
+
+
+
+ Block Explorer
+
+
+
+ I understand that changing network settings can cause unforeseen issues, errors, security risks and potentially even loss of funds.
+
+
+
+ Save Changes
+
+
+
+ RPC URL change requires app restart
+
+
+
+ For new JSON RPC URLs to take effect, Status must be restarted. Are you ready to do this now?
+
+
+
+ Save and restart later
+
+
+
+ Save and restart Status
+
+
+
+
+ EditOwnerTokenView
+
+ This is the %1 Owner token. The hodler of this collectible has ultimate control over %1 Community token administration.
+
+
+
+ This is the %1 TokenMaster token. The hodler of this collectible has full admin rights for the %1 Community in Status and can mint and airdrop %1 Community tokens.
+
+
+
+ Mint %1 Owner and TokenMaster tokens on %2
+
+
+
+ Select account
+
+
+
+ This account will be where you receive your Owner token and will also be the account that pays the token minting gas fees.
+
+
+
+ Select network
+
+
+
+ The network you select will be where all your community’s tokens reside. Once set, this setting can’t be changed and tokens can’t move to other networks.
+
+
+
+ Mint
+
+
+
+
+ EditPermissionView
+
+ Anyone
+
+
+
+ Who holds
+
+
+
+ Example: 10 SNT
+
+
+
+ Is allowed to
+
+
+
+ Example: View and post
+
+
+
+ In
+
+
+
+ Example: `#general` channel
+
+
+
+ Hide permission
+
+
+
+ Make this permission hidden from members who don’t meet its requirements
+
+
+
+ Permission with same properties is already active, edit properties to create a new permission.
+
+
+
+ Any changes to community permissions will take effect after the control node receives and processes them
+
+
+
+ Create permission
+
+
+
+
+ EditSettingsPanel
+
+ Community sharding
+
+
+
+ Active: on shard #%1
+
+
+
+ Manage
+
+
+
+ Make %1 a sharded community
+
+
+
+
+ EditSlippagePanel
+
+ Slippage tolerance
+
+
+
+ Use default
+
+
+
+ Maximum deviation in price due to market volatility and liquidity allowed before the swap is cancelled. (%L1% default).
+
+
+
+ Receive at least
+
+
+
+
+ EmptyChatPanel
+
+ Share your chat key
+
+
+
+ or
+ nebo
+
+
+ invite
+
+
+
+ friends to start messaging in Status
+
+
+
+
+ EmptyPlaceholder
+
+ Loading gifs...
+
+
+
+ Favorite GIFs will appear here
+
+
+
+ Recent GIFs will appear here
+
+
+
+ Error while contacting Tenor API, please retry.
+
+
+
+ Retry
+
+
+
+
+ EnableBiometricsPage
+
+ Enable biometrics
+
+
+
+ Would you like to enable biometrics to fill in your password? You will use biometrics for signing in to Status and for signing transactions.
+
+
+
+ Yes, use biometrics
+
+
+
+ Maybe later
+
+
+
+
+ EnableFullMessageHistoryPopup
+
+ Enable full message history
+
+
+
+ Enabling the Community History Service ensures every member can view the complete message history for all channels they have permission to view. Without this feature, message history will be limited to the last 30 days. Your computer, which is the control node for the community, must remain online for this to work.
+
+
+
+ This service operates using the Archive Protocol, which will be automatically enabled.
+
+
+
+ Read more
+
+
+
+ Got it
+
+
+
+
+ EnableShardingPopup
+
+ Enable community sharding for %1
+
+
+
+ Cancel
+
+
+
+ Enable community sharding
+
+
+
+ Close
+
+
+
+ Enter shard number
+
+
+
+ Enter a number between 0 and 1023
+
+
+
+ Invalid shard number. Number must be 0 — 1023.
+
+
+
+ Pub/Sub topic
+
+
+
+ I have made a copy of the Pub/Sub topic and public key string
+
+
+
+
+ EnsAddedView
+
+ ENS usernames
+ ENS uživatelská jména
+
+
+ Username added
+
+
+
+ %1 is now connected with your chat key and can be used in Status.
+
+
+
+ Ok, got it
+
+
+
+
+ EnsConnectedView
+
+ ENS usernames
+ ENS uživatelská jména
+
+
+ Username added
+
+
+
+ %1 will be connected once the transaction is complete.
+
+
+
+ You can follow the progress in the Transaction History section of your wallet.
+
+
+
+ Ok, got it
+
+
+
+
+ EnsDetailsView
+
+ Wallet address
+
+
+
+ Copied to clipboard!
+
+
+
+ Key
+
+
+
+ Remove username
+
+
+
+ Release username
+
+
+
+ Username locked. You won't be able to release it until %1
+
+
+
+ Back
+
+
+
+
+ EnsListView
+
+ ENS usernames
+ ENS uživatelská jména
+
+
+ Add username
+
+
+
+ Your usernames
+
+
+
+ (pending)
+
+
+
+ Chat settings
+
+
+
+ Primary Username
+
+
+
+ None selected
+
+
+
+ Hey!
+
+
+
+ You’re displaying your ENS username in chats
+
+
+
+
+ EnsPanel
+
+ This condition has already been added
+
+
+
+ This is not ENS name
+
+
+
+ Put *. before ENS name to include all subdomains in permission
+
+
+
+ Add
+
+
+
+ Update
+
+
+
+ Remove
+
+
+
+
+ EnsRegisteredView
+
+ ENS usernames
+ ENS uživatelská jména
+
+
+ Username added
+
+
+
+ Nice! You own %1.stateofus.eth once the transaction is complete.
+
+
+
+ You can follow the progress in the Transaction History section of your wallet.
+
+
+
+ Ok, got it
+
+
+
+
+ EnsReleasedView
+
+ ENS usernames
+ ENS uživatelská jména
+
+
+ Username removed
+
+
+
+ The username %1 will be removed and your deposit will be returned once the transaction is mined
+
+
+
+ You can follow the progress in the Transaction History section of your wallet.
+
+
+
+ Ok, got it
+
+
+
+
+ EnsSearchView
+
+ At least 4 characters. Latin letters, numbers, and lowercase only.
+
+
+
+ Letters and numbers only.
+
+
+
+ Type the entire username including the custom domain like username.domain.eth
+
+
+
+ Custom domain
+
+
+
+ I want a stateofus.eth domain
+
+
+
+ I own a name on another domain
+
+
+
+ Back
+
+
+
+
+ EnsTermsAndConditionsView
+
+ ENS usernames
+ ENS uživatelská jména
+
+
+ Terms of name registration
+
+
+
+ Funds are deposited for 1 year. Your SNT will be locked, but not spent.
+
+
+
+ After 1 year, you can release the name and get your deposit back, or take no action to keep the name.
+
+
+
+ If terms of the contract change — e.g. Status makes contract upgrades — user has the right to release the username regardless of time held.
+
+
+
+ The contract controller cannot access your deposited funds. They can only be moved back to the address that sent them.
+
+
+
+ Your address(es) will be publicly associated with your ENS name.
+
+
+
+ Usernames are created as subdomain nodes of stateofus.eth and are subject to the ENS smart contract terms.
+
+
+
+ You authorize the contract to transfer SNT on your behalf. This can only occur when you approve a transaction to authorize the transfer.
+
+
+
+ These terms are guaranteed by the smart contract logic at addresses:
+
+
+
+ %1 (Status UsernameRegistrar).
+
+
+
+ <a href='%1/%2'>Look up on Etherscan</a>
+
+
+
+ %1 (ENS Registry).
+
+
+
+ Wallet address
+
+
+
+ Copied to clipboard!
+
+
+
+ Key
+
+
+
+ Agree to <a href="#">Terms of name registration.</a> I understand that my wallet address will be publicly connected to my username.
+
+
+
+ Back
+
+
+
+ 10 SNT
+
+
+
+ Deposit
+
+
+
+ Not enough SNT
+
+
+
+ Register
+
+
+
+
+ EnsView
+
+ Release username
+
+
+
+ The account this username was bought with is no longer among active accounts.
+Please add it and try again.
+
+
+
+
+ EnsWelcomeView
+
+ Get a universal username
+
+
+
+ ENS names transform those crazy-long addresses into unique usernames.
+
+
+
+ Customize your chat name
+
+
+
+ An ENS name can replace your random 3-word name in chat. Be @yourname instead of %1.
+
+
+
+ Simplify your ETH address
+
+
+
+ You can receive funds to your easy-to-share ENS name rather than your hexadecimal hash (0x...).
+
+
+
+ Receive transactions in chat
+
+
+
+ Others can send you funds via chat in one simple step.
+
+
+
+ 10 SNT to register
+
+
+
+ Register once to keep the name forever. After 1 year you can release the name and get your SNT back.
+
+
+
+ Already own a username?
+
+
+
+ You can verify and add any usernames you own in the next steps.
+
+
+
+ Powered by Ethereum Name Services
+
+
+
+ Start
+
+
+
+
+ EnterKeypairName
+
+ Key name
+
+
+
+ Enter a name
+
+
+
+ Key pair name must be at least %n character(s)
+
+
+
+
+
+
+
+ For your future reference. This is only visible to you.
+
+
+
+
+ EnterName
+
+ Preview
+
+
+
+ Rename this Keycard
+
+
+
+ Name this Keycard
+
+
+
+ Keycard name
+
+
+
+ What would you like this Keycard to be called?
+
+
+
+
+ EnterPairingCode
+
+ The codes don’t match
+
+
+
+ Enter a new pairing code
+
+
+
+ Pairing code
+
+
+
+ Enter code
+
+
+
+ Confirm pairing code
+
+
+
+ Confirm code
+
+
+
+
+ EnterPassword
+
+ Password
+ Heslo
+
+
+ Enter your password
+
+
+
+ Password incorrect
+
+
+
+ Stored password doesn't match
+
+
+
+ Enter your new password to proceed
+
+
+
+
+ EnterPrivateKey
+
+ Private key
+
+
+
+ Enter recovery phrase for %1 key pair
+
+
+
+ Type or paste your private key
+
+
+
+ Paste
+
+
+
+ Private key invalid
+
+
+
+ This is not the correct private key
+
+
+
+ New addresses cannot be derived from an account imported from a private key. Import using a recovery phrase if you wish to derive addresses.
+
+
+
+ Public address of private key
+
+
+
+ Key name
+
+
+
+ Enter a name
+
+
+
+ Key pair name must be at least %n character(s)
+
+
+
+
+
+
+
+ For your future reference. This is only visible to you.
+
+
+
+
+ EnterSeedPhrase
+
+ Invalid recovery phrase
+
+
+
+ The phrase you’ve entered is invalid
+
+
+
+ %n word(s)
+
+
+
+
+
+
+
+ Enter recovery phrase
+
+
+
+ Enter private key for %1 key pair
+
+
+
+ The entered recovery phrase is already added
+
+
+
+ This is not the correct recovery phrase for %1 key
+
+
+
+ Key name
+
+
+
+ Enter a name
+
+
+
+ Key pair name must be at least %n character(s)
+
+
+
+
+
+
+
+ For your future reference. This is only visible to you.
+
+
+
+ The phrase you’ve entered does not match this Keycard’s recovery phrase
+
+
+
+ Enter recovery phrase for %1 key pair
+
+
+
+
+ EnterSeedPhraseWord
+
+ Step %1 of 4
+
+
+
+ Confirm word #%1 of your recovery phrase
+
+
+
+ Word #%1
+
+
+
+ Enter word
+
+
+
+ Incorrect word
+
+
+
+
+ EnterSeedPhraseWords
+
+ Confirm recovery phrase words
+
+
+
+ Word #%1
+
+
+
+ Enter word
+
+
+
+ This word doesn’t match
+
+
+
+
+ ErrorDetails
+
+ Show error details
+
+
+
+
+ ExemptionNotificationsModal
+
+ %1 exemption
+
+
+
+ Mute all messages
+
+
+
+ Personal @ Mentions
+
+
+
+ Global @ Mentions
+
+
+
+ Other Messages
+
+
+
+ Clear Exemptions
+
+
+
+ Done
+
+
+
+
+ ExportControlNodePopup
+
+ How to move the %1 control node to another device
+
+
+
+ Any of your synced <b>desktop</b> devices can be the control node for this Community:
+
+
+
+ You don’t currently have any <b>synced desktop devices</b>. You will need to sync another desktop device before you can move the %1 control node to it. Does the device you want to use as the control node currently have Status installed?
+
+
+
+ Close
+
+
+
+ Control node (this device)
+
+
+
+ Not eligible (desktop only)
+
+
+
+ 1. On the device you want to make the control node <font color='%1'>login using this profile</font>
+
+
+
+ 2. Go to
+
+
+
+ %1 Admin Overview
+
+
+
+ 3. Click <font color='%1'>Make this device the control node</font>
+
+
+
+ Status installed on other device
+
+
+
+ Status not installed on other device
+
+
+
+ On this device...
+
+
+
+ 1. Go to
+
+
+
+ Settings
+ Nastavení
+
+
+ Syncing
+ Synchronizace
+
+
+ 3. Click <font color='%1'>Setup Syncing</font> and sync your other devices
+
+
+
+ 4. Click <font color='%1'>How to move control node</font> again for next instructions
+
+
+
+ 1. Install and launch Status on the device you want to use as the control node
+
+
+
+ 2. On that device, click <font color='%1'>I already use Status</font>
+
+
+
+ 3. Click <font color='%1'>Scan or enter sync code</font> and sync your new device
+
+
+
+
+ ExportKeypair
+
+ Encrypted key pairs code
+
+
+
+ On your other device, navigate to the Wallet screen<br>and select ‘Import missing key pairs’. For security reasons,<br>do not save this code anywhere.
+
+
+
+ Your QR and encrypted key pairs code have expired.
+
+
+
+ Failed to generate sync code
+
+
+
+ Failed to start pairing server
+
+
+
+
+ ExtendedDropdownContent
+
+ No data found
+
+
+
+ Most viewed
+
+
+
+ Newest first
+
+
+
+ Oldest first
+
+
+
+ List
+
+
+
+ Thumbnails
+
+
+
+ Search all listed assets
+
+
+
+ Search assets
+
+
+
+ Search all collectibles
+
+
+
+ Search collectibles
+
+
+
+ Search %1
+
+
+
+ Any %1
+
+
+
+ Mint asset
+
+
+
+ Mint collectible
+
+
+
+
+ FavoriteMenu
+
+ Open in new Tab
+
+
+
+ Edit
+
+
+
+ Remove
+
+
+
+
+ FeesBox
+
+ Fees
+
+
+
+ Select account to pay gas fees from
+
+
+
+
+ FeesBoxFooter
+
+ Total
+
+
+
+
+ FeesSummaryFooter
+
+ via %1
+
+
+
+ Total
+
+
+
+
+ FeesView
+
+ Fees
+
+
+
+
+ FetchMoreMessagesButton
+
+ ↓ Fetch more messages
+
+
+
+ Before %1
+
+
+
+
+ FilterComboBox
+
+ Collection
+
+
+
+ Collection, community, name or #
+
+
+
+ Community minted
+
+
+
+ Other
+ Jiná
+
+
+ Collections
+
+
+
+ No collection
+
+
+
+
+ FinaliseOwnershipDeclinePopup
+
+ Are you sure you don’t want to be the owner?
+
+
+
+ If you don’t want to be the owner of the %1 Community it is important that you let the previous owner know so they can organise another owner to take over. You will have to send the Owner token back to them or on to the next designated owner.
+
+
+
+ Cancel
+
+
+
+ I don't want to be the owner
+
+
+
+
+ FinaliseOwnershipPopup
+
+ Update %1 Community smart contract on %2
+
+
+
+ Finalise %1 ownership
+
+
+
+ Make this device the control node and update smart contract
+
+
+
+ I don't want to be the owner
+
+
+
+ Congratulations! You have been sent the %1 Community Owner token.
+
+
+
+ To finalise your ownership and assume ultimate admin rights for the %1 Community, you need to make your device the Community's <a style="color:%3;" href="%2">control node</a><a style="color:%3;text-decoration: none" href="%2">↗</a>. You will also need to sign a small transaction to update the %1 Community smart contract to make you the official signatory for all Community changes.
+
+
+
+ Symbol
+
+
+
+ Visit Community
+
+
+
+ Finalising your ownership of the %1 Community requires you to:
+
+
+
+ 1. Make this device the control node for the Community
+
+
+
+ It is vital to keep your device online and running Status in order for the Community to operate effectively. Login with this account via another synced desktop device if you think it might be better suited for this purpose.
+
+
+
+ 2. Update the %1 Community smart contract
+
+
+
+ This transaction updates the %1 Community smart contract, making you the %1 Community owner.
+
+
+
+ Show fees (will be enabled once acknowledge confirmed)
+
+
+
+ Gas fees will be paid from
+
+
+
+ I acknowledge that I must keep this device online and running Status as much of the time as possible for the %1 Community to operate effectively
+
+
+
+
+ FirstTokenReceivedPopup
+
+ Congratulations on receiving your first community asset: <br><b>%1 %2 (%3) minted by %4</b>. Community assets are assets that have been minted by a community. As these assets cannot be verified, always double check their origin and validity before interacting with them. If in doubt, ask a trusted member or admin of the relevant community.
+
+
+
+ Congratulations on receiving your first community collectible: <br><b>%1 %2 minted by %3</b>. Community collectibles are collectibles that have been minted by a community. As these collectibles cannot be verified, always double check their origin and validity before interacting with them. If in doubt, ask a trusted member or admin of the relevant community.
+
+
+
+ Visit Community
+
+
+
+ You received your first community asset
+
+
+
+ You received your first community collectible
+
+
+
+ Hide this asset
+
+
+
+ Hide this collectible
+
+
+
+ Got it!
+
+
+
+
+ FleetRadioSelector
+
+ Warning!
+
+
+
+ Change fleet to %1
+
+
+
+
+ FleetsModal
+
+ Fleet
+
+
+
+
+ GapComponent
+
+ Fetch messages
+
+
+
+ Between %1 and %2
+
+
+
+
+ GasSelector
+
+ %1 transaction fee
+
+
+
+ L1 fee: %1
+L2 fee: %2
+
+
+
+ Approve %1 %2 Bridge
+
+
+
+ %1 -> %2 bridge
+
+
+
+
+ GasValidator
+
+ Balance exceeded
+
+
+
+ No route found
+
+
+
+
+ GetSyncCodeDesktopInstructions
+
+ Ensure both devices are on the same network
+
+
+
+ Open Status on the device you want to import from
+
+
+
+ Open Status App on your desktop device
+
+
+
+ Open
+
+
+
+ Settings / Wallet
+
+
+
+ Settings
+ Nastavení
+
+
+ Click
+
+
+
+ Navigate to the
+
+
+
+ Show encrypted QR of key pairs on this device
+
+
+
+ Syncing tab
+
+
+
+ Copy the
+
+
+
+ Enable camera access
+
+
+
+ encrypted key pairs code
+
+
+
+ on this device
+
+
+
+ Setup Syncing
+
+
+
+ Paste the
+
+
+
+ Scan or enter the encrypted QR with this device
+
+
+
+ to this device
+
+
+
+ For security, delete the code as soon as you are done
+
+
+
+ Scan or enter the code
+
+
+
+
+ GetSyncCodeInstructionsPopup
+
+ How to get a pairing code on...
+
+
+
+
+ GetSyncCodeMobileInstructions
+
+ Ensure both devices are on the same network
+
+
+
+ Open Status on the device you want to import from
+
+
+
+ Open Status App on your mobile device
+
+
+
+ Open your
+
+
+
+ Settings / Wallet
+
+
+
+ Profile
+ Profil
+
+
+ Tap
+
+
+
+ Go to
+
+
+
+ Show encrypted key pairs code
+
+
+
+ Syncing
+ Synchronizace
+
+
+ Copy the
+
+
+
+ Enable camera
+
+
+
+ encrypted key pairs code
+
+
+
+ on this device
+
+
+
+ Sync new device
+
+
+
+ Paste the
+
+
+
+ Scan or enter the encrypted QR with this device
+
+
+
+ to this device
+
+
+
+ For security, delete the code as soon as you are done
+
+
+
+ Scan or enter the code
+
+
+
+
+ GlobalBanner
+
+ You are back online
+
+
+
+ Internet connection lost. Reconnect to ensure everything is up to date.
+
+
+
+ Testnet mode enabled. All balances, transactions and dApp interactions will be on testnets.
+
+
+
+ Turn off
+
+
+
+ Secure your recovery phrase
+
+
+
+ Back up now
+
+
+
+
+ HelpUsImproveStatusPage
+
+ Help us improve Status
+
+
+
+ Your usage data helps us make Status better
+
+
+
+ Share usage data
+
+
+
+ Not now
+
+
+
+ Got it
+
+
+
+ We’ll collect anonymous analytics and diagnostics from your app to enhance Status’s quality and performance.
+
+
+
+ Gather basic usage data, like clicks and page views
+
+
+
+ Gather core diagnostics, like bandwidth usage
+
+
+
+ Never collect your profile information or wallet address
+
+
+
+ Never collect information you input or send
+
+
+
+ Never sell your usage analytics data
+
+
+
+ For more details and other cases where we handle your data, refer to our %1.
+
+
+
+ Privacy Policy
+
+
+
+
+ Helpers
+
+ Community minted
+
+
+
+ Other
+ Jiná
+
+
+
+ HistoryBetaTag
+
+ or
+ nebo
+
+
+ Activity is in beta. If transactions are missing, check %1.
+
+
+
+
+ HistoryView
+
+ Status Desktop is connected to a non-archival node. Transaction history may be incomplete.
+
+
+
+ Activity for this account will appear here
+
+
+
+ Today
+
+
+
+ Yesterday
+
+
+
+ Earlier this week
+
+
+
+ Last week
+
+
+
+ Earlier this month
+
+
+
+ Last month
+
+
+
+ New transactions
+
+
+
+ You have reached the beginning of the activity for this account
+
+
+
+ Back to most recent transaction
+
+
+
+
+ HoldingsDropdown
+
+ No data found
+
+
+
+ No assets found
+
+
+
+ No collectibles found
+
+
+
+ Assets
+
+
+
+ Collectibles
+
+
+
+ ENS
+
+
+
+ Back
+
+
+
+ Asset
+
+
+
+ Collectible
+
+
+
+
+ HoldingsListPanel
+
+ or
+ nebo
+
+
+
+ HomePage
+
+ Jump to a community, chat, account or a dApp...
+
+
+
+
+ HomePageDockButton
+
+ Unpin
+
+
+
+ Disconnect
+
+
+
+
+ HomePageGridChatItem
+
+ Group Chat
+
+
+
+ %1 Community
+
+
+
+ Chat
+
+
+
+
+ HomePageGridCommunityItem
+
+ Pending
+
+
+
+ Banned
+
+
+
+
+ HomePageGridDAppItem
+
+ Disconnect
+
+
+
+
+ HomePageGridItem
+
+ Unpin
+
+
+
+ Pin
+
+
+
+
+ HomePageView
+
+ Homepage
+ Domovská stránka
+
+
+ System default
+ Výchozí pro systém
+
+
+ Other
+ Jiná
+
+
+ Example: duckduckgo.com
+ Příklad: duckduckgo.com
+
+
+
+ ImageContextMenu
+
+ Copy GIF
+
+
+
+ Copy image
+
+
+
+ Download GIF
+
+
+
+ Download video
+
+
+
+ Download image
+
+
+
+ Copy link
+
+
+
+ Open link
+
+
+
+
+ ImageCropWorkflow
+
+ Supported image formats (%1)
+
+
+
+ Image format not supported
+
+
+
+ Format of the image you chose is not supported. Most probably you picked a file that is invalid, corrupted or has a wrong file extension.
+
+
+
+ Supported image extensions: %1
+
+
+
+
+ ImportCommunityPopup
+
+ Join Community
+
+
+
+ Invalid key
+
+
+
+ Couldn't find community
+
+
+
+ Join
+
+
+
+ Enter the public key of, or a link to the community you wish to access
+
+
+
+ Community key
+
+
+
+ Link or (compressed) public key...
+
+
+
+ %n member(s)
+
+
+
+
+
+
+
+ Public key detected
+
+
+
+
+ ImportControlNodePopup
+
+ Make this device the control node for %1
+
+
+
+ Are you sure you want to make this device the control node for %1? This device should be one that you are able to keep online and running Status at all times to enable the Community to function correctly.
+
+
+
+ I acknowledge that...
+
+
+
+ I must keep this device online and running Status
+
+
+
+ My other synced device will cease to be the control node for this Community
+
+
+
+ Cancel
+
+
+
+
+ ImportKeypairInfo
+
+ Import key pair to use this account
+
+
+
+ This account was added to one of your synced devices. To use this account you will first need import the associated key pair to this device.
+
+
+
+ Import missing key pair
+
+
+
+
+ ImportLocalBackupPage
+
+ Import local backup
+
+
+
+ Here you can select a local file from your computer and import your previously backed up contacts, etc...
+
+
+
+ You can skip this step and do it anytime later under Settings > Syncing
+
+
+
+ Import from file...
+
+
+
+ Skip
+
+
+
+ Backup files (%1)
+
+
+
+
+ InDropdown
+
+ Community
+
+
+
+ Add channel
+
+
+
+ Update
+
+
+
+ Add community
+
+
+
+ Add
+
+
+
+ Add %n channel(s)
+
+
+
+
+
+
+
+
+ InlineSelectorPanel
+
+ Confirm
+
+
+
+ Cancel
+
+
+
+ No results found
+
+
+
+
+ Input
+
+ Copied
+
+
+
+ Pasted
+
+
+
+ Copy
+
+
+
+ Paste
+
+
+
+
+ IntentionPanel
+
+ %1 wants you to %2 with %3
+
+
+
+ Only sign if you trust the dApp
+
+
+
+
+ IntroMessageInput
+
+ Dialog for new members
+
+
+
+ What new members will read before joining (eg. community rules, welcome message, etc.). Members will need to tick a check box agreeing to these rules before they are allowed to join your community.
+
+
+
+ community intro message
+
+
+
+
+ IntroduceYourselfPopup
+
+ Introduce yourself
+
+
+
+ Your Name
+
+
+
+ Add an optional display name and profile picture so others can easily recognise you.
+
+
+
+ Skip
+
+
+
+ Edit Profile in Settings
+
+
+
+
+ InvitationBubbleView
+
+ Verified community invitation
+
+
+
+ Community invitation
+
+
+
+ %n member(s)
+
+
+
+
+
+
+
+ Go to Community
+
+
+
+
+ InviteFriendsPopup
+
+ Download Status link
+
+
+
+ Get Status at %1
+
+
+
+ Copied!
+
+
+
+
+ InviteFriendsToCommunityPopup
+
+ Invite successfully sent
+
+
+
+ Invite Contacts to %1
+
+
+
+ Next
+
+
+
+ Send %n invite(s)
+
+
+
+
+
+
+
+
+ IssuePill
+
+ %n warning(s)
+
+
+
+
+
+
+
+ %n error(s)
+
+
+
+
+
+
+
+ %n message(s)
+
+
+
+
+
+
+
+
+ JSDialogWindow
+
+ OK
+
+
+
+ Cancel
+
+
+
+
+ JoinCommunityCenterPanel
+
+ joined the channel
+
+
+
+
+ JoinPermissionsOverlayPanel
+
+ Membership requirements not met
+
+
+
+ Request to join Community
+
+
+
+ Membership Request Pending...
+
+
+
+ Channel requirements not met
+
+
+
+ Channel Membership Request Pending...
+
+
+
+ Membership Request Rejected
+
+
+
+ Sorry, you don't hold the necessary tokens to view or post in any of <b>%1</b> channels
+
+
+
+ Requirements check pending...
+
+
+
+ Encryption key has not arrived yet...
+
+
+
+ To join <b>%1</b> you need to prove that you hold
+
+
+
+ Sorry, you can't join <b>%1</b> because it's a private, closed community
+
+
+
+ To view the <b>#%1</b> channel you need to join <b>%2</b> and prove that you hold
+
+
+
+ To view the <b>#%1</b> channel you need to hold
+
+
+
+ To view and post in the <b>#%1</b> channel you need to join <b>%2</b> and prove that you hold
+
+
+
+ To view and post in the <b>#%1</b> channel you need to hold
+
+
+
+ To moderate in the <b>#%1</b> channel you need to hold
+
+
+
+
+ KeyPairItem
+
+ Moving this key pair will require you to use your Keycard to login
+
+
+
+ Keycard Locked
+
+
+
+
+ KeyPairUnknownItem
+
+ Active Accounts
+
+
+
+
+ KeycardAddKeyPairPage
+
+ Creating key pair on Keycard
+
+
+
+ Key pair added to Keycard
+
+
+
+ You will now require this Keycard to log into Status and transact with accounts derived from this key pair
+
+
+
+ A key pair is your shareable public address and a secret private key that controls your wallet. Your key pair is being generated on your Keycard — keep it plugged in until the process completes.
+
+
+
+
+ KeycardConfirmation
+
+ Warning, this Keycard stores your main Status profile and
+accounts. A factory reset will permanently delete it.
+
+
+
+ A factory reset will delete the key on this Keycard.
+Are you sure you want to do this?
+
+
+
+ I understand the key pair on this Keycard will be deleted
+
+
+
+
+ KeycardCreatePinPage
+
+ PINs don't match
+
+
+
+ Create new Keycard PIN
+
+
+
+ Repeat Keycard PIN
+
+
+
+ Setting Keycard PIN
+
+
+
+ PIN set
+
+
+
+
+ KeycardCreateProfileFlow
+
+ Create profile on empty Keycard using a recovery phrase
+
+
+
+
+ KeycardCreateReplacementFlow
+
+ Enter recovery phrase of lost Keycard
+
+
+
+
+ KeycardEmptyPage
+
+ Keycard is empty
+
+
+
+ There is no profile key pair on this Keycard
+
+
+
+ Create new profile on this Keycard
+
+
+
+
+ KeycardEnterPinPage
+
+ Enter Keycard PIN
+
+
+
+ PIN incorrect
+
+
+
+ Authorizing
+
+
+
+ PIN correct
+
+
+
+ %n attempt(s) remaining
+
+
+
+
+
+
+
+ Unblock using PUK
+
+
+
+ Unblock with recovery phrase
+
+
+
+
+ KeycardEnterPukPage
+
+ %n attempt(s) remaining
+
+
+
+
+
+
+
+ Factory reset Keycard
+
+
+
+ Keycard locked
+
+
+
+ PUK incorrect
+
+
+
+ PUK correct
+
+
+
+ Enter Keycard PUK
+
+
+
+
+ KeycardErrorPage
+
+ Communication with Keycard lost
+
+
+
+ There seems to be an issue communicating with your Keycard. Reinsert the card or reader and try again.
+
+
+
+ Try again
+
+
+
+ Factory reset Keycard
+
+
+
+
+ KeycardExtractingKeysPage
+
+ Extracting keys from Keycard
+
+
+
+ You will now require this Keycard to log into Status and transact with any accounts derived from this key pair
+
+
+
+ Please keep the Keycard plugged in until the extraction is complete
+
+
+
+
+ KeycardFactoryResetFlow
+
+ Factory reset Keycard
+
+
+
+ All data including the stored key pair and derived accounts will be removed from the Keycard
+
+
+
+ I understand the key pair will be deleted
+
+
+
+ Factory reset this Keycard
+
+
+
+ Reseting Keycard
+
+
+
+ Keycard successfully factory reset
+
+
+
+ You can now use this Keycard like it's a brand-new, empty Keycard
+
+
+
+ Do not remove your Keycard or reader
+
+
+
+ Please wait while the Keycard is being reset
+
+
+
+ Back to Login screen
+
+
+
+ Log in or Create profile
+
+
+
+
+ KeycardInit
+
+ Plug in Keycard reader...
+
+
+
+ Insert empty Keycard...
+
+
+
+ Insert Keycard...
+
+
+
+ Check the card, it might be wrongly inserted
+
+
+
+ Keycard inserted...
+
+
+
+ Starting...
+
+
+
+ Reading Keycard...
+
+
+
+ Migrating key pair to Keycard
+
+
+
+ Migrating key pair to Status
+
+
+
+ Creating new account...
+
+
+
+ Setting a new Keycard...
+
+
+
+ Importing from Keycard...
+
+
+
+ Renaming keycard...
+
+
+
+ Unlocking keycard...
+
+
+
+ Updating PIN
+
+
+
+ Setting your Keycard PUK...
+
+
+
+ Setting your pairing code...
+
+
+
+ Copying Keycard...
+
+
+
+ PCSC not available
+
+
+
+ The Smartcard reader (PCSC service), required
+for using Keycard, is not currently working.
+Ensure PCSC is installed and running and try again
+
+
+
+ This is not a Keycard
+
+
+
+ The card inserted is not a recognised Keycard,
+please remove and try and again
+
+
+
+ Unlock this Keycard
+
+
+
+ Please run "Unlock Keycard" flow directly
+
+
+
+ Wrong Keycard inserted
+
+
+
+ Keycard inserted does not match the Keycard below
+
+
+
+ Keycard inserted does not match the Keycard below,
+please remove and try and again
+
+
+
+ Keycard inserted does not match the Keycard you're trying to unlock
+
+
+
+ This Keycard has empty metadata
+
+
+
+ This Keycard already stores keys
+but doesn't store any metadata,
+please remove and try and again
+
+
+
+ This Keycard already stores keys
+but doesn't store any metadata
+
+
+
+ Keycard is empty
+
+
+
+ There is no key pair on this Keycard,
+please remove and try and again
+
+
+
+ There is no key pair on this Keycard
+
+
+
+ This Keycard already stores keys
+
+
+
+ To migrate %1 on to this Keycard, you
+will need to perform a factory reset first
+
+
+
+ To create a new account on to this Keycard, you
+will need to perform a factory reset first
+
+
+
+ To copy %1 on to this Keycard, you
+will need to perform a factory reset first
+
+
+
+ Keycard locked and already stores keys
+
+
+
+ Keycard locked
+
+
+
+ The Keycard you have inserted is locked,
+you will need to factory reset it before proceeding
+
+
+
+ You will need to unlock it before proceeding
+
+
+
+ Pin entered incorrectly too many times
+
+
+
+ Puk entered incorrectly too many times
+
+
+
+ Max pairing slots reached for the entered keycard
+
+
+
+ Your Keycard is already unlocked!
+
+
+
+ Keycard recognized
+
+
+
+ Key pair successfully migrated
+
+
+
+ New account successfully created
+
+
+
+ Keycard is ready to use!
+
+
+
+ Account successfully imported
+
+
+
+ Your Keycard has been reset
+
+
+
+ Keycard successfully factory reset
+
+
+
+ Unlock successful
+
+
+
+ Keycard successfully renamed
+
+
+
+ Keycard’s PUK successfully set
+
+
+
+ Pairing code successfully set
+
+
+
+ This Keycard is now a copy of %1
+
+
+
+ Key pair was removed from Keycard and is now stored on device.
+You no longer need this Keycard to transact with the below accounts.
+
+
+
+ To complete migration close Status and sign in with your Keycard
+
+
+
+ To complete migration close Status and log in with your new Keycard
+
+
+
+ You can now create a new key pair on this Keycard
+
+
+
+ You can now use this Keycard as if it
+was a brand new empty Keycard
+
+
+
+ Failed to migrate key pair
+
+
+
+ Creating new account failed
+
+
+
+ Setting a Keycard failed
+
+
+
+ Importing account failed
+
+
+
+ Keycard renaming failed
+
+
+
+ Unlock a Keycard failed
+
+
+
+ Setting Keycard’s PUK failed
+
+
+
+ Setting pairing code failed
+
+
+
+ Copying %1 Keycard failed
+
+
+
+ Accounts on this Keycard
+
+
+
+ Adding these accounts will exceed the limit of 20.
+Remove some already added accounts to be able to import a new ones.
+
+
+
+ Ready to authenticate...
+
+
+
+ Biometric scan failed
+
+
+
+ Biometrics incorrect
+
+
+
+ Biometric pin invalid
+
+
+
+ The PIN length doesn't match Keycard's PIN length
+
+
+
+ Remove Keycard
+
+
+
+ Oops this is the same Keycard!
+
+
+
+ You need to remove this Keycard and insert
+an empty new or factory reset Keycard
+
+
+
+ Copy “%1” to inserted keycard
+
+
+
+ This recovery phrase has already been imported
+
+
+
+ This keycard has already been imported
+
+
+
+ Your profile key pair has been
+migrated from Keycard to Status
+
+
+
+ Are you sure you want to migrate
+this key pair to Status?
+
+
+
+ In order to continue using this profile on this device, you need to enter the key pairs recovery phrase and create a new password to log in with on this device.
+
+
+
+ %1 is your default Status key pair.
+
+
+
+ Migrating this key pair will mean you will no longer require this Keycard to login to Status or transact with the key pair’s derived accounts.
+
+
+
+ The key pair and accounts will be fully removed from Keycard and stored on device.
+
+
+
+ %1 key pair and its derived accounts will be fully removed from Keycard and stored on device.
+
+
+
+ This will make your key pair and derived accounts less secure as you will no longer require this Keycard to transact.
+
+
+
+ Your profile key pair has been
+migrated from Status to Keycard
+
+
+
+ In order to continue using this profile on this device, you need to login using the Keycard that this profile key pair was migrated to.
+
+
+
+ Biometrics
+
+
+
+ Would you like to use Touch ID
+to login to Status?
+
+
+
+
+ KeycardIntroPage
+
+ New to Keycard?
+
+
+
+ Store and trade your crypto with a simple, secure and slim hardware wallet.
+
+
+
+ keycard.tech
+
+
+
+ Unblock using PUK
+
+
+
+ Unblock with recovery phrase
+
+
+
+ Factory reset Keycard
+
+
+
+ Plug in your Keycard reader
+
+
+
+ Insert your Keycard
+
+
+
+ Get help via %1 🔗
+
+
+
+ Reading Keycard...
+
+
+
+ Oops this isn’t a Keycard
+
+
+
+ Remove card and insert a Keycard
+
+
+
+ Smartcard reader service unavailable
+
+
+
+ The Smartcard reader service (PCSC service), required for using Keycard, is not currently working. Ensure PCSC is installed and running and try again.
+
+
+
+ All pairing slots occupied
+
+
+
+ Factory reset this Keycard or insert a different one
+
+
+
+ Keycard blocked
+
+
+
+ The Keycard you have inserted is blocked, you will need to unblock it or insert a different one
+
+
+
+ The Keycard you have inserted is blocked, you will need to unblock it, factory reset or insert a different one
+
+
+
+
+ KeycardItem
+
+ Keycard Locked
+
+
+
+
+ KeycardLostPage
+
+ Lost Keycard
+
+
+
+ Sorry you've lost your Keycard
+
+
+
+ Create replacement Keycard using the same recovery phrase
+
+
+
+ Start using this profile without Keycard
+
+
+
+ Order a new Keycard
+
+
+
+
+ KeycardNotEmptyPage
+
+ Keycard is not empty
+
+
+
+ You can’t use it to store new keys right now
+
+
+
+ Log in with this Keycard
+
+
+
+ Factory reset Keycard
+
+
+
+
+ KeycardPin
+
+ It is very important that you do not lose this PIN
+
+
+
+ Don’t lose your PIN! If you do, you may lose
+access to your funds.
+
+
+
+ PINs don't match
+
+
+
+ Enter the Keycard PIN
+
+
+
+ Enter this Keycard’s PIN
+
+
+
+ Enter Keycard PIN
+
+
+
+ PIN incorrect
+
+
+
+ %n attempt(s) remaining
+
+
+
+
+
+
+
+ Your saved PIN is out of date
+
+
+
+ Enter your new PIN to proceed
+
+
+
+ Enter new Keycard PIN
+
+
+
+ Choose a Keycard PIN
+
+
+
+ Repeat new Keycard PIN
+
+
+
+ Repeat Keycard PIN
+
+
+
+ Keycard PIN set
+
+
+
+ Keycard PIN verified!
+
+
+
+ PIN successfully changed
+
+
+
+ Changing PIN failed
+
+
+
+
+ KeycardPopup
+
+ Set up a new Keycard with an existing account
+
+
+
+ Create a new Keycard account with a new recovery phrase
+
+
+
+ Import or restore a Keycard via a recovery phrase
+
+
+
+ Migrate account from Keycard to Status
+
+
+
+ Factory reset a Keycard
+
+
+
+ Authenticate
+
+
+
+ Signing
+
+
+
+ Unlock Keycard
+
+
+
+ Check what’s on a Keycard
+
+
+
+ Rename Keycard
+
+
+
+ Change pin
+
+
+
+ Create a 12-digit personal unblocking key (PUK)
+
+
+
+ Create a new pairing code
+
+
+
+ Create a backup copy of this Keycard
+
+
+
+ Enable password login on this device
+
+
+
+ Migrate a key pair from Keycard to Status
+
+
+
+ Enable Keycard login on this device
+
+
+
+
+ KeycardPopupDetails
+
+ Cancel
+
+
+
+ Use biometrics instead
+
+
+
+ Use password instead
+
+
+
+ Use biometrics
+
+
+
+ Use PIN
+
+
+
+ Update PIN
+
+
+
+ Unlock using PUK
+
+
+
+ Add another account
+
+
+
+ View accounts in Wallet
+
+
+
+ View imported accounts in Wallet
+
+
+
+ I prefer to use my password
+
+
+
+ Factory reset this Keycard
+
+
+
+ I prefer to use my PIN
+
+
+
+ Retry
+
+
+
+ Input recovery phrase
+
+
+
+ Yes, migrate key pair to this Keycard
+
+
+
+ Yes, migrate key pair to Keycard
+
+
+
+ Try entering recovery phrase again
+
+
+
+ Check what is stored on this Keycard
+
+
+
+ I don’t know the PIN
+
+
+
+ Next
+
+
+
+ Unlock Keycard
+
+
+
+ Done
+
+
+
+ Close app
+
+
+
+ Restart app & sign in using your new Keycard
+
+
+
+ Finalise Keycard
+
+
+
+ Name accounts
+
+
+
+ Finalise import
+
+
+
+ Next account
+
+
+
+ Authenticate
+
+
+
+ Update password & authenticate
+
+
+
+ Update PIN & authenticate
+
+
+
+ Try biometrics again
+
+
+
+ Sign
+
+
+
+ Unlock using recovery phrase
+
+
+
+ Rename this Keycard
+
+
+
+ Set paring code
+
+
+
+ Try inserting a different Keycard
+
+
+
+ Create Password
+
+
+
+ Finalize Status Password Creation
+
+
+
+ Close App
+
+
+
+ Yes, use Touch ID
+
+
+
+ Restart App & Sign In Using Your New Password
+
+
+
+ Try again
+
+
+
+ Restart App & Sign In Using Your Keycard
+
+
+
+
+ KeycardPuk
+
+ The PUK doesn’t match
+
+
+
+ Enter PUK
+
+
+
+ The PUK is incorrect, try entering it again
+
+
+
+ %n attempt(s) remaining
+
+
+
+
+
+
+
+ Choose a Keycard PUK
+
+
+
+ Repeat your Keycard PUK
+
+
+
+
+ KeycardView
+
+ Get Keycard
+
+
+
+
+ KeypairImportPopup
+
+ Import missing key pairs
+
+
+
+ Encrypted QR for %1 key pair
+
+
+
+ Encrypted QR for key pairs on this device
+
+
+
+ Scan encrypted key pair QR code
+
+
+
+ Import %1 key pair
+
+
+
+ Done
+
+
+
+ Import key pair
+
+
+
+
+ KickBanPopup
+
+ Kick %1
+
+
+
+ Ban %1
+
+
+
+ Are you sure you want to kick <b>%1</b> from %2?
+
+
+
+ Are you sure you want to ban <b>%1</b> from %2? This means that they will be kicked from this community and banned from re-joining.
+
+
+
+ Delete all messages posted by the user
+
+
+
+ Cancel
+
+
+
+
+ LanguageView
+
+ Set Display Currency
+ Nastavit měnu zobrazení
+
+
+ Search Currencies
+ Hledat měny
+
+
+ Language
+ Jazyk
+
+
+ Translations coming soon
+ Přklady již brzy
+
+
+ Alpha languages
+ Alfa jazyky
+
+
+ Beta languages
+ Beta jazyky
+
+
+ Search Languages
+ Hledat jazyky
+
+
+ We need your help to translate Status, so that together we can bring privacy and free speech to the people everywhere, including those who need it most.
+
+
+
+ Learn more
+ Dozvědět se více
+
+
+ Time Format
+ Formát času
+
+
+ Use System Settings
+ Použít nastavení systému
+
+
+ Use 24-Hour Time
+ Používat 24 hodinový čas
+
+
+ Change language
+ Změnit jazyk
+
+
+ Display language has been changed. You must restart the application for changes to take effect.
+ Jazyk zobrazení byl změněn. Je třeba restartovat aplikaci, aby se projevily změny.
+
+
+ Restart
+ Restartovat
+
+
+
+ LeftTabView
+
+ Wallet
+ Peněženka
+
+
+ All accounts
+ Všechny účty
+
+
+ Saved addresses
+ Uložené adresy
+
+
+
+ LinkPreviewCard
+
+ Channel in
+
+
+
+
+ LinkPreviewMiniCard
+
+ Generating preview...
+
+
+
+ Failed to generate preview
+
+
+
+
+ LinkPreviewSettingsCard
+
+ Show link previews?
+
+
+
+ A preview of your link will be shown here before you send it
+
+
+
+ Options
+
+
+
+
+ LinkPreviewSettingsCardMenu
+
+ Link previews
+
+
+
+ Show for this message
+
+
+
+ Always show previews
+
+
+
+ Never show previews
+
+
+
+
+ LinksMessageView
+
+ Enable automatic GIF unfurling
+
+
+
+ Once enabled, links posted in the chat may share your metadata with their owners
+
+
+
+ Enable in Settings
+
+
+
+ Don't ask me again
+
+
+
+
+ ListDropdownContent
+
+ No data found
+
+
+
+ Max. 1
+
+
+
+ Search results
+
+
+
+ No results
+
+
+
+
+ LoadingErrorComponent
+
+ Failed
+to load
+
+
+
+
+ LocaleUtils
+
+ %1K
+ Thousand
+ %1K
+
+
+ %1M
+ Million
+ %1M
+
+
+ %1B
+ Billion
+ %1B
+
+
+ %1T
+ Trillion
+ %1T
+
+
+ N/A
+ N/A
+
+
+ B
+ Billion
+ B
+
+
+ Today %1
+ Dnes %1
+
+
+ Yesterday %1
+ Včera %1
+
+
+ %1 %2
+ %1 %2
+
+
+ %n year(s) ago
+
+
+
+
+
+
+
+ %n month(s) ago
+
+
+
+
+
+
+
+ %n week(s) ago
+
+
+
+
+
+
+
+ %n day(s) ago
+
+
+
+
+
+
+
+ %n hour(s) ago
+
+
+
+
+
+
+
+ %n min(s) ago
+ x minute(s) ago
+
+
+
+
+
+
+
+ %n sec(s) ago
+ x second(s) ago
+
+
+
+
+
+
+
+ now
+ nyní
+
+
+
+ LoginBySyncingPage
+
+ Pair devices to sync
+
+
+
+ If you have Status on another device
+
+
+
+
+ LoginKeycardBox
+
+ Unblock with PUK
+
+
+
+ Unblock with recovery phrase
+
+
+
+ Plug in Keycard reader...
+
+
+
+ Insert your Keycard...
+
+
+
+ Reading Keycard...
+
+
+
+ Oops this isn't a Keycard.<br>Remove card and insert a Keycard.
+
+
+
+ Wrong Keycard for this profile inserted
+
+
+
+ Issue detecting Keycard.<br>Remove and re-insert reader and Keycard.
+
+
+
+ Keycard blocked
+
+
+
+ The inserted Keycard is empty.<br>Insert the correct Keycard for this profile.
+
+
+
+ PIN incorrect. %n attempt(s) remaining.
+
+
+
+
+
+
+
+ Login failed. %1
+
+
+
+ Show details.
+
+
+
+ Enter Keycard PIN
+
+
+
+
+ LoginPasswordBox
+
+ Log In
+
+
+
+ Forgot your password?
+
+
+
+ To recover your password follow these steps:
+
+
+
+ 1. Remove the Status app
+
+
+
+ This will erase all of your data from the device, including your password
+
+
+
+ 2. Reinstall the Status app
+
+
+
+ Re-download the app from %1 %2
+
+
+
+ 3. Sign up with your existing keys
+
+
+
+ Access with your recovery phrase or Keycard
+
+
+
+ 4. Create a new password
+
+
+
+ Enter a new password and you’re all set! You will be able to use your new password
+
+
+
+
+ LoginPasswordInput
+
+ Password
+ Heslo
+
+
+ Hide password
+
+
+
+ Reveal password
+
+
+
+
+ LoginScreen
+
+ Password incorrect. %1
+
+
+
+ Forgot password?
+
+
+
+ Login failed. %1
+
+
+
+ Show details.
+
+
+
+ Welcome back
+
+
+
+ Lost this Keycard?
+
+
+
+ Login failed
+
+
+
+ Copy error message
+
+
+
+ Close
+
+
+
+
+ LoginTouchIdIndicator
+
+ Biometrics successful
+
+
+
+ Biometrics failed
+
+
+
+ Request biometrics prompt again
+
+
+
+
+ LoginUserSelector
+
+ Create profile
+ Vytvořit profil
+
+
+ Log in
+ Přihlásit se
+
+
+
+ LogoPicker
+
+ Community logo
+
+
+
+ Choose an image as logo
+
+
+
+ Make this my Community logo
+
+
+
+ Upload a community logo
+
+
+
+
+ Main
+
+ Account name
+
+
+
+ Name
+
+
+
+ Account name must be at least %n character(s)
+
+
+
+
+
+
+
+ Colour
+
+
+
+ Account
+
+
+
+ Public address of private key
+
+
+
+
+ MainView
+
+ Secure your funds. Keep your profile safe.
+
+
+
+ Your Keycard(s)
+
+
+
+ Setup a new Keycard with an existing account
+
+
+
+ Migrate an existing account from Status Desktop to Keycard
+
+
+
+ Create, import or restore a Keycard account
+
+
+
+ Create a new Keycard account with a new recovery phrase
+
+
+
+ Import or restore via a recovery phrase
+
+
+
+ Import from Keycard to Status Desktop
+
+
+
+ Other
+ Jiná
+
+
+ Check what’s on a Keycard
+
+
+
+ Factory reset a Keycard
+
+
+
+ Networks
+
+
+
+ Account order
+
+
+
+ Under construction, you might experience some minor issues
+
+
+
+ Manage Tokens
+
+
+
+ Saved Addresses
+
+
+
+ %n key pair(s) require import to use on this device
+
+
+
+
+
+
+
+ Import missing key pairs
+
+
+
+
+ ManageAccounts
+
+ Remove account
+
+
+
+ Do you want to delete the %1 account?
+
+
+
+ Do you want to delete the last account?
+
+
+
+ Yes, delete this account
+
+
+
+ Balance: %1
+
+
+
+ View on Etherscan
+
+
+
+ What name should account %1 have?
+
+
+
+ What would you like this account to be called?
+
+
+
+ Colour
+
+
+
+ Preview
+
+
+
+ Account %1 of %2
+
+
+
+ Name account %1
+
+
+
+ Name accounts
+
+
+
+
+ ManageAssetsPanel
+
+ Assets
+
+
+
+ Your assets will appear here
+
+
+
+ Community minted
+
+
+
+ Arrange by community
+
+
+
+ Your community minted assets will appear here
+
+
+
+
+ ManageCollectiblesPanel
+
+ Community minted
+
+
+
+ Arrange by community
+
+
+
+ Your community minted collectibles will appear here
+
+
+
+ Other
+ Jiná
+
+
+ Arrange by collection
+
+
+
+ Your other collectibles will appear here
+
+
+
+
+ ManageHiddenPanel
+
+ Collectibles
+
+
+
+ Assets
+
+
+
+ Your hidden collectibles will appear here
+
+
+
+ Your hidden assets will appear here
+
+
+
+
+ ManageShardingPopup
+
+ Manage community sharding for %1
+
+
+
+ Disable community sharding
+
+
+
+ Edit shard number
+
+
+
+ Shard number
+
+
+
+ Pub/Sub topic
+
+
+
+ Are you sure you want to disable sharding?
+
+
+
+ Are you sure you want to disable community sharding? Your community will automatically revert to using the general shared Waku network.
+
+
+
+
+ ManageTokenMenuButton
+
+ Move to top
+
+
+
+ Move up
+
+
+
+ Move down
+
+
+
+ Move to bottom
+
+
+
+ Hide collectible
+
+
+
+ Hide asset
+
+
+
+ Show collectible
+
+
+
+ Show asset
+
+
+
+ Hide
+
+
+
+ This collectible
+
+
+
+ This asset
+
+
+
+ All collectibles from this community
+
+
+
+ All assets from this community
+
+
+
+ All collectibles from this collection
+
+
+
+ Hide all collectibles from this collection
+
+
+
+ Hide all collectibles from this community
+
+
+
+ Hide all assets from this community
+
+
+
+ Show all collectibles from this collection
+
+
+
+ Show all collectibles from this community
+
+
+
+ Show all assets from this community
+
+
+
+
+ ManageTokensCommunityTag
+
+ Community %1
+
+
+
+ Unknown
+
+
+
+ Unknown community
+
+
+
+ Community name could not be fetched
+
+
+
+
+ ManageTokensDelegate
+
+ Community minted
+
+
+
+ %1 was successfully hidden
+
+
+
+ %1 (%2) was successfully hidden
+
+
+
+
+ ManageTokensGroupDelegate
+
+ Community %1
+
+
+
+ Unknown community
+
+
+
+ Community name could not be fetched
+
+
+
+
+ ManageTokensView
+
+ Assets
+
+
+
+ Collectibles
+
+
+
+ Hidden
+
+
+
+ Advanced
+ Pokročilé
+
+
+ Show community assets when sending tokens
+
+
+
+ Don’t display assets with balance lower than
+
+
+
+ Auto-refresh tokens lists
+
+
+
+ Token lists
+
+
+
+ Last check %1
+
+
+
+
+ MarkAsIDVerifiedDialog
+
+ Mark as trusted
+
+
+
+ Mark users as trusted only if you're 100% sure who they are.
+
+
+
+ Cancel
+
+
+
+
+ MarkAsUntrustedPopup
+
+ Mark as untrusted
+
+
+
+ %1 will be marked as untrusted. This mark will only be visible to you.
+
+
+
+ Remove trust mark
+
+
+
+ Remove contact
+
+
+
+ Cancel
+
+
+
+
+ MarketFooter
+
+ Showing %1 to %2 of %3 results
+
+
+
+
+ MarketLayout
+
+ Market
+
+
+
+ Swap
+
+
+
+ %1 %2%
+ [up/down/none character depending on value sign] [localized percentage value]%
+
+
+
+
+ MarketTokenHeader
+
+ #
+
+
+
+ Token
+
+
+
+ Price
+
+
+
+ 24hr
+
+
+
+ 24hr Volume
+
+
+
+ Market Cap
+
+
+
+
+ MaxFeesDisplay
+
+ Max fees:
+
+
+
+ No fees
+
+
+
+
+ MaxSendButton
+
+ Max. %1
+
+
+
+
+ MembersDropdown
+
+ Back
+
+
+
+ Search members
+
+
+
+ No contacts found
+
+
+
+ Select all
+
+
+
+ Update members
+
+
+
+ Add %n member(s)
+
+
+
+
+
+
+
+ Add
+
+
+
+
+ MembersSelectorBase
+
+ To:
+
+
+
+ %1 USER LIMIT REACHED
+
+
+
+
+ MembersSelectorPanel
+
+ Members
+
+
+
+ %n member(s)
+
+
+
+
+
+
+
+
+ MembersSettingsPanel
+
+ Members
+
+
+
+ Invite people
+
+
+
+ All Members
+
+
+
+ Pending Requests
+
+
+
+ Rejected
+
+
+
+ Banned
+
+
+
+ Search by name or chat key
+
+
+
+
+ MembersTabPanel
+
+ Accept pending...
+
+
+
+ Reject pending...
+
+
+
+ Ban pending...
+
+
+
+ Unban pending...
+
+
+
+ Kick pending...
+
+
+
+ Waiting for owner node to come online
+
+
+
+ Messages deleted
+
+
+
+ View Messages
+
+
+
+ Kick
+
+
+
+ Ban
+
+
+
+ Unban
+
+
+
+ Accept
+
+
+
+ Reject
+
+
+
+
+ MembershipCta
+
+ Accepted
+
+
+
+ Declined
+
+
+
+ Accept pending
+
+
+
+ Reject pending
+
+
+
+
+ MenuBackButton
+
+ Back
+
+
+
+
+ MessageContextMenuView
+
+ Reply to
+
+
+
+ Edit message
+
+
+
+ Copy message
+
+
+
+ Copy Message Id
+
+
+
+ Unpin
+
+
+
+ Pin
+
+
+
+ Mark as unread
+
+
+
+ Delete message
+
+
+
+
+ MessageView
+
+ You sent a contact request to %1
+
+
+
+ %1 sent you a contact request
+
+
+
+ You accepted %1's contact request
+
+
+
+ %1 accepted your contact request
+
+
+
+ You removed %1 as a contact
+
+
+
+ %1 removed you as a contact
+
+
+
+ %1 pinned a message
+
+
+
+ <b>%1</b> deleted this message
+
+
+
+ Pinned
+
+
+
+ Pinned by
+
+
+
+ Imported from discord
+
+
+
+ Bridged from %1
+
+
+
+ Message deleted
+
+
+
+ Unknown message. Try fetching more messages
+
+
+
+ Add reaction
+
+
+
+ Reply
+
+
+
+ Edit
+
+
+
+ Unpin
+
+
+
+ Pin
+
+
+
+ Mark as unread
+
+
+
+ Delete
+
+
+
+
+ MessagingView
+
+ Allow new contact requests
+
+
+
+ Contacts, Requests, and Blocked Users
+
+
+
+ GIF link previews
+
+
+
+ Allow show GIF previews
+
+
+
+ Website link previews
+
+
+
+ Always ask
+
+
+
+ Always show previews
+
+
+
+ Never show previews
+
+
+
+
+ MetricsEnablePopup
+
+ Help us improve Status
+
+
+
+ Collecting usage data helps us improve Status.
+
+
+
+ What we will receive:
+
+
+
+ • IP address
+ • Universally Unique Identifiers of device
+ • Logs of actions within the app, including button presses and screen visits
+
+
+
+ What we won’t receive:
+
+
+
+ • Your profile information
+ • Your addresses
+ • Information you input and send
+
+
+
+ Usage data will be shared from all profiles added to device. %1 %2
+
+
+
+ Sharing usage data can be turned off anytime in Settings / Privacy and Security.
+
+
+
+ For more details refer to our %1.
+
+
+
+ Do not share
+
+
+
+ Share usage data
+
+
+
+
+ MintTokensFooterPanel
+
+ Send Owner token to transfer %1 Community ownership
+
+
+
+ Airdrop
+
+
+
+ Retail
+
+
+
+ Remotely destruct
+
+
+
+ Burn
+
+
+
+
+ MintTokensSettingsPanel
+
+ Back
+
+
+
+ Tokens
+
+
+
+ Mint token
+
+
+
+ Loading tokens...
+
+
+
+ In order to mint, you must hodl the TokenMaster token for %1
+
+
+
+ Mint Owner token
+
+
+
+ Sign transaction - Mint %1 tokens
+
+
+
+ Collectibles
+
+
+
+ Assets
+
+
+
+ Sign transaction - Mint %1 token
+
+
+
+ Delete
+
+
+
+ Retry mint
+
+
+
+ Refresh
+
+
+
+ Restart token's transaction listening if the token got stuck in minting state
+
+
+
+ Sign transaction - Remotely-destruct TokenMaster token
+
+
+
+ Remotely destruct %n token(s)
+
+
+
+
+
+
+
+ Remotely destruct
+
+
+
+ Continuing will destroy tokens held by members and revoke any permissions they are given. To undo you will have to issue them new tokens.
+
+
+
+ Sign transaction - Remotely destruct %1 token
+
+
+
+ Sign transaction - Burn %1 tokens
+
+
+
+ Remotely destruct %Ln %1 token(s) on %2
+
+
+
+
+
+
+
+ Delete %1
+
+
+
+ Delete %1 token
+
+
+
+ %1 is not yet minted, are you sure you want to delete it? All data associated with this token including its icon and description will be permanently deleted.
+
+
+
+
+ MintedTokensView
+
+ Minting failed
+
+
+
+ Minting...
+
+
+
+ 1 of 1 (you hodl)
+
+
+
+ 1 of 1
+
+
+
+ ∞ remaining
+
+
+
+ %L1 / %L2 remaining
+
+
+
+ Community tokens
+
+
+
+ You can mint custom tokens and import tokens for your community
+
+
+
+ Create remotely destructible soulbound tokens for admin permissions
+
+
+
+ Reward individual members with custom tokens for their contribution
+
+
+
+ Mint tokens for use with community and channel permissions
+
+
+
+ Get started
+
+
+
+ Token minting can only be performed by admins that hodl the Community’s TokenMaster token. If you would like this permission, contact the Community founder (they will need to mint the Community Owner token before they can airdrop this to you).
+
+
+
+ In order to Mint, Import and Airdrop community tokens, you first need to mint your Owner token which will give you permissions to access the token management features for your community.
+
+
+
+ Mint Owner token
+
+
+
+ Assets
+
+
+
+ You currently have no minted assets
+
+
+
+ Collectibles
+
+
+
+ You currently have no minted collectibles
+
+
+
+ Retry mint
+
+
+
+
+ MockedKeycardLibControllerWindow
+
+ Mocked Keycard Lib Controller
+
+
+
+ Use this buttons to control the flow
+
+
+
+ Plugin Reader
+
+
+
+ Unplug Reader
+
+
+
+ Insert Keycard 1
+
+
+
+ Insert Keycard 2
+
+
+
+ Remove Keycard
+
+
+
+ Set initial reader state (refers to keycard 1 only)
+
+
+
+ Keycard-1
+
+
+
+ Keycard-2
+
+
+
+ Keycard %1 - initial keycard state
+
+
+
+ Mocked Keycard
+
+
+
+ Enter json form of status-go MockedKeycard
+
+
+
+ Invalid json format
+
+
+
+ Specific keycard details
+
+
+
+ Register Keycard
+
+
+
+
+ MockedKeycardReaderStateSelector
+
+ Reader Unplugged
+
+
+
+ Keycard Not Inserted
+
+
+
+ Keycard Inserted
+
+
+
+
+ MockedKeycardStateSelector
+
+ Not Status Keycard
+
+
+
+ Empty Keycard
+
+
+
+ Max Pairing Slots Reached
+
+
+
+ Max PIN Retries Reached
+
+
+
+ Max PUK Retries Reached
+
+
+
+ Keycard With Mnemonic Only
+
+
+
+ Keycard With Mnemonic & Metadata
+
+
+
+ Custom Keycard
+
+
+
+
+ ModifySocialLinkModal
+
+ Edit %1 link
+
+
+
+ Edit custom Link
+
+
+
+ Delete
+
+
+
+ Update
+
+
+
+ Change title
+
+
+
+ Invalid title
+
+
+
+ Title and link combination already added
+
+
+
+ Username already added
+
+
+
+ Edit your link
+
+
+
+ Invalid %1
+
+
+
+ link
+
+
+
+
+ ModuleWarning
+
+ %1%
+
+
+
+
+ MuteChatMenuItem
+
+ Mute Channel
+
+
+
+ Mute Chat
+
+
+
+ For 15 mins
+
+
+
+ For 1 hour
+
+
+
+ For 8 hours
+
+
+
+ For 24 hours
+
+
+
+ For 7 days
+
+
+
+ Until I turn it back on
+
+
+
+
+ MyProfileView
+
+ Preview
+
+
+
+ Invalid changes made to Identity
+
+
+
+ Changes could not be saved. Try again
+
+
+
+ Identity
+
+
+
+ Communities
+ Komunity
+
+
+ Accounts
+
+
+
+ Collectibles
+
+
+
+ Web
+
+
+
+
+ NameInput
+
+ Community name
+
+
+
+ A catchy name
+
+
+
+ community name
+
+
+
+
+ NetworkCardsComponent
+
+ Your Balances
+
+
+
+ No Balance
+
+
+
+ No Gas
+
+
+
+ EXCEEDS SEND AMOUNT
+
+
+
+ BALANCE: %1
+
+
+
+ Disabled
+
+
+
+ Disable
+
+
+
+ Enable
+
+
+
+ WILL RECEIVE
+
+
+
+ UNPREFERRED
+
+
+
+
+ NetworkConnectionStore
+
+ Requires internet connection
+
+
+
+ Requires Pocket Network(POKT) or Infura, both of which are currently unavailable
+
+
+
+ Internet connection lost. Data could not be retrieved.
+
+
+
+ Token balances are fetched from Pocket Network (POKT) and Infura which are both curently unavailable
+
+
+
+ Market values are fetched from CryptoCompare and CoinGecko which are both currently unavailable
+
+
+
+ Market values and token balances use CryptoCompare/CoinGecko and POKT/Infura which are all currently unavailable.
+
+
+
+ Requires POKT/Infura for %1, which is currently unavailable
+
+
+
+ Pocket Network (POKT) & Infura are currently both unavailable for %1. %1 balances are as of %2.
+
+
+
+
+ NetworkFilter
+
+ Select networks
+
+
+
+
+ NetworkSelectItemDelegate
+
+ %1 chain integrated. You can now view and swap <br>%1 assets, as well as interact with %1 dApps.
+
+
+
+
+ NetworkSelectPopup
+
+ Manage networks
+
+
+
+
+ NetworkSelector
+
+ hide details
+
+
+
+ show details
+
+
+
+
+ NetworkWarningPanel
+
+ The owner token is minted on a network that isn't selected. Click here to enable it:
+
+
+
+ Enable %1
+
+
+
+
+ NetworksAdvancedCustomRoutingView
+
+ Networks
+
+
+
+ Hide Unpreferred Networks
+
+
+
+ Show Unpreferred Networks
+
+
+
+ Routes will be automatically calculated to give you the lowest cost.
+
+
+
+ The networks where the recipient will receive tokens. Amounts calculated automatically for the lowest cost.
+
+
+
+
+ NetworksView
+
+ Mainnet
+
+
+
+ Testnet
+
+
+
+
+ NewAccountLoginPage
+
+ Log in
+ Přihlásit se
+
+
+ How would you like to log in to Status?
+
+
+
+ Log in with recovery phrase
+
+
+
+ If you have your Status recovery phrase
+
+
+
+ Enter recovery phrase
+
+
+
+ Log in by syncing
+
+
+
+ If you have Status on another device
+
+
+
+ Log in with Keycard
+
+
+
+ If your profile keys are stored on a Keycard
+
+
+
+ To pair your devices and sync your profile, make sure to check and complete the following steps:
+
+
+
+ Connect both devices to the same network
+
+
+
+ Make sure you are logged in on the other device
+
+
+
+ Disable the firewall and VPN on both devices
+
+
+
+ Cancel
+
+
+
+ Continue
+
+
+
+ Status does not have access to local network
+
+
+
+ Status must be connected to the local network on this device for you to be able to log in via syncing. To rectify this...
+
+
+
+ 1. Open System Settings
+
+
+
+ 2. Click Privacy & Security
+
+
+
+ 3. Click Local Network
+
+
+
+ 4. Find Status
+
+
+
+ 5. Toggle the switch to grant access
+
+
+
+ 6. Click %1 below
+
+
+
+ Verify local network access
+
+
+
+ Verifying
+
+
+
+
+ NewMessagesMarker
+
+ %n missed message(s) since %1
+
+
+
+
+
+
+
+ NEW
+ new message(s)
+
+
+
+
+ NewsMessagePopup
+
+ Visit the website
+
+
+
+
+ NicknamePopup
+
+ Edit nickname
+
+
+
+ Add nickname
+
+
+
+ Nickname
+
+
+
+ Invalid characters (use A-Z and 0-9, hyphens and underscores only)
+
+
+
+ Nicknames must be at least %n character(s) long
+
+
+
+
+
+
+
+ Nicknames can’t start or end with a space
+
+
+
+ Nicknames can’t end in “.eth”, “_eth” or “-eth”
+
+
+
+ Adjective-animal nickname formats are not allowed
+
+
+
+ Nicknames help you identify others and are only visible to you
+
+
+
+ Cancel
+
+
+
+ Remove nickname
+
+
+
+ Change nickname
+
+
+
+
+ NoFriendsRectangle
+
+ You don’t have any contacts yet. Invite your friends to start chatting.
+
+
+
+ No users match your search
+
+
+
+ Invite friends
+
+
+
+
+ NoImageUploadedPanel
+
+ Upload
+
+
+
+ Wide aspect ratio is optimal
+
+
+
+
+ NoPermissionsToJoinPopup
+
+ Required assets not held
+
+
+
+ Reject
+
+
+
+ %1 no longer holds the tokens required to join %2 in their wallet, so their request to join %2 must be rejected.
+
+
+
+ %1 can request to join %2 again in the future, when they have the tokens required to join %2 in their wallet.
+
+
+
+
+ NodeLayout
+
+ Type json-rpc message... e.g {"method": "eth_accounts"}
+
+
+
+
+ NotificationSelect
+
+ Send Alerts
+
+
+
+ Deliver Quietly
+
+
+
+ Turn Off
+
+
+
+
+ NotificationsView
+
+ Community
+
+
+
+ 1:1 Chat
+
+
+
+ Group Chat
+
+
+
+ Muted
+
+
+
+ Off
+
+
+
+ Quiet
+
+
+
+ Personal @ Mentions %1
+
+
+
+ Global @ Mentions %1
+
+
+
+ Alerts
+
+
+
+ Other Messages %1
+
+
+
+ Multiple Exemptions
+
+
+
+ Enable Notifications in macOS Settings
+
+
+
+ To receive Status notifications, make sure you've enabled them in your computer's settings under <b>System Preferences > Notifications</b>
+
+
+
+ Allow Notification Bubbles
+
+
+
+ Messages
+
+
+
+ 1:1 Chats
+
+
+
+ Group Chats
+
+
+
+ Personal @ Mentions
+
+
+
+ Messages containing @%1
+
+
+
+ Global @ Mentions
+
+
+
+ Messages containing @everyone
+
+
+
+ All Messages
+
+
+
+ Others
+
+
+
+ Contact Requests
+
+
+
+ Status News
+
+
+
+ Enable RSS
+
+
+
+ Notification Content
+
+
+
+ Show Name and Message
+
+
+
+ Hi there! So EIP-1559 will defini...
+
+
+
+ Name Only
+
+
+
+ You have a new message
+
+
+
+ Anonymous
+
+
+
+ Play a Sound When Receiving a Notification
+
+
+
+ Volume
+
+
+
+ Send a Test Notification
+
+
+
+ Exemptions
+
+
+
+ Search Communities, Group Chats and 1:1 Chats
+
+
+
+ Most recent
+
+
+
+
+ OnboardingFlow
+
+ Status Software Privacy Policy
+
+
+
+ Done
+
+
+
+ Status Software Terms of Use
+
+
+
+
+ OnboardingLayout
+
+ fetch pin
+
+
+
+ fetch password
+
+
+
+ Credentials not found.
+
+
+
+ Fetching credentials failed.
+
+
+
+
+ OperatorsUtils
+
+ and
+
+
+
+ or
+ nebo
+
+
+
+ Options
+
+ Request to join required
+
+
+
+ Warning: Only token gated communities (or token gated channels inside non-token gated community) are encrypted
+
+
+
+ New members can see full message history
+
+
+
+ Any member can pin a message
+
+
+
+ You can token-gate your community and channels anytime after creation using existing tokens or by minting new ones in the community admin area.
+
+
+
+ Learn more about token-gating
+
+
+
+
+ OutroMessageInput
+
+ Leaving community message (you can edit this later)
+
+
+
+ The message a member will see when they leave your community
+
+
+
+ community outro message
+
+
+
+
+ OverviewSettingsChart
+
+ Messages
+
+
+
+ 1H
+
+
+
+ Time period
+
+
+
+ 1D
+
+
+
+ 7D
+
+
+
+ Date
+
+
+
+ 1M
+
+
+
+ 6M
+
+
+
+ Month
+
+
+
+ 1Y
+
+
+
+ ALL
+
+
+
+ Year
+
+
+
+ No. of Messages
+
+
+
+
+ OverviewSettingsFooter
+
+ Learn more
+ Dozvědět se více
+
+
+ Finalise your ownership of the %1 Community
+
+
+
+ You currently hodl the Owner token for %1. Make your device the control node to finalise ownership.
+
+
+
+ Finalise %1 ownership
+
+
+
+ This device is currently the control node for the %1 Community
+
+
+
+ For your Community to function correctly keep this device online with Status running as much as possible.
+
+
+
+ How to move control node
+
+
+
+ Make this device the control node for the %1 Community
+
+
+
+ Ensure this is a device you can keep online with Status running.
+
+
+
+ Make this device the control node
+
+
+
+
+ OverviewSettingsPanel
+
+ Overview
+
+
+
+ Transfer ownership
+
+
+
+ Edit Community
+
+
+
+ Community administration is disabled when in testnet mode
+
+
+
+ To access your %1 community admin area, you need to turn off testnet mode.
+
+
+
+ Turn off testnet mode
+
+
+
+
+ OwnerTokenWelcomeView
+
+ Your <b>Owner token</b> will give you permissions to access the token management features for your community. This token is very important - only one will ever exist, and if this token gets lost then access to the permissions it enables for your community will be lost forever as well.<br><br>
+ Minting your Owner token also automatically mints your community’s <b>TokenMaster token</b>. You can airdrop your community’s TokenMaster token to anybody you wish to grant both Admin permissions and permission to access your community’s token management functions to.<br><br>
+ Only the hodler of the Owner token can airdrop TokenMaster tokens. TokenMaster tokens are soulbound (meaning they can’t be transferred), and you (the hodler of the Owner token) can remotely destruct a TokenMaster token at any time, to revoke TokenMaster permissions from any individual.
+
+
+
+ Only 1 will ever exist
+
+
+
+ Hodler is the owner of the Community
+
+
+
+ Ability to airdrop / destroy TokenMaster token
+
+
+
+ Ability to mint and airdrop Community tokens
+
+
+
+ Unlimited supply
+
+
+
+ Grants full Community admin rights
+
+
+
+ Non-transferrable
+
+
+
+ Remotely destructible by the Owner token hodler
+
+
+
+ Next
+
+
+
+
+ PairWCModal
+
+ Connect a dApp via WalletConnect
+
+
+
+ How to copy the dApp URI
+
+
+
+ Done
+
+
+
+
+ PasswordConfirmationView
+
+ Passwords don't match
+
+
+
+ Have you written down your password?
+
+
+
+ You will never be able to recover your password if you lose it.
+
+
+
+ If you need to, write it using pen and paper and keep in a safe place.
+
+
+
+ If you lose your password you will lose access to your Status profile.
+
+
+
+ Confirm your password (again)
+
+
+
+
+ PasswordView
+
+ Create a password
+
+
+
+ Change your password
+
+
+
+ Create a password to unlock Status on this device & sign transactions.
+
+
+
+ Change password used to unlock Status on this device & sign transactions.
+
+
+
+ You will not be able to recover this password if it is lost.
+
+
+
+ Minimum %n character(s)
+
+
+
+
+
+
+
+ Passwords don't match
+
+
+
+ Only ASCII letters, numbers, and symbols are allowed
+
+
+
+ Maximum %n character(s)
+
+
+
+
+
+
+
+ Password pwned, shouldn't be used
+
+
+
+ Common password, shouldn't be used
+
+
+
+ Current password
+
+
+
+ Enter current password
+
+
+
+ Choose password
+
+
+
+ Type password
+
+
+
+ Repeat password
+
+
+
+ Passwords match
+
+
+
+ Lower case
+
+
+
+ Upper case
+
+
+
+ Numbers
+
+
+
+ Symbols
+
+
+
+
+ PaymentRequestAdaptor
+
+ Popular assets on %1
+
+
+
+
+ PaymentRequestCardDelegate
+
+ Send %1 %2 to %3
+
+
+
+ Requested by %1
+
+
+
+ Not available in the testnet mode
+
+
+
+
+ PaymentRequestMiniCardDelegate
+
+ Payment request
+
+
+
+
+ PaymentRequestModal
+
+ Payment request
+
+
+
+ Add to message
+
+
+
+ Into
+
+
+
+ On
+
+
+
+ Only
+
+
+
+
+ PermissionConflictWarningPanel
+
+ Conflicts with existing permission:
+
+
+
+ "Anyone who holds %1 can %2 in %3"
+
+
+
+ Edit permissions to resolve a conflict.
+
+
+
+
+ PermissionItem
+
+ Active
+
+
+
+ Pending, will become active once owner node comes online
+
+
+
+ Deletion pending, will be deleted once owner node comes online
+
+
+
+ Pending updates will be applied when owner node comes online
+
+
+
+ Anyone who holds
+
+
+
+ Anyone
+
+
+
+ is allowed to
+
+
+
+ and
+
+
+
+ in
+
+
+
+ Edit
+
+
+
+ Duplicate
+
+
+
+ Undo delete
+
+
+
+ Delete
+
+
+
+
+ PermissionQualificationPanel
+
+ %L1% of the %Ln community member(s) with known addresses will qualify for this permission.
+
+
+
+
+
+
+
+ The addresses of %Ln community member(s) are unknown.
+
+
+
+
+
+
+
+
+ PermissionTypes
+
+ Become an admin
+
+
+
+ Become member
+
+
+
+ View only
+
+
+
+ View and post
+
+
+
+ Manage community tokens
+
+
+
+ Manage TokenMaster tokens
+
+
+
+ You are eligible to join as
+
+
+
+ You'll be a
+
+
+
+ You're a
+
+
+
+ TokenMaster
+
+
+
+ Admin
+
+
+
+ Member
+
+
+
+ You'll no longer be a
+
+
+
+ Not eligible to join with current address selections
+
+
+
+ Members who meet the requirements will be allowed to create and edit permissions, token sales, airdrops and subscriptions
+
+
+
+ Be careful with assigning this permission.
+
+
+
+ Only the community owner can modify admin permissions
+
+
+
+ Anyone who meets the requirements will be allowed to join your community
+
+
+
+ Members who meet the requirements will be allowed to read and write in the selected channels
+
+
+
+ Members who meet the requirements will be allowed to read the selected channels
+
+
+
+ Max of 5 ‘become member’ permissions for this Community has been reached. You will need to delete an existing ‘become member’ permission before you can add a new one.
+
+
+
+
+ PermissionsCard
+
+ %1 will be able to:
+
+
+
+ Check your account balance and activity
+
+
+
+ Request transactions and message signing
+
+
+
+
+ PermissionsDropdown
+
+ Community
+
+
+
+ Channels
+
+
+
+ Add
+
+
+
+ Update
+
+
+
+
+ PermissionsHelpers
+
+ Any ENS username
+
+
+
+ ENS username on '%1' domain
+
+
+
+ ENS username '%1'
+
+
+
+
+ PermissionsRow
+
+ or
+ nebo
+
+
+ Eligible to join
+
+
+
+ Not eligible to join
+
+
+
+ +%1
+
+
+
+
+ PermissionsSettingsPanel
+
+ Permissions
+
+
+
+ Add new permission
+
+
+
+ Edit permission
+
+
+
+ New permission
+
+
+
+ Update permission
+
+
+
+ Revert changes
+
+
+
+
+ PermissionsView
+
+ Permissions
+
+
+
+ You can manage your community by creating and issuing membership and access permissions
+
+
+
+ Give individual members access to private channels
+
+
+
+ Monetise your community with subscriptions and fees
+
+
+
+ Require holding a token or NFT to obtain exclusive membership rights
+
+
+
+ No channel permissions
+
+
+
+ Users with view only permissions can add reactions
+
+
+
+ Sure you want to delete permission
+
+
+
+ If you delete this permission, any of your community members who rely on this permission will lose the access this permission gives them.
+
+
+
+
+ PinnedMessagesPopup
+
+ Pin limit reached
+
+
+
+ Pinned messages
+
+
+
+ Unpin a previous message first
+
+
+
+ %n message(s)
+
+
+
+
+
+
+
+ Pinned messages will appear here.
+
+
+
+ Unpin
+
+
+
+ Jump to
+
+
+
+ Unpin selected message and pin new message
+
+
+
+
+ Popups
+
+ Share addresses with %1's owner
+
+
+
+ Share addresses to rejoin %1
+
+
+
+ %1 removed from contacts and marked as untrusted
+
+
+
+ %1 removed from contacts
+
+
+
+ %1 marked as trusted
+
+
+
+ %1 trust mark removed, removed from contacts and marked as untrusted
+
+
+
+ %1 trust mark removed and marked as untrusted
+
+
+
+ %1 trust mark removed and removed from contacts
+
+
+
+ Contact request accepted
+
+
+
+ Contact request ignored
+
+
+
+ Recovery phrase permanently removed from Status application storage
+
+
+
+ You backed up your recovery phrase. Access it in Settings
+
+
+
+ Profile Picture
+
+
+
+ Make this my Profile Pic
+
+
+
+ %1 marked as untrusted
+
+
+
+ %1 unblocked
+
+
+
+ %1 blocked
+
+
+
+ Please choose a directory
+
+
+
+ Are you sure want to leave '%1'?
+
+
+
+ You will need to request to join if you want to become a member again in the future. If you joined the Community via public key ensure you have a copy of it before you go.
+
+
+
+ Cancel
+
+
+
+ Leave %1
+
+
+
+ Turn off testnet mode
+
+
+
+ Turn on testnet mode
+
+
+
+ Are you sure you want to turn off %1? All future transactions will be performed on live networks with real funds
+
+
+
+ Are you sure you want to turn on %1? In this mode, all blockchain data displayed will come from testnets and all blockchain interactions will be with testnets. Testnet mode switches the entire app to using testnets only. Please switch this mode on only if you know exactly why you need to use it.
+
+
+
+ Testnet mode turned on
+
+
+
+ Testnet mode turned off
+
+
+
+ Sign transaction - update %1 smart contract
+
+
+
+ %1 (%2) successfully hidden. You can toggle asset visibility via %3.
+
+
+
+ Settings
+ Go to Settings
+ Nastavení
+
+
+ Hide collectible
+
+
+
+ Hide %1
+
+
+
+ Are you sure you want to hide %1? You will no longer see or be able to interact with this collectible anywhere inside Status.
+
+
+
+ %1 successfully hidden. You can toggle collectible visibility via %2.
+
+
+
+ Status Software Privacy Policy
+
+
+
+ Status Software Terms of Use
+
+
+
+ Sign out
+
+
+
+ Make sure you have your account password and recovery phrase stored. Without them you can lock yourself out of your account and lose funds.
+
+
+
+ Sign out & Quit
+ Odhlásit se a ukončit
+
+
+
+ PrivacyAndSecurityView
+
+ Privacy policy
+
+
+
+ Receive Status News via RSS
+
+
+
+ Your IP address will be exposed to https://status.app
+
+
+
+ Third-party services
+
+
+
+ Enable/disable all third-party services
+
+
+
+ Share feedback or suggest improvements on our %1.
+
+
+
+ Share usage data with Status
+
+
+
+ From all profiles on device
+
+
+
+
+ PrivacyStore
+
+ Third-party services successfully enabled
+
+
+
+ Third-party services successfully disabled
+
+
+
+
+ PrivilegedTokenArtworkPanel
+
+ Included
+
+
+
+
+ ProfileContextMenu
+
+ Mark as trusted
+
+
+
+ Review contact request
+
+
+
+ Edit nickname
+
+
+
+ Add nickname
+
+
+
+ Remove nickname
+
+
+
+ Remove trusted mark
+
+
+
+ Unblock user
+
+
+
+ Remove from group
+
+
+
+ Mark as untrusted
+
+
+
+ Remove untrusted mark
+
+
+
+ Remove contact
+
+
+
+ Block user
+
+
+
+
+ ProfileDescriptionPanel
+
+ Display name
+
+
+
+ Display Name
+
+
+
+ Bio
+
+
+
+ Tell us about yourself
+
+
+
+ Bio can't be longer than %n character(s)
+
+
+
+
+
+
+
+ Invalid characters. Standard keyboard characters and emojis only.
+
+
+
+
+ ProfileDialogView
+
+ Edit Profile
+
+
+
+ Not available in preview mode
+
+
+
+ Send Message
+
+
+
+ Review contact request
+
+
+
+ Send contact request
+
+
+
+ Block user
+
+
+
+ Unblock user
+
+
+
+ Contact Request Pending
+
+
+
+ Share Profile
+
+
+
+ Share your profile
+
+
+
+ %1's profile
+
+
+
+ Mark as trusted
+
+
+
+ Edit nickname
+
+
+
+ Add nickname
+
+
+
+ Show QR code
+
+
+
+ Copy link to profile
+
+
+
+ Remove trusted mark
+
+
+
+ Remove nickname
+
+
+
+ Mark as untrusted
+
+
+
+ Remove untrusted mark
+
+
+
+ Remove contact
+
+
+
+ Copy Chat Key
+
+
+
+ Communities
+ Komunity
+
+
+ Accounts
+
+
+
+ Collectibles
+
+
+
+ Web
+
+
+
+
+ ProfileHeader
+
+ Bridged from Discord
+
+
+
+ Select different image
+
+
+
+ Select image
+
+
+
+ Use a collectible
+
+
+
+ Remove image
+
+
+
+
+ ProfileLayout
+
+ Contacts
+ Kontakty
+
+
+ Status Keycard
+
+
+
+ The Keycard module is still busy, please try again
+
+
+
+
+ ProfilePerspectiveSelector
+
+ Stranger
+
+
+
+ Contact
+
+
+
+ Trusted contact
+
+
+
+ Preview as %1
+
+
+
+
+ ProfilePopupInviteFriendsPanel
+
+ Contacts
+ Kontakty
+
+
+ Search contacts
+
+
+
+ Share community
+
+
+
+ Copied!
+
+
+
+
+ ProfilePopupInviteMessagePanel
+
+ Invitation Message
+
+
+
+ The message a contact will get with community invitation
+
+
+
+ Invites will be sent to:
+
+
+
+
+ ProfilePopupOverviewPanel
+
+ Share community
+
+
+
+ Copied!
+
+
+
+ Close Community
+
+
+
+ Leave Community
+
+
+
+
+ ProfileShowcaseAccountsPanel
+
+ Accounts here will show on your profile
+
+
+
+ Accounts here will be hidden from your profile
+
+
+
+ No accounts matching search
+
+
+
+ Search account name or address
+
+
+
+
+ ProfileShowcaseAccountsView
+
+ %1 has not shared any accounts
+
+
+
+ Copied
+
+
+
+ Copy address
+
+
+
+ Show address QR
+
+
+
+ Save address
+
+
+
+
+ ProfileShowcaseAssetsPanel
+
+ Assets here will show on your profile
+
+
+
+ Assets here will be hidden from your profile
+
+
+
+ No assets matching search
+
+
+
+ Search asset name, symbol or community
+
+
+
+ Don’t see some of your assets?
+
+
+
+
+ ProfileShowcaseAssetsView
+
+ %1 has not shared any assets
+
+
+
+ Visit community
+
+
+
+ View on CoinGecko
+
+
+
+
+ ProfileShowcaseCollectiblesPanel
+
+ Collectibles here will show on your profile
+
+
+
+ Collectibles here will be hidden from your profile
+
+
+
+ No collectibles matching search
+
+
+
+ Search collectible name, number, collection or community
+
+
+
+ Don’t see some of your collectibles?
+
+
+
+
+ ProfileShowcaseCollectiblesView
+
+ %1 has not shared any collectibles
+
+
+
+ Visit community
+
+
+
+ View on Opensea
+
+
+
+
+ ProfileShowcaseCommunitiesPanel
+
+ Drag communities here to display in showcase
+
+
+
+ Communities here will be hidden from your Profile
+
+
+
+ No communities matching search
+
+
+
+ Search community name or role
+
+
+
+ Member
+
+
+
+
+ ProfileShowcaseCommunitiesView
+
+ %1 has not shared any communities
+
+
+
+ Owner
+
+
+
+ Admin
+
+
+
+ Token Master
+
+
+
+ Member
+
+
+
+ You're there too
+
+
+
+ Visit community
+
+
+
+ Invite People
+ Pozvat lidi
+
+
+ Copied
+
+
+
+ Copy link to community
+
+
+
+
+ ProfileShowcaseInfoPopup
+
+ Build your profile showcase
+
+
+
+ Show visitors to your profile...
+
+
+
+ Communities you are a member of
+
+
+
+ Assets and collectibles you hodl
+
+
+
+ Accounts you own to make sending your funds easy
+
+
+
+ Choose your level of privacy with visibility controls
+
+
+
+ Build your showcase
+
+
+
+
+ ProfileShowcasePanel
+
+ Your search is too cool (use A-Z and 0-9, hyphens and underscores only)
+
+
+
+ Your search contains invalid characters (use A-Z and 0-9, hyphens and underscores only)
+
+
+
+ In showcase
+
+
+
+ Showcase limit of %1 reached
+
+
+
+ Hidden
+
+
+
+ Hide
+
+
+
+ Everyone
+
+
+
+ Contacts
+ Kontakty
+
+
+ Showcase limit of %1 reached. <br>Remove item from showcase to add more.
+
+
+
+
+ ProfileShowcaseSocialLinksView
+
+ %1 has not shared any links
+
+
+
+ Social handles and links are unverified
+
+
+
+ Copied
+
+
+
+ Copy link
+
+
+
+
+ ProfileShowcaseView
+
+ %1 is a community minted asset. Would you like to visit the community that minted it?
+
+
+
+ %1 is a community minted collectible. Would you like to visit the community that minted it?
+
+
+
+ Minted by %1
+
+
+
+ Cancel
+
+
+
+
+ ProfileSocialLinksPanel
+
+ In showcase
+
+
+
+ %1 / %2
+
+
+
+ Link limit of %1 reached
+
+
+
+ + Add a link
+
+
+
+ Edit link
+
+
+
+
+ ProfileUtils
+
+ X (Twitter)
+
+
+
+ Personal site
+
+
+
+ Github
+
+
+
+ YouTube channel
+
+
+
+ Discord handle
+
+
+
+ Telegram handle
+
+
+
+ Personal
+
+
+
+ YouTube
+
+
+
+ Discord
+
+
+
+ Telegram
+
+
+
+ Twitter username
+
+
+
+ Owner
+
+
+
+ Admin
+
+
+
+ TokenMaster
+
+
+
+ Member
+
+
+
+
+ PromotionalCommunityCard
+
+ Want to see your community here?
+
+
+
+ Help more people discover your community - start or join the vote to get it on the board.
+
+
+
+ Learn more
+ Dozvědět se více
+
+
+ Initiate the vote
+
+
+
+
+ RPCStatsModal
+
+ Total
+
+
+
+ %1 of %2
+
+
+
+ Refresh
+
+
+
+ Reset
+
+
+
+
+ RateView
+
+ Bandwidth
+
+
+
+ Upload
+
+
+
+ Kb/s
+
+
+
+ Download
+
+
+
+
+ RecipientInfoButtonWithMenu
+
+ View receiver address on %1
+ e.g. "View receiver address on Etherscan"
+
+
+
+ Copy receiver address
+
+
+
+ Copied
+
+
+
+
+ RecipientSelectorPanel
+
+ Recent
+
+
+
+ Saved
+
+
+
+ My Accounts
+
+
+
+ Recently used addresses will appear here
+
+
+
+ Your saved addresses will appear here
+
+
+
+ Add another account to send tokens between them
+
+
+
+ Search for saved address
+
+
+
+ No Saved Address
+
+
+
+ No Recents
+
+
+
+
+ RecipientTypeSelectionDropdown
+
+ ETH adresses
+
+
+
+ Community members
+
+
+
+
+ RecipientView
+
+ Enter a valid Ethereum address or ENS name
+
+
+
+
+ RemotelyDestructPopup
+
+ Remotely destruct %1 token on %2
+
+
+
+ Remotely destruct %1 token
+
+
+
+ Show fees (will be enabled once the form is filled)
+
+
+
+ Select a hodler to see remote destruction gas fees
+
+
+
+ Cancel
+
+
+
+ Remotely destruct %n token(s)
+
+
+
+
+
+
+
+
+ RemoveAccountConfirmationPopup
+
+ Remove %1
+
+
+
+ Are you sure you want to remove %1? The account will be removed from all of your synced devices. Make sure you have a backup of your keys or recovery phrase before proceeding. %2 Copying the derivation path to this account now will enable you to import it again at a later date should you wish to do so:
+
+
+
+ Are you sure you want to remove %1? The address will be removed from all of your synced devices.
+
+
+
+ Are you sure you want to remove %1 and it's associated private key? The account and private key will be removed from all of your synced devices.
+
+
+
+ Are you sure you want to remove %1? The account will be removed from all of your synced devices. Copying the derivation path to this account now will enable you to import it again at a later date should you with to do so:
+
+
+
+ Derivation path for %1
+
+
+
+ I have a copy of the private key
+
+
+
+ I have taken note of the derivation path
+
+
+
+ Cancel
+
+
+
+
+ RemoveContactPopup
+
+ Remove contact
+
+
+
+ You and %1 will no longer be contacts
+
+
+
+ Remove trust mark
+
+
+
+ Mark %1 as untrusted
+
+
+
+ Cancel
+
+
+
+
+ RemoveIDVerificationDialog
+
+ Remove trust mark
+
+
+
+ %1 will no longer be marked as trusted. This is only visible to you.
+
+
+
+ Mark %1 as untrusted
+
+
+
+ Remove contact
+
+
+
+ Cancel
+
+
+
+
+ RemoveKeypairPopup
+
+ Remove %1 key pair
+
+
+
+ Are you sure you want to remove %1 key pair? The key pair will be removed from all of your synced devices. Make sure you have a backup of your keys or recovery phrase before proceeding.
+
+
+
+ Accounts related to this key pair will also be removed:
+
+
+
+ Cancel
+
+
+
+ Remove key pair and derived accounts
+
+
+
+
+ RemoveSavedAddressPopup
+
+ Remove %1
+
+
+
+ Are you sure you want to remove %1 from your saved addresses? Transaction history relating to this address will no longer be labelled %1.
+
+
+
+ Cancel
+
+
+
+ Remove saved address
+
+
+
+
+ RenameAccontModal
+
+ Rename %1
+
+
+
+ Enter an account name...
+
+
+
+ Account name must be at least %n character(s)
+
+
+
+
+
+
+
+ This is not a valid account name
+
+
+
+ COLOUR
+
+
+
+ Change Name
+
+
+
+ Changing settings failed
+
+
+
+
+ RenameGroupPopup
+
+ Edit group name and image
+
+
+
+ Name the group
+
+
+
+ group name
+
+
+
+ Group image
+
+
+
+ Choose an image as logo
+
+
+
+ Use as an icon for this group chat
+
+
+
+ Standard colours
+
+
+
+ Save changes
+
+
+
+
+ RenameKeypairPopup
+
+ Rename key pair
+
+
+
+ Same name
+
+
+
+ Key pair name already in use
+
+
+
+ Key pair name
+
+
+
+ Accounts derived from this key pair
+
+
+
+ Cancel
+
+
+
+ Save changes
+
+
+
+
+ ReviewContactRequestPopup
+
+ Review Contact Request
+
+
+
+ Accept Contact Request
+
+
+
+ Reject Contact Request
+
+
+
+ Review contact request
+
+
+
+ Ignore
+
+
+
+ Accept
+
+
+
+
+ RightTabView
+
+ Collectibles
+
+
+
+ Assets
+
+
+
+ Activity
+
+
+
+
+ RootStore
+
+ You
+
+
+
+ You need to be a member of this group to send messages
+
+
+
+ Add %1 as a contact to send a message
+
+
+
+ Message
+
+
+
+ Arbiscan Explorer
+
+
+
+ Optimism Explorer
+
+
+
+ Base Explorer
+
+
+
+ Status Explorer
+
+
+
+ BNB Smart Chain Explorer
+
+
+
+ Etherscan Explorer
+
+
+
+
+ RouterErrorTag
+
+ - Hide details
+
+
+
+ + Show details
+
+
+
+
+ SavedAddressActivityPopup
+
+ Send
+
+
+
+
+ SavedAddresses
+
+ Search for name, ENS or address
+
+
+
+ Your search is too cool (use A-Z and 0-9, single whitespace, hyphens and underscores only)
+
+
+
+ Your search contains invalid characters (use A-Z and 0-9, single whitespace, hyphens and underscores only)
+
+
+
+ Your saved addresses will appear here
+
+
+
+ No saved addresses found. Check spelling or address is correct.
+
+
+
+
+ SavedAddressesDelegate
+
+ Edit saved address
+
+
+
+ Address copied
+
+
+
+ Copy address
+
+
+
+ Show address QR
+
+
+
+ View activity
+
+
+
+ Remove saved address
+
+
+
+
+ ScanOrEnterQrCode
+
+ Scan encrypted QR code
+
+
+
+ Enter encrypted key
+
+
+
+ This does not look like the correct key pair QR code
+
+
+
+ This does not look like an encrypted key pair code
+
+
+
+ Paste encrypted key
+
+
+
+
+ ScrollingModal
+
+ System
+
+
+
+ Custom
+
+
+
+ Velocity
+
+
+
+ Deceleration
+
+
+
+ Test scrolling
+
+
+
+
+ SearchBox
+
+ Search
+
+
+
+
+ SearchBoxWithRightIcon
+
+ Search
+
+
+
+
+ SearchEngineModal
+
+ Search engine
+
+
+
+ None
+
+
+
+
+ SearchableAssetsPanel
+
+ Your assets will appear here
+
+
+
+ Search for token or enter token address
+
+
+
+
+ SearchableCollectiblesPanel
+
+ Your collectibles will appear here
+
+
+
+ Search collectibles
+
+
+
+ Community minted
+
+
+
+ Other
+ Jiná
+
+
+ Back
+
+
+
+
+ SeedPhrase
+
+ Reveal recovery phrase
+
+
+
+ Write down your recovery phrase
+
+
+
+ The next screen contains your recovery phrase.<br/><b>Anyone</b> who sees it can use it to access to your funds.
+
+
+
+
+ SeedphrasePage
+
+ Create profile using a recovery phrase
+
+
+
+ Enter your 12, 18 or 24 word recovery phrase
+
+
+
+ Continue
+
+
+
+
+ SeedphraseVerifyInput
+
+ Enter word
+
+
+
+ Clear
+
+
+
+
+ SelectImportMethod
+
+ Import method
+
+
+
+ Import via scanning encrypted QR
+
+
+
+ Import via entering recovery phrase
+
+
+
+ Import via entering private key
+
+
+
+
+ SelectKeyPair
+
+ Select a key pair
+
+
+
+ Select which key pair you’d like to move to this Keycard
+
+
+
+ Profile key pair
+
+
+
+ Other key pairs
+
+
+
+
+ SelectKeypair
+
+ To use the associated accounts on this device, you need to import their key pairs.
+
+
+
+ Import key pairs from your other device
+
+
+
+ Import via scanning encrypted QR
+
+
+
+ Import individual keys
+
+
+
+
+ SelectMasterKey
+
+ Add new master key
+
+
+
+ Import using recovery phrase
+
+
+
+ Import private key
+
+
+
+ Generate new master key
+
+
+
+ Use Keycard
+
+
+
+ Continue in Keycard settings
+
+
+
+
+ SelectOrigin
+
+ Origin
+
+
+
+ From Keycard, private key or recovery phrase
+
+
+
+ Any ETH address
+
+
+
+
+ SelectParamsForBuyCryptoPanel
+
+ Buy via %1
+
+
+
+ Select which network and asset
+
+
+
+ Select network
+
+
+
+ Select asset
+
+
+
+
+ SendContactRequestMenuItem
+
+ Send contact request
+
+
+
+
+ SendContactRequestModal
+
+ Why should they accept your contact request?
+
+
+
+ Write a short message telling them who you are...
+
+
+
+ Send contact request
+
+
+
+ who are you
+
+
+
+ Cancel
+
+
+
+
+ SendContactRequestToChatKeyModal
+
+ Send Contact Request to chat key
+
+
+
+ Paste
+
+
+
+ Enter chat key here
+
+
+
+ Say who you are / why you want to become a contact...
+
+
+
+ who are you
+
+
+
+ Send Contact Request
+
+
+
+
+ SendMessageMenuItem
+
+ Send message
+
+
+
+
+ SendModal
+
+ Bridge
+
+
+
+ Register Ens
+
+
+
+ Connect username
+
+
+
+ Release username
+
+
+
+ Send
+
+
+
+ Amount to bridge
+
+
+
+ Amount to send
+
+
+
+ To
+
+
+
+ Error sending the transaction
+
+
+
+
+ SendModalFooter
+
+ Est time
+
+
+
+ Est fees
+
+
+
+ Review Send
+
+
+
+
+ SendModalHeader
+
+ Send
+
+
+
+ On:
+
+
+
+
+ SendRecipientInput
+
+ Enter an ENS name or address
+
+
+
+ Paste
+
+
+
+
+ SendSignModal
+
+ Sign Send
+
+
+
+ %1 to %2
+
+
+
+ Send %1 to %2 on %3
+
+
+
+ Review all details before signing
+
+
+
+ Max fees
+
+
+
+ Edit transaction settings
+
+
+
+ Send
+
+
+
+ Unknown
+
+
+
+ From
+
+
+
+ To
+
+
+
+ Network
+
+
+
+ Fees
+
+
+
+ Max. fees on %1
+
+
+
+
+ SessionRequest
+
+ sign
+
+
+
+ sign this message
+
+
+
+ sign typed data
+
+
+
+ sign transaction
+
+
+
+ sign this transaction
+
+
+
+ transaction
+
+
+
+
+ SettingsDirtyToastMessage
+
+ Changes detected
+
+
+
+ Save changes
+
+
+
+ Save for later
+
+
+
+ Cancel
+
+
+
+
+ SettingsEntriesModel
+
+ Apps
+ Aplikace
+
+
+ Preferences
+ Preference
+
+
+ About & Help
+ O aplikaci a nápověda
+
+
+ Back up recovery phrase
+ Zálohovat obnovovací frázi
+
+
+ Recovery phrase
+ Obnovovací fráze
+
+
+ Profile
+ Profil
+
+
+ Password
+ Heslo
+
+
+ Keycard
+ Keycard
+
+
+ ENS usernames
+ ENS uživatelská jména
+
+
+ This section is going through a redesign.
+
+
+
+ Syncing
+ Synchronizace
+
+
+ Connection problems can happen.<br>If they do, please use the Enter a Recovery Phrase feature instead.
+
+
+
+ Messaging
+ Zprávy
+
+
+ Contacts
+ Kontakty
+
+
+ Wallet
+ Peněženka
+
+
+ Browser
+ Webový prohlížeč
+
+
+ Communities
+ Komunity
+
+
+ Privacy and security
+ Soukromí a zabezpečení
+
+
+ Appearance
+ Vzhled
+
+
+ Notifications & Sounds
+ Upozornění a zvuk
+
+
+ Language & Currency
+ Jazyk a měna
+
+
+ Advanced
+ Pokročilé
+
+
+ About
+ O aplikaci
+
+
+ Sign out & Quit
+ Odhlásit se a ukončit
+
+
+
+ SettingsLeftTabView
+
+ Settings
+ Nastavení
+
+
+
+ SetupSyncingPopup
+
+ Sync a New Device
+
+
+
+ Sync code
+
+
+
+ On your other device, navigate to the Syncing<br>screen and select Enter Sync Code.
+
+
+
+ Your QR and Sync Code have expired.
+
+
+
+ Failed to generate sync code
+
+
+
+ Failed to start pairing server
+
+
+
+ Done
+
+
+
+ Close
+
+
+
+
+ ShareProfileDialog
+
+ Profile link
+
+
+
+ Copy link
+
+
+
+ Emoji hash
+
+
+
+ Copy emoji hash
+
+
+
+
+ SharedAddressesAccountSelector
+
+ No relevant tokens
+
+
+
+ Use this address for any Community airdrops
+
+
+
+
+ SharedAddressesPanel
+
+ Edit which addresses you share with %1
+
+
+
+ Select addresses to share with %1
+
+
+
+ Cancel
+
+
+
+ Requirements check pending
+
+
+
+ Checking permissions failed
+
+
+
+ Save changes & leave %1
+
+
+
+ Save changes & update my permissions
+
+
+
+ Reveal all addresses
+
+
+
+ Reveal %n address(s)
+
+
+
+
+
+
+
+ Share all addresses to join
+
+
+
+ Share %n address(s) to join
+
+
+
+
+
+
+
+ Selected addresses have insufficient tokens to maintain %1 membership
+
+
+
+ By deselecting these addresses, you will lose channel permissions
+
+
+
+
+ SharedAddressesPermissionsPanel
+
+ Permissions
+
+
+
+ Updating eligibility
+
+
+
+ Become an admin
+
+
+
+ Join %1
+
+
+
+ Become a TokenMaster
+
+
+
+ Admin
+
+
+
+ Join
+
+
+
+ View only
+
+
+
+ View & post
+
+
+
+ TokenMaster
+
+
+
+
+ SharedAddressesSigningPanel
+
+ Save addresses you share with %1
+
+
+
+ Request to join %1
+
+
+
+ Share all addresses to join
+
+
+
+ Share %n address(s) to join
+
+
+
+
+
+
+
+ To share %n address(s) with <b>%1</b>, authenticate the associated key pairs...
+
+
+
+
+
+
+
+ Stored on device
+
+
+
+ Authenticate
+
+
+
+ Authenticated
+
+
+
+ Stored on keycard
+
+
+
+ Authenticate via “%1” key pair
+
+
+
+ The following key pairs will be authenticated via “%1” key pair
+
+
+
+
+ ShowcaseDelegate
+
+ Show to
+
+
+
+ Everyone
+
+
+
+ Everyone (set account to Everyone)
+
+
+
+ Contacts
+ Kontakty
+
+
+ Contacts (set account to Contacts)
+
+
+
+ No one
+
+
+
+
+ SignCollectibleInfoBox
+
+ View collectible on OpenSea
+
+
+
+ View collectible on %1
+ e.g. "View collectible on Etherscan"
+
+
+
+ Copy %1 collectible address
+
+
+
+ Copied
+
+
+
+
+ SignMessageModal
+
+ Signature request
+
+
+
+ From
+
+
+
+ Data
+
+
+
+ Message
+
+
+
+ Reject
+
+
+
+ Sign
+
+
+
+ Sign with password
+
+
+
+
+ SignTransactionModalBase
+
+ Sign
+
+
+
+ Close
+
+
+
+ Reject
+
+
+
+
+ SignTransactionsPopup
+
+ Cancel
+
+
+
+ Sign transaction
+
+
+
+
+ SimpleSendModal
+
+ To
+
+
+
+ Fees
+
+
+
+ Insufficient funds for send transaction
+
+
+
+ Add ETH
+
+
+
+ Add BNB
+
+
+
+ Add assets
+
+
+
+ Add %1
+
+
+
+
+ SimpleTransactionsFees
+
+ Est %1 transaction fee
+
+
+
+
+ SimplifiedMessageView
+
+ You
+
+
+
+
+ SiweLifeCycle
+
+ Failed to authenticate %1 from %2
+
+
+
+
+ SlippageSelector
+
+ Custom
+
+
+
+ Enter a slippage value
+
+
+
+ Slippage should be more than 0
+
+
+
+ Invalid value
+
+
+
+ Slippage may be higher than necessary
+
+
+
+
+ SortOrderComboBox
+
+ Sort by
+
+
+
+
+ SortableTokenHoldersList
+
+ Username
+
+
+
+ No. of messages
+
+
+
+ Hodling
+
+
+
+
+ SortableTokenHoldersPanel
+
+ %1 token hodlers
+
+
+
+ Search hodlers
+
+
+
+ Search results
+
+
+
+ No hodlers found
+
+
+
+ No hodlers just yet
+
+
+
+ You can Airdrop tokens to deserving Community members or to give individuals token-based permissions.
+
+
+
+ Airdrop
+
+
+
+ View Profile
+
+
+
+ View Messages
+
+
+
+ Remotely destruct
+
+
+
+ Kick
+
+
+
+ Ban
+
+
+
+
+ SplashScreen
+
+ Preparing Status for you
+
+
+
+ Hang in there! Just a few more seconds!
+
+
+
+
+ StatusActivityCenterButton
+
+ Notifications
+
+
+
+
+ StatusAddressOrEnsValidator
+
+ Please enter a valid address or ENS name.
+
+
+
+
+ StatusAddressValidator
+
+ Please enter a valid address.
+
+
+
+
+ StatusAsyncEnsValidator
+
+ ENS name could not be resolved in to an address
+
+
+
+
+ StatusAsyncValidator
+
+ invalid input
+
+
+
+
+ StatusBadge
+
+ 99+
+
+
+
+
+ StatusChatImageExtensionValidator
+
+ Format not supported.
+
+
+
+ Upload %1 only
+
+
+
+
+ StatusChatImageLoader
+
+ Error loading the image
+
+
+
+ Loading image...
+
+
+
+
+ StatusChatImageQtyValidator
+
+ You can only upload %n image(s) at a time
+
+
+
+
+
+
+
+
+ StatusChatImageSizeValidator
+
+ Max image size is %1 MB
+
+
+
+
+ StatusChatInfoButton
+
+ Unmute
+
+
+
+ %Ln pinned message(s)
+
+
+
+
+
+
+
+
+ StatusChatInput
+
+ Message
+
+
+
+ Please choose an image
+
+
+
+ Image files (%1)
+
+
+
+ Add image
+
+
+
+ Not available in Testnet mode
+
+
+
+ Add payment request
+
+
+
+ Please reduce the message length
+
+
+
+ Maximum message character count is %n
+
+
+
+
+
+
+
+ Bold (%1)
+
+
+
+ Italic (%1)
+
+
+
+ Strikethrough (%1)
+
+
+
+ Code (%1)
+
+
+
+ Quote (%1)
+
+
+
+ Send message
+
+
+
+
+ StatusChatListCategoryItem
+
+ Add channel inside category
+
+
+
+ More
+
+
+
+
+ StatusChatListItem
+
+ Unmute
+
+
+
+
+ StatusClearButton
+
+ Clear
+
+
+
+
+ StatusColorDialog
+
+ This is not a valid colour
+
+
+
+ Preview
+
+
+
+ Standard colours
+
+
+
+ Select Colour
+
+
+
+
+ StatusContactVerificationIcons
+
+ Blocked
+
+
+
+ Trusted contact
+
+
+
+ Untrusted contact
+
+
+
+ Contact
+
+
+
+ Untrusted
+
+
+
+
+ StatusDatePicker
+
+ Today
+
+
+
+ Previous year
+
+
+
+ Previous month
+
+
+
+ Select year/month
+
+
+
+ Next year
+
+
+
+ Next month
+
+
+
+
+ StatusDateRangePicker
+
+ Filter activity by period
+
+
+
+ From
+
+
+
+ To
+
+
+
+ Now
+
+
+
+ 'From' can't be later than 'To'
+
+
+
+ Can't set date to future
+
+
+
+ Reset
+
+
+
+ Apply
+
+
+
+
+ StatusDialog
+
+ OK
+
+
+
+ Close
+
+
+
+ Abort
+
+
+
+ Cancel
+
+
+
+ No to all
+
+
+
+ No
+
+
+
+ Open
+
+
+
+ Save
+
+
+
+ Save all
+
+
+
+ Retry
+
+
+
+ Ignore
+
+
+
+ Yes to all
+
+
+
+ Yes
+
+
+
+ Apply
+
+
+
+
+ StatusEditMessage
+
+ Cancel
+
+
+
+ Save
+
+
+
+
+ StatusEmojiPopup
+
+ Search Results
+
+
+
+ No results found
+
+
+
+
+ StatusFloatValidator
+
+ Please enter a valid numeric value.
+
+
+
+
+ StatusGifColumn
+
+ Remove from favorites
+
+
+
+ Add to favorites
+
+
+
+
+ StatusGifPopup
+
+ Search
+
+
+
+ TRENDING
+
+
+
+ FAVORITES
+
+
+
+ RECENT
+
+
+
+
+ StatusImageSelector
+
+ Supported image formats (%1)
+
+
+
+
+ StatusIntValidator
+
+ Please enter a valid numeric value.
+
+
+
+
+ StatusListPicker
+
+ Search
+
+
+
+
+ StatusMacNotification
+
+ My latest message
+ with a return
+
+
+
+ Open
+
+
+
+
+ StatusMessageDialog
+
+ Question
+
+
+
+ Information
+
+
+
+ Warning
+
+
+
+ Error
+
+
+
+
+ StatusMessageEmojiReactions
+
+ and
+
+
+
+ %1 more
+
+
+
+ %1 reacted with %2
+
+
+
+ Add reaction
+
+
+
+
+ StatusMessageHeader
+
+ You
+
+
+
+ Failed to resend: %1
+
+
+
+ Delivered
+
+
+
+ Sent
+
+
+
+ Sending
+
+
+
+ Sending failed
+
+
+
+ Resend
+
+
+
+
+ StatusMessageReply
+
+ You
+
+
+
+
+ StatusMinLengthValidator
+
+ Please enter a value
+
+
+
+ The value must be at least %n character(s).
+
+
+
+
+
+
+
+
+ StatusNewTag
+
+ NEW
+
+
+
+
+ StatusPasswordStrengthIndicator
+
+ Very weak
+
+
+
+ Weak
+
+
+
+ Okay
+
+
+
+ Good
+
+
+
+ Very strong
+
+
+
+
+ StatusQrCodeScanner
+
+ Camera is not available
+
+
+
+
+ StatusSearchListPopup
+
+ Search...
+
+
+
+
+ StatusSearchLocationMenu
+
+ Anywhere
+
+
+
+
+ StatusSearchPopup
+
+ No results
+
+
+
+ Anywhere
+
+
+
+ Search
+
+
+
+ In:
+
+
+
+
+ StatusStackModal
+
+ StackModal
+
+
+
+ Next
+
+
+
+ Finish
+
+
+
+
+ StatusStickerButton
+
+ Buy for %1 SNT
+
+
+
+ Uninstall
+
+
+
+ Update
+
+
+
+ Free
+
+
+
+ Install
+
+
+
+ Cancel
+
+
+
+ Pending...
+
+
+
+
+ StatusStickersPopup
+
+ Failed to load stickers
+
+
+
+ Try again
+
+
+
+ You don't have any stickers yet
+
+
+
+ Recently used stickers will appear here
+
+
+
+ Get Stickers
+
+
+
+
+ StatusSyncCodeInput
+
+ Copy
+
+
+
+ Paste
+
+
+
+
+ StatusSyncCodeScan
+
+ Enable access to your camera
+
+
+
+ To scan a QR, Status needs
+access to your webcam
+
+
+
+ Enable camera access
+
+
+
+ Ensure that the QR code is in focus to scan
+
+
+
+
+ StatusSyncDeviceDelegate
+
+ Unknown device
+
+
+
+ This device
+
+
+
+ Never seen online
+
+
+
+ Online now
+
+
+
+ Online %n minute(s) ago
+
+
+
+
+
+
+
+ Last seen earlier today
+
+
+
+ Last online yesterday
+
+
+
+ Last online: %1
+
+
+
+ Pair
+
+
+
+ Unpair
+
+
+
+
+ StatusTextMessage
+
+ (edited)
+
+
+
+
+ StatusTokenInlineSelector
+
+ Hold
+
+
+
+ or
+ nebo
+
+
+ to post
+
+
+
+
+ StatusTrayIcon
+
+ Open Status
+
+
+
+ Quit
+
+
+
+
+ StatusTxProgressBar
+
+ Failed on %1
+
+
+
+ Confirmation in progress on %1...
+
+
+
+ Finalised on %1
+
+
+
+ Confirmed on %1, finalisation in progress...
+
+
+
+ Pending on %1...
+
+
+
+ In epoch %1
+
+
+
+ %n day(s) until finality
+
+
+
+
+
+
+
+ %1 / %2 confirmations
+
+
+
+
+ StatusUrlValidator
+
+ Please enter a valid URL
+
+
+
+
+ StatusValidator
+
+ invalid input
+
+
+
+
+ SupportedTokenListsPanel
+
+ %n token(s) · Last updated %1
+
+
+
+
+
+
+
+ View
+
+
+
+
+ SwapApproveCapModal
+
+ Approve spending cap
+
+
+
+ Set %1 spending cap in %2 for %3 on %4
+ e.g. "Set 100 DAI spending cap in <account name> for <service> on <network name>"
+
+
+
+ The smart contract specified will be able to spend up to %1 of your current or future balance.
+
+
+
+ Review all details before signing
+
+
+
+ Max fees:
+
+
+
+ Est. time:
+
+
+
+ Set spending cap
+
+
+
+ Account
+
+
+
+ Token
+
+
+
+ Via smart contract
+
+
+
+ Network
+
+
+
+ Fees
+
+
+
+ Max. fees on %1
+
+
+
+
+ SwapInputPanel
+
+ Pay
+
+
+
+ Receive
+
+
+
+
+ SwapModal
+
+ Swap
+
+
+
+ On:
+
+
+
+ Add assets
+
+
+
+ Add %1
+
+
+
+ Max slippage:
+
+
+
+ N/A
+ N/A
+
+
+ Max fees:
+
+
+
+ Approving %1
+
+
+
+ Approve %1
+
+
+
+ Approving %1 spending cap to Swap
+
+
+
+ Approve %1 spending cap to Swap
+
+
+
+ Sign Swap
+
+
+
+ Sign
+
+
+
+
+ SwapModalAdaptor
+
+ Insufficient funds for swap
+
+
+
+ Not enough ETH to pay gas fees
+
+
+
+ Fetching the price took longer than expected. Please, try again later.
+
+
+
+ Not enough liquidity. Lower token amount or try again later.
+
+
+
+ Price impact too high. Lower token amount or try again later.
+
+
+
+ Something went wrong. Change amount, token or try again later.
+
+
+
+
+ SwapProvidersTermsAndConditionsText
+
+ Powered by
+
+
+
+ View
+
+
+
+ Terms & Conditions
+
+
+
+
+ SwapSignModal
+
+ %1 to %2
+ e.g. (swap) 100 DAI to 100 USDT
+
+
+
+ Swap %1 to %2 in %3 on %4
+ e.g. "Swap 100 DAI to 100 USDT in <account name> on <network chain name>"
+
+
+
+ Review all details before signing
+
+
+
+ Max fees:
+
+
+
+ Max slippage:
+
+
+
+ Pay
+
+
+
+ Receive
+
+
+
+ In account
+
+
+
+ Network
+
+
+
+ Fees
+
+
+
+ Max. fees on %1
+
+
+
+
+ SyncDeviceCustomizationPopup
+
+ Personalize %1
+
+
+
+ Device name
+
+
+
+ Device name can not be empty
+
+
+
+ Installation ID
+
+
+
+ Done
+
+
+
+
+ SyncProgressPage
+
+ Profile sync in progress...
+
+
+
+ Your profile data is being synced to this device
+
+
+
+ Please keep both devices switched on and connected to the same network until the sync is complete
+
+
+
+ Profile synced
+
+
+
+ Your profile data has been synced to this device
+
+
+
+ Failed to pair devices
+
+
+
+ Try again and double-check the instructions
+
+
+
+ Log in
+ Přihlásit se
+
+
+ Try to pair again
+
+
+
+ Log in via recovery phrase
+
+
+
+
+ SyncingCodeInstructions
+
+ Mobile
+
+
+
+ Desktop
+
+
+
+
+ SyncingDeviceView
+
+ Device found!
+
+
+
+ Device synced!
+
+
+
+ Device failed to sync
+
+
+
+ Syncing your profile and settings preferences
+
+
+
+ Your devices are now in sync
+
+
+
+ Syncing with device
+
+
+
+ Synced device
+
+
+
+ Failed to sync devices
+
+
+
+
+ SyncingDisplayCode
+
+ Reveal QR
+
+
+
+ Regenerate
+
+
+
+ Code valid for:
+
+
+
+ Copy
+
+
+
+
+ SyncingEnterCode
+
+ Scan QR code
+
+
+
+ Enter code
+
+
+
+ How to get a pairing code
+
+
+
+ This does not look like a pairing QR code
+
+
+
+ This does not look like a pairing code
+
+
+
+ Type or paste pairing code
+
+
+
+ eg. %1
+
+
+
+ Ensure both devices are on the same local network
+
+
+
+ Continue
+
+
+
+
+ SyncingView
+
+ Verify your login with password or Keycard
+
+
+
+ Reveal a temporary QR and Sync Code
+
+
+
+ Share that information with your new device
+
+
+
+ Devices
+
+
+
+ Loading devices...
+
+
+
+ Error loading devices. Please try again later.
+
+
+
+ Sync a New Device
+
+
+
+ Connection problems can happen.<br>If they do, please use the Enter a Recovery Phrase feature instead.
+
+
+
+ You own your data. Sync it among your devices.
+
+
+
+ Setup Syncing
+
+
+
+ This is best done in private. The code will grant access to your profile.
+
+
+
+ How to get a sync code
+
+
+
+ Directory of the local backup files
+
+
+
+ Backup Data Locally
+
+
+
+ Import Local Backup File
+
+
+
+ Success importing local data
+
+
+
+ Error importing backup file: %1
+
+
+
+ Pair Device
+
+
+
+ Are you sure you want to pair this device?
+
+
+
+ Pair
+
+
+
+ Error pairing device: %1
+
+
+
+ Unpair Device
+
+
+
+ Are you sure you want to unpair this device?
+
+
+
+ Unpair
+
+
+
+ Error unpairing device: %1
+
+
+
+ Select your backup file
+
+
+
+ Supported backup formats (%1)
+
+
+
+ Select your backup directory
+
+
+
+
+ TagsPanel
+
+ Community Tags
+
+
+
+ Confirm Community Tags
+
+
+
+ Select tags that will fit your Community
+
+
+
+ Search tags
+
+
+
+ Selected tags
+
+
+
+ %1 / %2
+
+
+
+ No tags selected yet
+
+
+
+
+ TagsPicker
+
+ Tags
+
+
+
+ Choose tags describing the community
+
+
+
+ Add at least 1 tag
+
+
+
+
+ ThirdpartyServicesPopup
+
+ Third-party services
+
+
+
+ Status uses essential third-party services to make your experience more convenient, efficient, and engaging. While only necessary integrations are included, users who prefer to avoid any third-party services can disable them entirely – though this may limit functionality and affect usability
+
+
+
+ Features that will be unavailable:
+
+
+
+ Wallet (Swap, Send, Token data, etc.)
+
+
+
+ Market (Token data, prices, and news, etc.)
+
+
+
+ Token-gated communities and admin tools
+
+
+
+ Status news, etc.
+
+
+
+ You may also experience:
+
+
+
+ Missing or invalid data
+
+
+
+ Errors and unexpected behavior
+
+
+
+ Only disable third-party services if you're aware of the trade-offs. Re-enable them anytime in Settings. Read more details about third-party services %1.
+
+
+
+ Share feedback or suggest improvements on our %1.
+
+
+
+ Disable third-party services
+
+
+
+ Enable third-party services
+
+
+
+ Close
+
+
+
+
+ ThumbnailsDropdownContent
+
+ No results
+
+
+
+
+ ToastsManager
+
+ You received the Owner token for %1. To finalize ownership, make your device the control node.
+
+
+
+ Finalise ownership
+
+
+
+ You declined ownership of %1.
+
+
+
+ Return owner token to sender
+
+
+
+ Your device is no longer the control node for %1.
+ Your ownership and admin rights for %1 have been transferred to the new owner.
+
+
+
+ You received your first community asset
+
+
+
+ You received your first community collectible
+
+
+
+ %1: %2 %3
+
+
+
+ Learn more
+ Dozvědět se více
+
+
+ You were airdropped %1 %2 from %3 to %4
+
+
+
+ View transaction details
+
+
+
+ Read more
+
+
+
+ Profile changes saved
+
+
+
+ Profile changes could not be saved
+
+
+
+ Trust mark removed for %1
+
+
+
+ Local backup import completed
+
+
+
+ Local backup import failed
+
+
+
+
+ TokenCategories
+
+ Community assets
+
+
+
+ Your assets
+
+
+
+ All listed assets
+
+
+
+ Community collectibles
+
+
+
+ Your collectibles
+
+
+
+ All collectibles
+
+
+
+
+ TokenDelegate
+
+ %1 %2%
+ [up/down/none character depending on value sign] [localized percentage value]%
+
+
+
+
+ TokenHoldersList
+
+ Username
+
+
+
+ Hodling
+
+
+
+
+ TokenHoldersPanel
+
+ %1 token hodlers
+
+
+
+ Search hodlers
+
+
+
+ No hodlers found
+
+
+
+
+ TokenInfoPanel
+
+ Symbol
+
+
+
+ Total
+
+
+
+ Remaining
+
+
+
+ DP
+
+
+
+ Transferable
+
+
+
+ Yes
+
+
+
+ No
+
+
+
+ Destructible
+
+
+
+ Account
+
+
+
+
+ TokenListPopup
+
+ %n token(s)
+
+
+
+
+
+
+
+ Done
+
+
+
+ Source
+
+
+
+ Version
+
+
+
+ %1 - last updated %2
+
+
+
+ Name
+
+
+
+ Symbol
+
+
+
+ Address
+
+
+
+ (Test)
+
+
+
+
+ TokenMasterActionPopup
+
+ Ban %1
+
+
+
+ Kick %1
+
+
+
+ Remotely destruct TokenMaster token
+
+
+
+ Remotely destruct 1 TokenMaster token on %1
+
+
+
+ Continuing will destroy the TokenMaster token held by <span style="font-weight:600;">%1</span> and revoke the permissions they have by virtue of holding this token.
+
+
+
+ Are you sure you kick <span style="font-weight:600;">%1</span> from %2? <span style="font-weight:600;">%1</span> is a TokenMaster hodler. In order to kick them you must also remotely destruct their TokenMaster token to revoke the permissions they have by virtue of holding this token.
+
+
+
+ Are you sure you ban <span style="font-weight:600;">%1</span> from %2? <span style="font-weight:600;">%1</span> is a TokenMaster hodler. In order to kick them you must also remotely destruct their TokenMaster token to revoke the permissions they have by virtue of holding this token.
+
+
+
+ Delete all messages posted by the user
+
+
+
+ Remotely destruct 1 TokenMaster token
+
+
+
+ Cancel
+
+
+
+ Ban %1 and remotely destruct 1 token
+
+
+
+ Kick %1 and remotely destruct 1 token
+
+
+
+ Remotely destruct 1 token
+
+
+
+
+ TokenPanel
+
+ Network for airdrop
+
+
+
+ Add
+
+
+
+ Update
+
+
+
+ Remove
+
+
+
+
+ TokenPermissionsPopup
+
+ Token permissions for %1 channel
+
+
+
+
+ TokenSelectorButton
+
+ Select token
+
+
+
+
+ TokenSelectorCompactButton
+
+ Select asset
+
+
+
+
+ TokenSelectorPanel
+
+ Assets
+
+
+
+ Collectibles
+
+
+
+
+ TokenSelectorViewAdaptor
+
+ Popular assets
+
+
+
+ Your assets on %1
+
+
+
+
+ TransactionContextMenu
+
+ View on %1
+
+
+
+ Copy transaction hash
+
+
+
+ Copied
+
+
+
+
+ TransactionDelegate
+
+ N/A
+ N/A
+
+
+ %1 (community asset) from %2 on %3
+
+
+
+ %1 from %2 to %3 on %4 and %5
+
+
+
+ %1 to %2 on %3 and %4
+
+
+
+ %1 from %2 to %3 on %4
+
+
+
+ %1 to %2 on %3
+
+
+
+ %1 from %2 on %3 and %4
+
+
+
+ %1 from %2 on %3
+
+
+
+ %1 at %2 on %3 in %4
+
+
+
+ %1 at %2 on %3
+
+
+
+ %1 to %2 in %3 on %4
+
+
+
+ %1 from %2 to %3 in %4
+
+
+
+ %1 from %2 to %3
+
+
+
+ Via %1 on %2
+
+
+
+ %1 via %2 in %3
+
+
+
+ %1 via %2
+
+
+
+ %1 in %2 for %3 on %4
+
+
+
+ %1 for %2 on %3
+
+
+
+ Between %1 and %2 on %3
+
+
+
+ With %1 on %2
+
+
+
+ Send failed
+
+
+
+ Sending
+
+
+
+ Sent
+
+
+
+ Receive failed
+
+
+
+ Receiving
+
+
+
+ Received
+
+
+
+ Destroy failed
+
+
+
+ Destroying
+
+
+
+ Destroyed
+
+
+
+ Swap failed
+
+
+
+ Swapping
+
+
+
+ Swapped
+
+
+
+ Bridge failed
+
+
+
+ Bridging
+
+
+
+ Bridged
+
+
+
+ Contract deployment failed
+
+
+
+ Deploying contract
+
+
+
+ Contract deployed
+
+
+
+ Collectible minting failed
+
+
+
+ Minting collectible
+
+
+
+ Collectible minted
+
+
+
+ Token minting failed
+
+
+
+ Minting token
+
+
+
+ Token minted
+
+
+
+ Failed to set spending cap
+
+
+
+ Setting spending cap
+
+
+
+ Spending cap set
+
+
+
+ Interaction
+
+
+
+ Retry
+
+
+
+
+ TransactionModalFooter
+
+ Next
+
+
+
+ Estimated time:
+
+
+
+ Max fees:
+
+
+
+
+ TransactionSettings
+
+ Got it
+
+
+
+ Read more
+
+
+
+ Transaction settings
+
+
+
+ Set your own fees & nonce
+
+
+
+ Set your own base fee, priority fee, gas amount and nonce
+
+
+
+ Regular cost option using suggested gas price
+
+
+
+ Increased gas price, incentivising miners to confirm more quickly
+
+
+
+ Highest base and priority fee, ensuring the fastest possible confirmation
+
+
+
+ Low cost option using current network base fee and a low priority fee
+
+
+
+ Gas price
+
+
+
+ Max base fee
+
+
+
+ Lower than necessary (current %1)
+
+
+
+ Higher than necessary (current %1)
+
+
+
+ Current: %1
+
+
+
+ The gas price you set is the exact amount you’ll pay per unit of gas used. If you set a gas price higher than what’s required for inclusion, the difference will not be refunded. Choose your gas price carefully to avoid overpaying.
+
+
+
+
+ When your transaction gets included in the block, any difference between your max base fee and the actual base fee will be refunded.
+
+
+
+
+ Note: the %1 amount shown for this value is calculated:
+Gas price (in GWEI) * gas amount
+
+
+
+ Note: the %1 amount shown for this value is calculated:
+Max base fee (in GWEI) * Max gas amount
+
+
+
+ Priority fee
+
+
+
+ Higher than max base fee: %1
+
+
+
+ Higher than necessary (current %1 - %2)
+
+
+
+ Current: %1 - %2
+
+
+
+ AKA miner tip. A voluntary fee you can add to incentivise miners or validators to prioritise your transaction.
+
+The higher the tip, the faster your transaction is likely to be processed, especially curing periods of higher network congestion.
+
+
+
+
+ Note: the %1 amount shown for this value is calculated: Priority fee (in GWEI) * Max gas amount
+
+
+
+ Max gas amount
+
+
+
+ Too low (should be between %1 and %2)
+
+
+
+ Too high (should be between %1 and %2)
+
+
+
+ UNITS
+
+
+
+ Gas amount
+
+
+
+ AKA gas limit. Refers to the maximum number of computational steps (or units of gas) that a transaction can consume. It represents the complexity or amount of work required to execute a transaction or smart contract.
+
+The gas limit is a cap on how much work the transaction can do on the blockchain. If the gas limit is set too low, the transaction may fail due to insufficient gas.
+
+
+
+ Nonce
+
+
+
+ Higher than suggested nonce of %1
+
+
+
+ Last transaction: %1
+
+
+
+ Transaction counter ensuring transactions from your account are processed in the correct order and can’t be replayed. Each new transaction increments the nonce by 1, ensuring uniqueness and preventing double-spending.
+
+If a transaction with a lower nonce is pending, higher nonce transactions will remain in the queue until the earlier one is confirmed.
+
+
+
+ Confirm
+
+
+
+
+ TransactionSigner
+
+ You need to enter a password
+
+
+
+ Password needs to be 6 characters or more
+
+
+
+ Signing phrase
+
+
+
+ Signing phrase is a 3 word combination that is displayed when you entered the wallet on this device for the first time.
+
+
+
+ Enter the password you use to unlock this device
+
+
+
+ Password
+ Heslo
+
+
+ Enter password
+
+
+
+
+ TransferOwnershipAlertPopup
+
+ Transfer ownership of %1
+
+
+
+ How to move the %1 control node to another device
+
+
+
+ <b>It looks like you haven’t minted the %1 Owner token yet.</b> Once you have minted this token, you can transfer ownership of %1 by sending the Owner token to the account of the person you want to be the new Community owner.
+
+
+
+ <b>It looks like you haven’t minted the %1 Owner token yet.</b> Once you have minted this token, you can make one of your other synced desktop devices the control node for the %1 Community.
+
+
+
+ Cancel
+
+
+
+ Mint %1 Owner token
+
+
+
+
+ TransferOwnershipPopup
+
+ Are you sure you want to transfer ownership of %1? All ownership rights you currently hold for %1 will be transferred to the new owner.
+
+
+
+ To transfer ownership of %1:
+
+
+
+ 1. Send the %1 Owner token (%2) to the new owner’s address
+
+
+
+ 2. Ask the new owner to setup the control node for %1 on their desktop device
+
+
+
+ I acknowledge that...
+
+
+
+ My ownership rights will be removed and transferred to the recipient
+
+
+
+ Transfer ownership of %1
+
+
+
+ Cancel
+
+
+
+ Send %1 owner token
+
+
+
+
+ UnblockContactConfirmationDialog
+
+ Unblock user
+
+
+
+ Unblocking %1 will allow new messages you receive from %1 to reach you.
+
+
+
+ Cancel
+
+
+
+ Unblock
+
+
+
+
+ UnblockWithPukFlow
+
+ Unblock successful
+
+
+
+ Your Keycard is already unblocked!
+
+
+
+ Continue
+
+
+
+
+ UnblockWithSeedphraseFlow
+
+ Unblock Keycard using the recovery phrase
+
+
+
+ Unblock Keycard
+
+
+
+
+ UseRecoveryPhraseFlow
+
+ Create profile using a recovery phrase
+
+
+
+ Enter recovery phrase of lost Keycard
+
+
+
+ Log in with your Status recovery phrase
+
+
+
+ Recovery phrase doesn’t match the profile of an existing Keycard user on this device
+
+
+
+ The entered recovery phrase is already added
+
+
+
+
+ UserListPanel
+
+ Member re-evaluation in progress...
+
+
+
+ Saving community edits might take longer than usual
+
+
+
+ Online
+
+
+
+ Inactive
+
+
+
+
+ UserStatusContextMenu
+
+ Copy link to profile
+
+
+
+ Always online
+
+
+
+ Inactive
+
+
+
+ Set status automatically
+
+
+
+
+ Utils
+
+ %n word(s)
+
+
+
+
+
+
+
+ You need to enter a password
+
+
+
+ Password needs to be %n character(s) or more
+
+
+
+
+
+
+
+ You need to repeat your password
+
+
+
+ Passwords don't match
+
+
+
+ You need to enter a PIN
+
+
+
+ The PIN must contain only digits
+
+
+
+ The PIN must be exactly %n digit(s)
+
+
+
+
+
+
+
+ You need to repeat your PIN
+
+
+
+ PINs don't match
+
+
+
+ You need to enter a %1
+
+
+
+ The %1 cannot exceed %n character(s)
+
+
+
+
+
+
+
+ Must be an hexadecimal color (eg: #4360DF)
+
+
+
+ Use only lowercase letters (a to z), numbers & dashes (-). Do not use chat keys.
+
+
+
+ Value has to be at least %n character(s) long
+
+
+
+
+
+
+
+ Messages
+
+
+
+ Wallet
+ Peněženka
+
+
+ Browser
+ Webový prohlížeč
+
+
+ Settings
+ Nastavení
+
+
+ Node Management
+
+
+
+ Discover Communities
+
+
+
+ Chat section loading...
+
+
+
+ Swap
+
+
+
+ Market
+
+
+
+ Community
+
+
+
+ dApp
+
+
+
+ Home Page
+
+
+
+ Activity Center
+
+
+
+ Add new user
+
+
+
+ Add existing Status user
+
+
+
+ Lost Keycard
+
+
+
+ New watched address
+
+
+
+ Watched address
+
+
+
+ Existing
+
+
+
+ Import new
+
+
+
+ Add new master key
+
+
+
+ Add watched address
+
+
+
+ acc
+ short for account
+
+
+
+ Arbiscan
+
+
+
+ Optimistic
+
+
+
+ BaseScan
+
+
+
+ Status Explorer
+
+
+
+ BscScan
+
+
+
+ Etherscan
+
+
+
+ On Keycard
+
+
+
+ On device
+
+
+
+ Requires import
+
+
+
+ Restored from backup. Import key pair to use derived accounts.
+
+
+
+ Import key pair to use derived accounts
+
+
+
+
+ ViewProfileMenuItem
+
+ View Profile
+
+
+
+
+ WCUriInput
+
+ Paste URI
+
+
+
+ WalletConnect URI too cool
+
+
+
+ WalletConnect URI invalid
+
+
+
+ WalletConnect URI already used
+
+
+
+ WalletConnect URI has expired
+
+
+
+ dApp is requesting to connect on an unsupported network
+
+
+
+ Unexpected error occurred. Try again.
+
+
+
+ Paste
+
+
+
+
+ WalletAccountDetailsKeypairItem
+
+ Watched address
+
+
+
+
+ WalletAddressMenu
+
+ Address copied
+
+
+
+ Copy address
+
+
+
+ Show address QR
+
+
+
+
+ WalletAssetsStore
+
+ %1 community assets successfully hidden
+
+
+
+ %1 is now visible
+
+
+
+ %1 community assets are now visible
+
+
+
+
+ WalletFooter
+
+ Send Owner token to transfer %1 Community ownership
+
+
+
+ Send
+
+
+
+ Soulbound collectibles cannot be sent to another wallet
+
+
+
+ Receive
+
+
+
+ Bridge
+
+
+
+ Soulbound collectibles cannot be bridged to another wallet
+
+
+
+ Buy
+
+
+
+ Swap
+
+
+
+
+ WalletHeader
+
+ Saved addresses
+ Uložené adresy
+
+
+ All accounts
+ Všechny účty
+
+
+ Last refreshed %1
+
+
+
+
+ WalletKeyPairDelegate
+
+ Watched addresses
+
+
+
+ Excluded
+
+
+
+ Included
+
+
+
+
+ WalletKeypairAccountMenu
+
+ Show encrypted QR on device
+
+
+
+ Stop using Keycard
+
+
+
+ Move key pair to a Keycard
+
+
+
+ Import key pair from device via encrypted QR
+
+
+
+ Import via entering private key
+
+
+
+ Import via entering recovery phrase
+
+
+
+ Rename key pair
+
+
+
+ Remove key pair and derived accounts
+
+
+
+
+ WalletLayout
+
+ Add new address
+
+
+
+
+ WalletNetworkDelegate
+
+ Required for some Status features
+
+
+
+
+ WalletUtils
+
+ ~ Unknown
+
+
+
+ < 1 minute
+
+
+
+ < 3 minutes
+
+
+
+ < 5 minutes
+
+
+
+ > 5 minutes
+
+
+
+ Unknown
+
+
+
+ >60s
+
+
+
+ ~%1s
+
+
+
+ an internal error occurred
+
+
+
+ unknown error occurred, try again later
+
+
+
+ processor internal error
+
+
+
+ processor network error
+
+
+
+ router network error
+
+
+
+ not enough token balance
+
+
+
+ Not enough ETH to pay gas fees
+
+
+
+ amount in too low
+
+
+
+ no positive balance
+
+
+
+ unknown processor error
+
+
+
+ failed to parse base fee
+
+
+
+ failed to parse percentage fee
+
+
+
+ contract not found
+
+
+
+ network not found
+
+
+
+ token not found
+
+
+
+ no estimation found
+
+
+
+ not available for contract type
+
+
+
+ no bonder fee found
+
+
+
+ contract type not supported
+
+
+
+ from chain not supported
+
+
+
+ to chain not supported
+
+
+
+ tx for chain not supported
+
+
+
+ ens resolver not found
+
+
+
+ ens registrar not found
+
+
+
+ to and from tokens must be set
+
+
+
+ cannot resolve tokens
+
+
+
+ price route not found
+
+
+
+ converting amount issue
+
+
+
+ no chain set
+
+
+
+ no token set
+
+
+
+ to token should not be set
+
+
+
+ from and to chains must be different
+
+
+
+ from and to chains must be same
+
+
+
+ from and to tokens must be different
+
+
+
+ context cancelled
+
+
+
+ context deadline exceeded
+
+
+
+ fetching price timeout
+
+
+
+ not enough liquidity
+
+
+
+ price impact too high
+
+
+
+ username and public key are required for registering ens name
+
+
+
+ only STT is supported for registering ens name on testnet
+
+
+
+ only SNT is supported for registering ens name on mainnet
+
+
+
+ username is required for releasing ens name
+
+
+
+ username and public key are required for setting public key
+
+
+
+ stickers pack id is required for buying stickers
+
+
+
+ to token is required for Swap
+
+
+
+ from and to token must be different
+
+
+
+ only one of amount to send or receiving amount can be set
+
+
+
+ amount to send must be positive
+
+
+
+ receiving amount must be positive
+
+
+
+ locked amount is not supported for the selected network
+
+
+
+ locked amount must not be negative
+
+
+
+ locked amount exceeds the total amount to send
+
+
+
+ locked amount is less than the total amount to send, but all networks are locked
+
+
+
+ native token not found
+
+
+
+ disabled chain found among locked networks
+
+
+
+ a valid username, ending in '.eth', is required for setting public key
+
+
+
+ all supported chains are excluded, routing impossible
+
+
+
+ no best route found
+
+
+
+ cannot check balance
+
+
+
+ cannot check locked amounts
+
+
+
+ not enough balance for %1 on %2 chain
+
+
+
+ bonder fee greater than estimated received, a higher amount is needed to cover fees
+
+
+
+ no positive balance for your account across chains
+
+
+
+ Fast
+
+
+
+ Urgent
+
+
+
+ Custom
+
+
+
+ Normal
+
+
+
+
+ WalletView
+
+ Wallet
+ Peněženka
+
+
+ Networks
+
+
+
+ Save
+
+
+
+ Save and apply
+
+
+
+ New custom sort order created
+
+
+
+ Your new custom token order has been applied to your %1
+ Go to Wallet
+
+
+
+ Wallet
+ Go to Wallet
+ Peněženka
+
+
+ Edit %1
+
+
+
+ Edit account order
+
+
+
+ Manage tokens
+
+
+
+ Saved addresses
+ Uložené adresy
+
+
+ Add new account
+
+
+
+ Under construction, you might experience some minor issues
+
+
+
+ Testnet mode
+
+
+
+ Add new address
+
+
+
+
+ WatchOnlyAddressSection
+
+ Ethereum address or ENS name
+
+
+
+ Type or paste ETH address
+
+
+
+ Checksum of the entered address is incorrect
+
+
+
+ Paste
+
+
+
+ Please enter a valid Ethereum address or ENS name
+
+
+
+ You will need to import your recovery phrase or use your Keycard to transact with this account
+
+
+
+
+ WelcomeBannerPanel
+
+ Welcome to your community!
+
+
+
+ Add members
+
+
+
+ Manage community
+
+
+
+
+ WelcomePage
+
+ Own your crypto
+
+
+
+ Use the leading multi-chain self-custodial wallet
+
+
+
+ Chat privately with friends
+
+
+
+ With full metadata privacy and e2e encryption
+
+
+
+ Store your assets on Keycard
+
+
+
+ Be safe with secure cold wallet
+
+
+
+ Welcome to Status
+ Vítejte ve Statusu
+
+
+ The open-source, decentralised wallet and messenger
+
+
+
+ Create profile
+ Vytvořit profil
+
+
+ Log in
+ Přihlásit se
+
+
+ Third-party services %1
+ Služby třetích stran %1
+
+
+ enabled
+ zapnuto
+
+
+ disabled
+ vypnuto
+
+
+ By proceeding you accept Status<br>%1 and %2
+
+
+
+ Terms of Use
+
+
+
+ Privacy Policy
+
+
+
+
+ main
+
+ Status Desktop
+
+
+
+ Hello World
+
+
+
+
+ tst_StatusInput
+
+ Enter an account name...
+
+
+
+ You need to enter an account name
+
+
+
+ This is not a valid account name
+
+
+
+
diff --git a/ui/nim-status-client.pro b/ui/nim-status-client.pro
index 7848632ab2f..fc2d9956115 100644
--- a/ui/nim-status-client.pro
+++ b/ui/nim-status-client.pro
@@ -12,20 +12,6 @@ DEFINES += QT_DEPRECATED_WARNINGS
# You can also select to disable deprecated APIs only up to a certain version of Qt.
#DEFINES += QT_DISABLE_DEPRECATED_BEFORE=0x060000 # disables all the APIs deprecated before Qt 6.0.0
-lupdate_only{
-SOURCES += $$files("$$PWD/*qmldir", true)
-SOURCES += $$files("$$PWD/*.qml", true)
-SOURCES += $$files("$$PWD/*.js", true)
-SOURCES += $$files("$$PWD/../monitoring/*.qml", true)
-SOURCES += $$files("$$PWD/../*.md", false)
-}
-
-# Other *.ts files will be provided by Lokalise platform
-TRANSLATIONS += \
- i18n/qml_base.ts \
- i18n/qml_en.ts \
-
-
OTHER_FILES += $$files("$$PWD/*qmldir", true)
OTHER_FILES += $$files("$$PWD/*.qml", true)
OTHER_FILES += $$files("$$PWD/*.js", true)