mirror of
https://github.com/onionshare/onionshare.git
synced 2024-10-01 01:35:40 -04:00
Merge branch 'main' into hefee/pyqt
This commit is contained in:
commit
deab6ba1bc
@ -1,5 +1,13 @@
|
||||
# OnionShare Changelog
|
||||
|
||||
## 2.6.2
|
||||
|
||||
* Security fix: Removes newlines from History item path
|
||||
* Security fix: Set a maximum length of 524288 characters for text messages in Receive mode
|
||||
* Security fix: Allows only specific ASCII characters for usernames and removes control characters
|
||||
* Security fix: Forcefully disconnect user from chat on `disconnect` event
|
||||
* Security fix: Handle username validation excpeptions to prevent silent joining
|
||||
|
||||
## 2.6.1
|
||||
|
||||
* Release updates: Automate builds with CI, make just 64-bit Windows release, make a single universal2 release for both Intel and Apple Silicon macOS
|
||||
|
@ -169,7 +169,7 @@ Create a Windows 11 VM, and set it up like this:
|
||||
- Download and install [gpg4win](https://gpg4win.org/). Add `C:\Program Files (x86)\GnuPG\bin` to your path.
|
||||
- Install the Windows SDK from here: https://developer.microsoft.com/en-us/windows/downloads/windows-sdk/.
|
||||
- Go to https://dotnet.microsoft.com/download/dotnet-framework and download and install .NET Framework 3.5 SP1 Runtime. I downloaded `dotnetfx35.exe`.
|
||||
- Go to https://wixtoolset.org/docs/wix3/ and download and install WiX toolset. I downloaded `wix311.exe`. Add `C:\Program Files (x86)\WiX Toolset v3.11\bin` to the path.
|
||||
- Go to https://wixtoolset.org/docs/wix3/ and download and install WiX toolset. I downloaded `wix314.exe`. Add `C:\Program Files (x86)\WiX Toolset v3.14\bin` to the path.
|
||||
|
||||
Clone the OnionShare git repo and checkout the release tag.
|
||||
|
||||
@ -238,8 +238,6 @@ Make the Apple Silicon app bundle:
|
||||
|
||||
```sh
|
||||
/Library/Frameworks/Python.framework/Versions/3.11/bin/poetry run python ./setup-freeze.py bdist_mac
|
||||
rm -rf build/OnionShare.app/Contents/Resources/lib
|
||||
mv build/exe.macosx-10.9-universal2-3.11/lib build/OnionShare.app/Contents/Resources/
|
||||
/Library/Frameworks/Python.framework/Versions/3.11/bin/poetry run python ./scripts/build-macos.py cleanup-build
|
||||
```
|
||||
|
||||
@ -269,9 +267,7 @@ export APPLE_PASSWORD="changeme" # app-specific Apple ID password
|
||||
export VERSION=$(cat ../cli/onionshare_cli/resources/version.txt)
|
||||
|
||||
# Notarize it
|
||||
xcrun altool --notarize-app --primary-bundle-id "com.micahflee.onionshare" -u "micah@micahflee.com" -p "$APPLE_PASSWORD" --file dist/OnionShare-$VERSION.dmg
|
||||
# Wait for it to get approved, check status with
|
||||
xcrun altool --notarization-history 0 -u "micah@micahflee.com" -p "$APPLE_PASSWORD"
|
||||
xcrun notarytool submit --apple-id "micah@micahflee.com" --team-id N9B95FDWH4 --password "$APPLE_PASSWORD" --progress --wait dist/OnionShare-$VERSION.dmg
|
||||
# After it's approved, staple the ticket
|
||||
xcrun stapler staple dist/OnionShare-$VERSION.dmg
|
||||
```
|
||||
@ -292,7 +288,6 @@ After following all of the previous steps, gather these files:
|
||||
|
||||
- `onionshare_${VERSION}_amd64.snap`
|
||||
- `OnionShare.flatpak` (rename to `OnionShare-$VERSION.flatpak`)
|
||||
- `OnionShare-win32-$VERSION.msi`
|
||||
- `OnionShare-win64-$VERSION.msi`
|
||||
- `OnionShare-$VERSION.dmg`
|
||||
- `onionshare-$VERSION.tar.gz`
|
||||
|
@ -53,7 +53,7 @@
|
||||
<p><input type="file" id="file-select" name="file[]" multiple /></p>
|
||||
{% endif %}
|
||||
{% if not disable_text %}
|
||||
<p><textarea id="text" name="text" placeholder="Write a message"></textarea></p>
|
||||
<p><textarea id="text" name="text" placeholder="Write a message (max length 524288 characters)" maxlength="524288"></textarea></p>
|
||||
{% endif %}
|
||||
<p><button type="submit" id="send-button" class="button">Submit</button></p>
|
||||
</form>
|
||||
|
@ -1 +1 @@
|
||||
2.6.1
|
||||
2.6.2
|
||||
|
@ -66,7 +66,7 @@ class Settings(object):
|
||||
"zh_Hans": "中文 (简体)", # Simplified Chinese
|
||||
"hr": "Hrvatski", # Croatian
|
||||
"cs": "čeština", # Czech
|
||||
# "da": "Dansk", # Danish
|
||||
"da": "Dansk", # Danish
|
||||
# "nl": "Nederlands", # Dutch
|
||||
"en": "English", # English
|
||||
"fi": "Suomi", # Finnish
|
||||
|
@ -17,6 +17,7 @@ GNU General Public License for more details.
|
||||
You should have received a copy of the GNU General Public License
|
||||
along with this program. If not, see <http://www.gnu.org/licenses/>.
|
||||
"""
|
||||
import unicodedata
|
||||
|
||||
from flask import request, render_template, make_response, jsonify, session
|
||||
from flask_socketio import emit, ConnectionRefusedError
|
||||
@ -47,15 +48,45 @@ class ChatModeWeb:
|
||||
|
||||
self.define_routes()
|
||||
|
||||
def validate_username(self, username):
|
||||
username = username.strip()
|
||||
return (
|
||||
username
|
||||
and username.isascii()
|
||||
and username not in self.connected_users
|
||||
and len(username) < 128
|
||||
def remove_unallowed_characters(self, text):
|
||||
"""
|
||||
Sanitize username to remove unwanted characters.
|
||||
Allowed characters right now are:
|
||||
- all ASCII numbers
|
||||
- all ASCII letters
|
||||
- dash, underscore and single space
|
||||
"""
|
||||
|
||||
def allowed_character(ch):
|
||||
allowed_unicode_categories = [
|
||||
'L', # All letters
|
||||
'N', # All numbers
|
||||
]
|
||||
allowed_special_characters = [
|
||||
'-', # dash
|
||||
'_', # underscore
|
||||
' ', # single space
|
||||
]
|
||||
return (
|
||||
unicodedata.category(ch)[0] in allowed_unicode_categories and ord(ch) < 128
|
||||
) or ch in allowed_special_characters
|
||||
|
||||
return "".join(
|
||||
ch for ch in text if allowed_character(ch)
|
||||
)
|
||||
|
||||
def validate_username(self, username):
|
||||
try:
|
||||
username = self.remove_unallowed_characters(username.strip())
|
||||
return (
|
||||
username
|
||||
and username not in self.connected_users
|
||||
and len(username) < 128
|
||||
)
|
||||
except Exception as e:
|
||||
self.common.log("ChatModeWeb", "validate_username", e)
|
||||
return False
|
||||
|
||||
def define_routes(self):
|
||||
"""
|
||||
The web app routes for chatting
|
||||
@ -77,13 +108,17 @@ class ChatModeWeb:
|
||||
|
||||
self.web.add_request(self.web.REQUEST_LOAD, request.path)
|
||||
return render_template(
|
||||
"chat.html",
|
||||
static_url_path=self.web.static_url_path,
|
||||
username=session.get("name"),
|
||||
title=self.web.settings.get("general", "title"),
|
||||
"chat.html",
|
||||
static_url_path=self.web.static_url_path,
|
||||
username=session.get("name"),
|
||||
title=self.web.settings.get("general", "title"),
|
||||
)
|
||||
|
||||
@self.web.app.route("/update-session-username", methods=["POST"], provide_automatic_options=False)
|
||||
@self.web.app.route(
|
||||
"/update-session-username",
|
||||
methods=["POST"],
|
||||
provide_automatic_options=False,
|
||||
)
|
||||
def update_session_username():
|
||||
history_id = self.cur_history_id
|
||||
data = request.get_json()
|
||||
@ -122,6 +157,8 @@ class ChatModeWeb:
|
||||
A status message is broadcast to all people in the room."""
|
||||
if self.validate_username(session.get("name")):
|
||||
self.connected_users.append(session.get("name"))
|
||||
# Store the session id for the user
|
||||
session["socketio_session_id"] = request.sid
|
||||
emit(
|
||||
"status",
|
||||
{
|
||||
@ -133,7 +170,7 @@ class ChatModeWeb:
|
||||
broadcast=True,
|
||||
)
|
||||
else:
|
||||
raise ConnectionRefusedError('You are active from another session!')
|
||||
raise ConnectionRefusedError('Invalid session')
|
||||
|
||||
@self.web.socketio.on("text", namespace="/chat")
|
||||
def text(message):
|
||||
@ -153,9 +190,9 @@ class ChatModeWeb:
|
||||
new_name = message.get("username", "").strip()
|
||||
if self.validate_username(new_name):
|
||||
session["name"] = new_name
|
||||
self.connected_users[
|
||||
self.connected_users.index(current_name)
|
||||
] = session.get("name")
|
||||
self.connected_users[self.connected_users.index(current_name)] = (
|
||||
session.get("name")
|
||||
)
|
||||
emit(
|
||||
"status",
|
||||
{
|
||||
@ -178,13 +215,23 @@ class ChatModeWeb:
|
||||
def disconnect():
|
||||
"""Sent by clients when they disconnect.
|
||||
A status message is broadcast to all people in the server."""
|
||||
user_already_disconnected = False
|
||||
if session.get("name") in self.connected_users:
|
||||
self.connected_users.remove(session.get("name"))
|
||||
emit(
|
||||
"status",
|
||||
{
|
||||
"msg": "{} has left the room.".format(session.get("name")),
|
||||
"connected_users": self.connected_users,
|
||||
},
|
||||
broadcast=True,
|
||||
else:
|
||||
user_already_disconnected = True
|
||||
|
||||
# Forcefully disconnect the user
|
||||
self.web.socketio.server.disconnect(
|
||||
sid=session.get("socketio_session_id"), namespace="/chat"
|
||||
)
|
||||
|
||||
if not user_already_disconnected:
|
||||
emit(
|
||||
"status",
|
||||
{
|
||||
"msg": "{} has left the room.".format(session.get("name")),
|
||||
"connected_users": self.connected_users,
|
||||
},
|
||||
broadcast=True,
|
||||
)
|
||||
|
@ -194,7 +194,10 @@ class ReceiveModeWeb:
|
||||
if files_received > 0:
|
||||
msg = f"Uploaded {files_msg}"
|
||||
else:
|
||||
msg = "Nothing submitted"
|
||||
if not self.web.settings.get("receive", "disable_text"):
|
||||
msg = "Nothing submitted or message was too long (> 524288 characters)"
|
||||
else:
|
||||
msg = "Nothing submitted"
|
||||
|
||||
if ajax:
|
||||
info_flashes.append(msg)
|
||||
@ -462,7 +465,7 @@ class ReceiveModeRequest(Request):
|
||||
self.includes_message = False
|
||||
if not self.web.settings.get("receive", "disable_text"):
|
||||
text_message = self.form.get("text")
|
||||
if text_message:
|
||||
if text_message and len(text_message) <= 524288:
|
||||
if text_message.strip() != "":
|
||||
self.includes_message = True
|
||||
|
||||
|
@ -1,6 +1,6 @@
|
||||
[tool.poetry]
|
||||
name = "onionshare_cli"
|
||||
version = "2.6.1"
|
||||
version = "2.6.2"
|
||||
description = "OnionShare lets you securely and anonymously send and receive files. It works by starting a web server, making it accessible as a Tor onion service, and generating an unguessable web address so others can download files from you, or upload files to you. It does _not_ require setting up a separate server or using a third party file-sharing service."
|
||||
authors = ["Micah Lee <micah@micahflee.com>"]
|
||||
license = "GPLv3+"
|
||||
|
1
desktop/onionshare/resources/countries/da.json
Normal file
1
desktop/onionshare/resources/countries/da.json
Normal file
@ -0,0 +1 @@
|
||||
{"AF": "Afghanistan", "AL": "Albanien", "DZ": "Algeriet", "AS": "Amerikansk Samoa", "AD": "Andorra", "AO": "Angola", "AI": "Anguilla", "AQ": "Antarktis", "AG": "Antigua og Barbuda", "AR": "Argentina", "AM": "Armenien", "AW": "Aruba", "AZ": "Aserbajdsjan", "AU": "Australien", "BS": "Bahamas", "BH": "Bahrain", "BD": "Bangladesh", "BB": "Barbados", "BE": "Belgien", "BZ": "Belize", "BJ": "Benin", "BM": "Bermuda", "BT": "Bhutan", "BO": "Bolivia", "BA": "Bosnien-Hercegovina", "BW": "Botswana", "BV": "Bouvet\u00f8en", "BR": "Brasilien", "BN": "Brunei", "BG": "Bulgarien", "BF": "Burkina Faso", "BI": "Burundi", "KH": "Cambodja", "CM": "Cameroun", "CA": "Canada", "KY": "Cayman\u00f8erne", "CL": "Chile", "CC": "Cocos\u00f8erne", "CO": "Colombia", "KM": "Comorerne", "CG": "Congo-Brazzaville", "CD": "Congo-Kinshasa", "CK": "Cook\u00f8erne", "CR": "Costa Rica", "CU": "Cuba", "CW": "Cura\u00e7ao", "CY": "Cypern", "DK": "Danmark", "VI": "De Amerikanske Jomfru\u00f8er", "VG": "De Britiske Jomfru\u00f8er", "AE": "De Forenede Arabiske Emirater", "TF": "De Franske Besiddelser i Det Sydlige Indiske Ocean og Antarktis", "BQ": "De tidligere Nederlandske Antiller", "CF": "Den Centralafrikanske Republik", "DO": "Den Dominikanske Republik", "IO": "Det Britiske Territorium i Det Indiske Ocean", "DJ": "Djibouti", "DM": "Dominica", "EC": "Ecuador", "EG": "Egypten", "SV": "El Salvador", "CI": "Elfenbenskysten", "ER": "Eritrea", "EE": "Estland", "SZ": "Eswatini", "ET": "Etiopien", "FK": "Falklands\u00f8erne", "FJ": "Fiji", "PH": "Filippinerne", "FI": "Finland", "FR": "Frankrig", "GF": "Fransk Guyana", "PF": "Fransk Polynesien", "FO": "F\u00e6r\u00f8erne", "GA": "Gabon", "GM": "Gambia", "GE": "Georgien", "GH": "Ghana", "GI": "Gibraltar", "GD": "Grenada", "GR": "Gr\u00e6kenland", "GL": "Gr\u00f8nland", "GP": "Guadeloupe", "GU": "Guam", "GT": "Guatemala", "GG": "Guernsey", "GN": "Guinea", "GW": "Guinea-Bissau", "GY": "Guyana", "HT": "Haiti", "HM": "Heard Island og McDonald Islands", "NL": "Holland", "HN": "Honduras", "BY": "Hviderusland", "IN": "Indien", "ID": "Indonesien", "IQ": "Irak", "IR": "Iran", "IE": "Irland", "IS": "Island", "IM": "Isle of Man", "IL": "Israel", "IT": "Italien", "JM": "Jamaica", "JP": "Japan", "JO": "Jordan", "CX": "Jule\u00f8en", "CV": "Kap Verde", "KZ": "Kasakhstan", "KE": "Kenya", "CN": "Kina", "KG": "Kirgisistan", "KI": "Kiribati", "HR": "Kroatien", "KW": "Kuwait", "LA": "Laos", "LS": "Lesotho", "LV": "Letland", "LB": "Libanon", "LR": "Liberia", "LY": "Libyen", "LI": "Liechtenstein", "LT": "Litauen", "LU": "Luxembourg", "MG": "Madagaskar", "MW": "Malawi", "MY": "Malaysia", "MV": "Maldiverne", "ML": "Mali", "MT": "Malta", "MA": "Marokko", "MQ": "Martinique", "MR": "Mauretanien", "MU": "Mauritius", "YT": "Mayotte", "MX": "Mexico", "MD": "Moldova", "MC": "Monaco", "MN": "Mongoliet", "ME": "Montenegro", "MS": "Montserrat", "MZ": "Mozambique", "MM": "Myanmar (Burma)", "NA": "Namibia", "NR": "Nauru", "NP": "Nepal", "NZ": "New Zealand", "NI": "Nicaragua", "NE": "Niger", "NG": "Nigeria", "NU": "Niue", "KP": "Nordkorea", "MK": "Nordmakedonien", "NF": "Norfolk Island", "NO": "Norge", "NC": "Ny Kaledonien", "OM": "Oman", "PK": "Pakistan", "PW": "Palau", "PA": "Panama", "PG": "Papua Ny Guinea", "PY": "Paraguay", "PE": "Peru", "PN": "Pitcairn", "PL": "Polen", "PT": "Portugal", "PR": "Puerto Rico", "QA": "Qatar", "RE": "R\u00e9union", "RO": "Rum\u00e6nien", "RU": "Rusland", "RW": "Rwanda", "BL": "Saint Barth\u00e9lemy", "KN": "Saint Kitts og Nevis", "LC": "Saint Lucia", "MF": "Saint Martin", "PM": "Saint Pierre og Miquelon", "VC": "Saint Vincent og Grenadinerne", "SB": "Salomon\u00f8erne", "WS": "Samoa", "SM": "San Marino", "ST": "S\u00e3o Tom\u00e9 og Pr\u00edncipe", "HK": "SAR Hongkong", "MO": "SAR Macao", "SA": "Saudi-Arabien", "CH": "Schweiz", "SN": "Senegal", "RS": "Serbien", "SC": "Seychellerne", "SL": "Sierra Leone", "SG": "Singapore", "SX": "Sint Maarten", "SK": "Slovakiet", "SI": "Slovenien", "SO": "Somalia", "GS": "South Georgia og De Sydlige Sandwich\u00f8er", "ES": "Spanien", "LK": "Sri Lanka", "SH": "St. Helena", "GB": "Storbritannien", "SD": "Sudan", "SR": "Surinam", "SJ": "Svalbard og Jan Mayen", "SE": "Sverige", "ZA": "Sydafrika", "KR": "Sydkorea", "SS": "Sydsudan", "SY": "Syrien", "TJ": "Tadsjikistan", "TW": "Taiwan", "TZ": "Tanzania", "TD": "Tchad", "TH": "Thailand", "TL": "Timor-Leste", "CZ": "Tjekkiet", "TG": "Togo", "TK": "Tokelau", "TO": "Tonga", "TT": "Trinidad og Tobago", "TN": "Tunesien", "TM": "Turkmenistan", "TC": "Turks- og Caicos\u00f8erne", "TR": "Tyrkiet", "DE": "Tyskland", "UG": "Uganda", "UA": "Ukraine", "HU": "Ungarn", "UY": "Uruguay", "US": "USA", "UZ": "Usbekistan", "VU": "Vanuatu", "VA": "Vatikanstaten", "VE": "Venezuela", "EH": "Vestsahara", "VN": "Vietnam", "WF": "Wallis og Futuna", "YE": "Yemen", "ZM": "Zambia", "ZW": "Zimbabwe", "GQ": "\u00c6kvatorialguinea", "AT": "\u00d8strig", "AX": "\u00c5land"}
|
@ -241,7 +241,7 @@
|
||||
"gui_quit_warning_cancel": "Kanselleer",
|
||||
"gui_quit_warning_description": "Sluit alle oortjies af, selfs indien deling in van hulle aktief is?",
|
||||
"gui_close_tab_warning_cancel": "Kanselleer",
|
||||
"gui_close_tab_warning_close": "Sluit",
|
||||
"gui_close_tab_warning_close": "Regso",
|
||||
"gui_close_tab_warning_website_description": "Sluit oortjie wat ’n webwerf huisves?",
|
||||
"gui_close_tab_warning_receive_description": "Sluit oortjie wat lêers ontvang?",
|
||||
"gui_autoconnect_circumventing_censorship_starting_meek": "Vestig tans meekbrug vir domeinvoorloping…",
|
||||
|
@ -1,5 +1,22 @@
|
||||
{
|
||||
"gui_settings_button_cancel": "ተወው",
|
||||
"gui_settings_button_help": "መመሪያ",
|
||||
"gui_tor_connection_ask_open_settings": "አዎ"
|
||||
"gui_tor_connection_ask_open_settings": "አዎ",
|
||||
"gui_settings_autoupdate_timestamp_never": "በጭራሽ",
|
||||
"gui_settings_theme_label": "ገጽታ",
|
||||
"gui_settings_window_title": "ቅንብሮች",
|
||||
"gui_quit_warning_cancel": "ሰርዝ",
|
||||
"gui_all_modes_history": "ታሪክ",
|
||||
"gui_add": "አክል",
|
||||
"gui_general_settings_window_title": "ጄኔራል",
|
||||
"gui_close_tab_warning_cancel": "ሰርዝ",
|
||||
"gui_remove": "ያስወግዱ",
|
||||
"gui_settings_language_label": "ቋንቋ",
|
||||
"gui_hide": "ደብቅ",
|
||||
"gui_tab_name_chat": "Chat",
|
||||
"gui_settings_password_label": "የመግቢያ ቃል",
|
||||
"gui_settings_button_save": "ያስቀምጡ",
|
||||
"gui_tab_name_share": "ማጋሪያ",
|
||||
"gui_settings_authenticate_password_option": "የመግቢያ ቃል",
|
||||
"moat_captcha_submit": "Submit"
|
||||
}
|
||||
|
@ -1 +1,9 @@
|
||||
{}
|
||||
{
|
||||
"gui_close_tab_warning_cancel": "Suyt'ayaña",
|
||||
"gui_quit_warning_cancel": "Suyt'ayaña",
|
||||
"gui_settings_button_save": "Imaña",
|
||||
"gui_settings_window_title": "Jak'ankiri",
|
||||
"gui_general_settings_window_title": "Taqpacha",
|
||||
"gui_settings_button_cancel": "Suyt'ayaña",
|
||||
"gui_settings_language_label": "Aru"
|
||||
}
|
||||
|
@ -203,7 +203,7 @@
|
||||
"gui_close_tab_warning_share_description": "Закрыць укладку, з якой адпраўляюцца файлы?",
|
||||
"gui_close_tab_warning_receive_description": "Закрыць укладку, на якой атрыманы файлы?",
|
||||
"gui_close_tab_warning_website_description": "Закрыць укладку, на якой знаходзіцца сайт?",
|
||||
"gui_close_tab_warning_close": "Закрыць",
|
||||
"gui_close_tab_warning_close": "Ок",
|
||||
"gui_close_tab_warning_cancel": "Адмяніць",
|
||||
"gui_quit_warning_title": "Выйсці з OnionShare?",
|
||||
"gui_quit_warning_description": "Выйсці і закрыць усе ўкладкі, нават калі абагульванне актыўна на некаторых з іх?",
|
||||
|
@ -1,68 +1,68 @@
|
||||
{
|
||||
"not_a_readable_file": "{0:s} не е четаем файл.",
|
||||
"other_page_loaded": "Адресът е зареден",
|
||||
"close_on_autostop_timer": "Спряно, защото автоматично спиращият таймер приключи",
|
||||
"closing_automatically": "Спряно, защото свалянето приключи",
|
||||
"large_filesize": "Предупреждение: изпращане на голям дял може да отнеме часове",
|
||||
"not_a_readable_file": "Файлът {0:s} няма права за четене.",
|
||||
"other_page_loaded": "Зареден адрес",
|
||||
"close_on_autostop_timer": "Услугата е изключена поради достигнато време за автоматично изключване",
|
||||
"closing_automatically": "Изтеглянето е завършено, услугата е спряна",
|
||||
"large_filesize": "Предупреждение: изпращането са голям обем от данни може да отнеме часове",
|
||||
"systray_menu_exit": "Изход",
|
||||
"gui_drag_and_drop": "Плъзнете и пуснете файлове и папки за да започнете споделяне",
|
||||
"gui_add": "Добавете",
|
||||
"gui_drag_and_drop": "Плъзнете и пуснете тук файловете и папките, които искате да споделяте",
|
||||
"gui_add": "Добавяне",
|
||||
"gui_choose_items": "Изберете",
|
||||
"gui_share_start_server": "Започнете споделянето",
|
||||
"gui_share_stop_server": "Спрете споделянето",
|
||||
"gui_share_stop_server_autostop_timer": "Спрете споделянето ({} остават)",
|
||||
"gui_receive_start_server": "Стартирайте получаващ режим",
|
||||
"gui_receive_stop_server": "Спрете получаващия режим",
|
||||
"gui_receive_stop_server_autostop_timer": "Спрете получаващия режим ({} остават)",
|
||||
"gui_copy_url": "Копирайте адрес",
|
||||
"gui_canceled": "Отменен",
|
||||
"gui_copied_url_title": "OnionShare адресът е копиран",
|
||||
"gui_copied_url": "OnionShare адресът е копиран към клипборда",
|
||||
"gui_please_wait": "Започва... кликни за отменяне.",
|
||||
"gui_share_start_server": "Споделяне",
|
||||
"gui_share_stop_server": "Изключване на споделянето",
|
||||
"gui_share_stop_server_autostop_timer": "Изключване на споделянето ({})",
|
||||
"gui_receive_start_server": "Включване на режим получаване",
|
||||
"gui_receive_stop_server": "Изключване на режим получаване",
|
||||
"gui_receive_stop_server_autostop_timer": "Изключване на режим получаване (остават {})",
|
||||
"gui_copy_url": "Копиране на адреса",
|
||||
"gui_canceled": "Отказано",
|
||||
"gui_copied_url_title": "Адресът на OnionShare е копиран",
|
||||
"gui_copied_url": "Адресът на OnionShare е копиран",
|
||||
"gui_please_wait": "Включване… Щракнете за отменяне.",
|
||||
"gui_quit_warning_quit": "Изход",
|
||||
"zip_progress_bar_format": "Компресира: %p%",
|
||||
"zip_progress_bar_format": "Компресиране: %p%",
|
||||
"gui_settings_window_title": "Настройки",
|
||||
"gui_settings_autoupdate_label": "Провери за нова версия",
|
||||
"gui_settings_autoupdate_option": "Уведоми ме, когато е налице нова версия",
|
||||
"gui_settings_autoupdate_label": "Проверка за обновяване",
|
||||
"gui_settings_autoupdate_option": "Известие при ново издание",
|
||||
"gui_settings_autoupdate_timestamp": "Последна проверка: {}",
|
||||
"gui_settings_autoupdate_timestamp_never": "Никога",
|
||||
"gui_settings_autoupdate_check_button": "Проверете за нова версия",
|
||||
"gui_settings_connection_type_label": "Как OnionShare да се свържe с Тор?",
|
||||
"gui_settings_connection_type_bundled_option": "Използвай Тор версия, вградена в OnionShare",
|
||||
"gui_settings_connection_type_automatic_option": "Опит за автоматична конфигурация с Тор браузъра",
|
||||
"gui_settings_connection_type_control_port_option": "Свържете, използвайки контролен порт",
|
||||
"gui_settings_connection_type_socket_file_option": "Свържете се използвайки сокет",
|
||||
"gui_settings_connection_type_test_button": "Тест на връзката с Тор",
|
||||
"gui_settings_control_port_label": "Контролен порт",
|
||||
"gui_settings_socket_file_label": "Сокет файл",
|
||||
"gui_settings_socks_label": "SOCKS порт",
|
||||
"gui_settings_authenticate_no_auth_option": "Без автентикация или cookie автентикация",
|
||||
"gui_settings_autoupdate_check_button": "Проверяване за ново издание",
|
||||
"gui_settings_connection_type_label": "Как OnionShare да се свързва с мрежата на Тор?",
|
||||
"gui_settings_connection_type_bundled_option": "Използване на вграденото в OnionShare издание на Тор",
|
||||
"gui_settings_connection_type_automatic_option": "Опитване на автоматична настройка чрез четеца Тор",
|
||||
"gui_settings_connection_type_control_port_option": "Свързване, чрез порт за управление",
|
||||
"gui_settings_connection_type_socket_file_option": "Свързване, чрез файл на сокет",
|
||||
"gui_settings_connection_type_test_button": "Проверка на връзката към Тор",
|
||||
"gui_settings_control_port_label": "Порт за управление",
|
||||
"gui_settings_socket_file_label": "Файл на сокет",
|
||||
"gui_settings_socks_label": "Порт на SOCKS",
|
||||
"gui_settings_authenticate_no_auth_option": "Без удостоверяване, нито с бисквитка",
|
||||
"gui_settings_authenticate_password_option": "Парола",
|
||||
"gui_settings_password_label": "Парола",
|
||||
"gui_settings_tor_bridges": "Поддръжка на Тор мост",
|
||||
"gui_settings_meek_lite_expensive_warning": "Предупреждение: meek_lite мостовета са много скъпи за проекта Тор. <br> <br> Използвайте ги само, ако не можете да се свържете пряко чрез obfs4 транспорти или други нормални мостове с Тор.",
|
||||
"gui_settings_tor_bridges_invalid": "Нито един от добавените от Вас мостове работят.\nПроверете ги отново или добавете други.",
|
||||
"gui_settings_tor_bridges": "Свързване, чрез мостове на Тор?",
|
||||
"gui_settings_meek_lite_expensive_warning": "Внимание: Проектът Тор бива таксуван при всяко ползване на мостовете meek-azure.<br><br>За това ги използвайте само ако не можете да се свържете с Тор директно, чрез obfs4 или обикновени мостове.",
|
||||
"gui_settings_tor_bridges_invalid": "Нито един от въведените от вас мостове не работи. Проверете ги или добавете други.",
|
||||
"gui_settings_button_save": "Запазване",
|
||||
"gui_settings_button_cancel": "Отказ",
|
||||
"gui_settings_button_help": "Помощ",
|
||||
"settings_error_unknown": "Не мога да се свържа с Тор контролера, защото Вашите настройки не правят смисъл.",
|
||||
"settings_error_automatic": "Не мога да се свържа с Тор контролера. Стартиран ли е Тор браузерът във фонов режим (достъпен от torproject. org)?",
|
||||
"settings_error_socket_port": "Не мога да се свържа с Тор контролера в {}:{}.",
|
||||
"settings_error_socket_file": "Не мога да се свържа с Тор контролера, използвайки сокет файл {}.",
|
||||
"settings_error_auth": "Свързан с {}:{}, но не може да се идентифицира. Може би това не е Тор контролер?",
|
||||
"settings_error_missing_password": "Свързан с Тор контролер, но той изисква парола за идентификация.",
|
||||
"settings_error_unreadable_cookie_file": "Свързан с Тор контролер, но паролата може да е грешна, или на Вашият потребител да не е позволено да чете бисквитката файл.",
|
||||
"settings_error_bundled_tor_not_supported": "Използване на Тор версия, идваща с OnionShare не работи в режим на разработчик под Windows или macOS.",
|
||||
"settings_error_bundled_tor_timeout": "Oтнема прекалено дълго време да се свържа с Тор. Може би не сте свързани с интернет или системният часовник е неточен?",
|
||||
"settings_error_bundled_tor_broken": "OnionShare не можа да се свърже с Тор във фонов режим:\n{}",
|
||||
"settings_test_success": "Свързан с Тор контролер.\n\nТор версия: {}\nПоддържа ephemeral onion services: {}\nПоддържа клиент автентикация: {}\nПоддържа следваща генерация .onion адреси: {}",
|
||||
"error_tor_protocol_error": "Станала е грешка с Тор: {}",
|
||||
"connecting_to_tor": "Свързване към Тор мрежата",
|
||||
"update_available": "Има нов OnionShare. <a href='{}'>Кликнете тук</a>, за да го изтеглите.<br><br>Вие използвате {}, а последният е {}.",
|
||||
"update_error_check_error": "Не мога да проверя за нови версии: OnionShare сайтът казва, че не разпознава последната версия '{}'…",
|
||||
"update_error_invalid_latest_version": "Не мога да проверя за нова версия: Може би не сте свързани към Тор или OnionShare уебсайтът е изключен?",
|
||||
"update_not_available": "Вие изпозвате псоледната версия на OnionShare.",
|
||||
"gui_tor_connection_ask": "Отворете настройките, за да възстановите връзката с Тор?",
|
||||
"settings_error_unknown": "Грешка при свързване с контролер на Тор поради грешни настройки.",
|
||||
"settings_error_automatic": "Грешка при свързване с контролер на Тор. Четецът Тор (достъпен от torproject. org) работи ли?",
|
||||
"settings_error_socket_port": "Грешка при свързване с контролер на Тор в {}:{}.",
|
||||
"settings_error_socket_file": "Грешка при свързване с контролер на Тор чрез файла на сокет {}.",
|
||||
"settings_error_auth": "Свързано с {}:{}, грешка при удостоверяване. Може би това не е контролер на Тор?",
|
||||
"settings_error_missing_password": "Свързан с контролер на Тор, но той изисква парола за удостоверяване.",
|
||||
"settings_error_unreadable_cookie_file": "Свързан с Тор контролер, но паролата е грешна, или на потребителя ви да не е позволено да чете файла с бисквитките.",
|
||||
"settings_error_bundled_tor_not_supported": "Изданието Тор, вградено в OnionShare не работи в режим на разработчик под Windows или macOS.",
|
||||
"settings_error_bundled_tor_timeout": "Установяването на връзка с мрежата на Тор отнема твърде много време. Уверете се, че има връзка с интернет и системният часовник е верен.",
|
||||
"settings_error_bundled_tor_broken": "OnionShare не може да се свърже с Тор във фонов режим:\n{}",
|
||||
"settings_test_success": "Свързан с контролер на Тор.\n\nИздание на Тор: {}\nПоддържа временни услуги на Onion: {}\nПоддържа удостоверяване на клиента: {}\nПоддържа следващо поколение адреси .onion: {}.",
|
||||
"error_tor_protocol_error": "Възникнала е грешка в Тор: {}",
|
||||
"connecting_to_tor": "Свързване към мрежата на Тор",
|
||||
"update_available": "Има ново издание на OnionShare. За да го изтеглите <a href='{}'>щракнете тук</a>.<br><br>Използвате {}, последно издание {}.",
|
||||
"update_error_check_error": "Грешка при проверка за ново издание: вероятно не сте свързани към Тор или страницата на OnionShare е недостъпна.",
|
||||
"update_error_invalid_latest_version": "Грешка при проверка за ново издание: страницата на OnionShare съобщава, че новото издание е неразпознато: '{}'…",
|
||||
"update_not_available": "Изпозвате последното издание на OnionShare.",
|
||||
"gui_tor_connection_ask": "За да бъде възстановена връзката с Тор да бъдат ли отворени настройките?",
|
||||
"gui_tor_connection_ask_open_settings": "Да",
|
||||
"gui_tor_connection_ask_quit": "Изход",
|
||||
"gui_tor_connection_error_settings": "Опитайте да промените в настройките как OnionShare се свързва с Тор.",
|
||||
@ -84,10 +84,10 @@
|
||||
"gui_status_indicator_receive_started": "Получаване",
|
||||
"gui_file_info": "{} файла, {}",
|
||||
"gui_file_info_single": "{} файл, {}",
|
||||
"history_in_progress_tooltip": "{} е в прогрес",
|
||||
"history_completed_tooltip": "{} завършено",
|
||||
"gui_receive_mode_warning": "Режим на приемане позволява на хора да качват файлове на Вашия компютър.<br><br><b>Някои файлове могат потенциално да поемат контрол над компютъра Ви, ако ги отворите. Отваряйте единствено неща от хора, на които вярвате или ако знаете какво правите.</b>",
|
||||
"systray_page_loaded_title": "OnionShare страницата е заредена",
|
||||
"history_in_progress_tooltip": "{} в изпълнение",
|
||||
"history_completed_tooltip": "{} завършени",
|
||||
"gui_receive_mode_warning": "Режимът на получаване дава възможност на други хора да изпращат файлове до вашето устройство.<br><br><b>Някои файлове, ако бъдат отворени, биха могли да поемат контрола върху устройството ви. Отваряйте само файлове от хора, на които имате доверие, или ако знаете какво правите.</b>",
|
||||
"systray_page_loaded_title": "Отворена е страница",
|
||||
"gui_settings_language_label": "Предпочитан език",
|
||||
"gui_settings_language_changed_notice": "За да влезе в сила промяната на езика е необходим рестарт на OnionShare.",
|
||||
"incorrect_password": "Невярна парола",
|
||||
@ -135,7 +135,7 @@
|
||||
"gui_status_indicator_chat_working": "Включване…",
|
||||
"gui_add_files": "Добавяне на файлове",
|
||||
"gui_waiting_to_start": "Ще бъде включен в {}. Щракнете за отменяне.",
|
||||
"gui_close_tab_warning_close": "Затваряне",
|
||||
"gui_close_tab_warning_close": "Добре",
|
||||
"gui_qr_code_dialog_title": "QR код на OnionShare",
|
||||
"gui_show_qr_code": "Показване на QR код",
|
||||
"gui_status_indicator_chat_started": "В разговор",
|
||||
@ -253,5 +253,6 @@
|
||||
"mode_tor_not_connected_label": "OnionShare не е свързан с мрежата на Тор",
|
||||
"systray_share_canceled_message": "Някой прекъсна изтеглянето на файловете",
|
||||
"mode_settings_website_disable_csp_checkbox": "Без изпращане на подразбираната заглавка на Content Security Policy (за използване на странични ресурси)",
|
||||
"history_receive_read_message_button": "Прочитане"
|
||||
"history_receive_read_message_button": "Прочитане",
|
||||
"gui_chat_mode_explainer": "Режимът за бързи съобщения ви дава възможност да обменяте съобщения в реално време посредством четеца Тор.<br><br><b>Хронологията на разговора не се пази в OnionShare. Тя изчезва при затваряне на четеца.<b>"
|
||||
}
|
||||
|
@ -1 +1,36 @@
|
||||
{}
|
||||
{
|
||||
"gui_add_files": "ཡིག་ཆ་ཁ་སྣོན།",
|
||||
"gui_add_folder": "ཡིག་སྒམ་ཁ་སྣོན།",
|
||||
"gui_remove": "གཙང་གསུབ།",
|
||||
"gui_qr_label_auth_string_title": "སྒེར་གྱི་ལྡེ་མིག",
|
||||
"gui_please_wait_no_button": "འགོ་འཛུགས་བཞིན་པ…",
|
||||
"gui_settings_theme_dark": "ནག་པོ།",
|
||||
"gui_all_modes_history": "བསྔོགས་བཤུལ་།",
|
||||
"gui_all_modes_clear_history": "ཆ་ཚང་གཙང་གསུབ།",
|
||||
"gui_main_page_website_button": "གཙོ་སྐྱོང་འགོ་འཛུགས།",
|
||||
"gui_tab_name_website": "དྲྭ་ཚིགས།",
|
||||
"gui_tab_name_chat": "གླེང་མོལ།",
|
||||
"gui_status_indicator_receive_working": "འགོ་འཛུགས་བཞིན་པ…",
|
||||
"gui_settings_button_cancel": "ཕྱིར་འཐེན།",
|
||||
"mode_settings_title_label": "མང་མོས་ཀྱི་འགོ་བརྗོད།",
|
||||
"gui_add": "ཁ་སྣོན།",
|
||||
"moat_captcha_submit": "ཡར་སྤྲོད།",
|
||||
"gui_tab_name_share": "མཉམ་སྤྱོད།",
|
||||
"mode_settings_receive_data_dir_browse_button": "ལྟ་བ།",
|
||||
"gui_settings_window_title": "སྒྲིག་འགོད།",
|
||||
"gui_settings_authenticate_password_option": "Password",
|
||||
"gui_settings_password_label": "Password",
|
||||
"gui_settings_bridge_custom_placeholder": "type address:port (one per line)",
|
||||
"gui_settings_button_save": "ཉར་ཚགས།",
|
||||
"gui_tor_connection_ask_open_settings": "རེད།",
|
||||
"gui_status_indicator_chat_working": "འགོ་འཛུགས་བཞིན་པ…",
|
||||
"gui_settings_language_label": "སྐད་ཡིག།",
|
||||
"gui_settings_theme_label": "བརྗོད་གཞི།",
|
||||
"gui_settings_theme_light": "དཀར་མདངས།",
|
||||
"gui_main_page_share_button": "བརྒྱུད་སྐུར་འགོ་འཛུགས།",
|
||||
"gui_close_tab_warning_close": "འགྲིག",
|
||||
"gui_close_tab_warning_cancel": "ཕྱིར་འཐེན།",
|
||||
"gui_quit_warning_cancel": "ཕྱིར་འཐེན།",
|
||||
"gui_status_indicator_share_working": "འགོ་འཛུགས་བཞིན་པ…",
|
||||
"gui_status_indicator_share_started": "བརྒྱུད་སྐུར།"
|
||||
}
|
||||
|
@ -1 +1,32 @@
|
||||
{}
|
||||
{
|
||||
"gui_general_settings_window_title": "Općenito",
|
||||
"gui_settings_button_cancel": "Odustani",
|
||||
"gui_settings_button_help": "Help",
|
||||
"gui_quit_warning_cancel": "Odustani",
|
||||
"gui_tor_connection_ask_open_settings": "Da",
|
||||
"gui_tab_name_website": "Website",
|
||||
"gui_settings_authenticate_password_option": "Lozinka",
|
||||
"gui_close_tab_warning_cancel": "Odustani",
|
||||
"gui_remove": "Ukloni",
|
||||
"gui_file_selection_remove_all": "Ukloniti sve",
|
||||
"gui_add": "Dodaj",
|
||||
"gui_choose_items": "Izaberi",
|
||||
"gui_settings_window_title": "Postavke",
|
||||
"gui_settings_password_label": "Lozinka",
|
||||
"gui_settings_bridge_custom_placeholder": "type address:port (one per line)",
|
||||
"gui_tor_connection_ask_quit": "Odustani",
|
||||
"gui_settings_theme_label": "Tema",
|
||||
"gui_settings_theme_dark": "Tamna",
|
||||
"systray_menu_exit": "Odustani",
|
||||
"gui_quit_warning_quit": "Odustani",
|
||||
"moat_captcha_submit": "podnijeti",
|
||||
"gui_all_modes_history": "Historija",
|
||||
"gui_settings_button_save": "Sačuvaj",
|
||||
"gui_canceled": "Canceled",
|
||||
"moat_captcha_reload": "Reload",
|
||||
"gui_settings_autoupdate_timestamp_never": "Never",
|
||||
"gui_hide": "Hide",
|
||||
"gui_settings_language_label": "Language",
|
||||
"gui_settings_theme_light": "Light",
|
||||
"gui_tab_name_share": "Share"
|
||||
}
|
||||
|
@ -148,7 +148,7 @@
|
||||
"gui_quit_warning_description": "Voleu sortir i tancar totes les pestanyes, tot i que algunes d'elles estan compartint?",
|
||||
"gui_quit_warning_title": "Voleu tancar l'OnionShare?",
|
||||
"gui_close_tab_warning_cancel": "Cancel·la",
|
||||
"gui_close_tab_warning_close": "Tanca",
|
||||
"gui_close_tab_warning_close": "D'acord",
|
||||
"gui_close_tab_warning_website_description": "Voleu tancar la pestanya que allotja el lloc web?",
|
||||
"gui_close_tab_warning_receive_description": "Voleu tancar la pestanya que rep els fitxers?",
|
||||
"gui_close_tab_warning_share_description": "Voleu tancar la pestanya que envia els fitxers?",
|
||||
@ -253,5 +253,6 @@
|
||||
"gui_autoconnect_circumventing_censorship_starting_meek": "S'està establint el pont meek per al domain-fronting…",
|
||||
"gui_general_settings_window_title": "General",
|
||||
"gui_close_tab_warning_chat_description": "Voleu tancar la pestanya que hostatja un servidor de xat?",
|
||||
"waitress_web_server_error": "Hi ha hagut un problema en iniciar el servidor web"
|
||||
"waitress_web_server_error": "Hi ha hagut un problema en iniciar el servidor web",
|
||||
"gui_chat_mode_explainer": "El mode de xat us permet xatejar de manera interactiva amb altres persones al Navegador Tor.<br><br><b>L'historial de xat no s'emmagatzema a OnionShare. L'historial de xat desapareixerà quan tanqueu el Navegador Tor.</b>"
|
||||
}
|
||||
|
@ -175,5 +175,21 @@
|
||||
"error_port_not_available": "Port yê OnionShare tune",
|
||||
"gui_rendezvous_cleanup_quit_early": "Zû bigire",
|
||||
"gui_rendezvous_cleanup": "Li bendê ne haya kû Tor rêya hatî bikaranîn dîsa bigire ji bo ekîd bike nameyên te serkeftî hatine şandin.\n\nEw dikare hinek xulekan bidome.",
|
||||
"gui_chat_url_description": "<b> Herkesî</b> bi vê navnîşanê OnionShare dikare<b>tevlî vê rûniştinê bibe</b>bi bikaranîna <b> Tor Browser</b>:<img src='{}'/>"
|
||||
"gui_chat_url_description": "<b> Herkesî</b> bi vê navnîşanê OnionShare dikare<b>tevlî vê rûniştinê bibe</b>bi bikaranîna <b> Tor Browser</b>:<img src='{}'/>",
|
||||
"gui_settings_theme_label": "ڕووکار",
|
||||
"gui_settings_theme_light": "ڕووناکی",
|
||||
"gui_settings_theme_dark": "تاریک",
|
||||
"gui_settings_bridge_none_radio_option": "Piran bi kar neyne",
|
||||
"gui_receive_url_public_description": "<b>Her kesekî</b> bi vê malpera OnionShare dikare <b>belgeran li ser komputera te bi kar anîna</b> Tor Broweser <b>bar bike</b>: <img src='{}' />",
|
||||
"gui_chat_url_public_description": "<b> Herkesî</b> bi vê navnîşanê OnionShare dikare<b>tevlî vê rûniştinê bibe</b>bi bikaranîna <b> Tor Browser</b>:<img src='{}'/>",
|
||||
"gui_status_indicator_chat_working": "Destpê dike…",
|
||||
"gui_status_indicator_chat_scheduled": "Pilankirî…",
|
||||
"gui_please_wait_no_button": "Destpê dike…",
|
||||
"gui_share_url_public_description": "<b>Her kesî</b> bi vê malpera OnionShare bikare <b>belgeryên te bi</b> TorBrowser <b>berjêr bike</b>: <img src='{}' />",
|
||||
"gui_website_url_public_description": "<b>Her kesî</b> bi vê malpera OnionShare dikare <b>were li ser</b> malpera te <b>dema TorBrowser bikar tîne</b>: <img src='{}' />",
|
||||
"gui_settings_theme_auto": "خۆکار",
|
||||
"moat_captcha_submit": "پێشکەشکردن",
|
||||
"gui_general_settings_window_title": "گشتی",
|
||||
"gui_hide": "Hide",
|
||||
"moat_captcha_reload": "Reload"
|
||||
}
|
||||
|
@ -38,7 +38,7 @@
|
||||
"systray_menu_exit": "Ukončit",
|
||||
"gui_share_stop_server_autostop_timer": "Zastavit sdílení ({})",
|
||||
"gui_receive_start_server": "Spustit přijímací mód",
|
||||
"gui_receive_stop_server": "Zastavit přijímání",
|
||||
"gui_receive_stop_server": "Zastavit příjem",
|
||||
"gui_receive_stop_server_autostop_timer": "Zastavit přijímací mód (zbývá {})",
|
||||
"gui_copied_url_title": "OnionShare adresa byla zkopírována",
|
||||
"gui_settings_autoupdate_label": "Kontrola nové verze",
|
||||
@ -48,7 +48,6 @@
|
||||
"gui_settings_autoupdate_check_button": "Kontrola nové verze",
|
||||
"gui_settings_connection_type_bundled_option": "Použít verzi Toru vestavěnou v OnionShare",
|
||||
"gui_settings_connection_type_test_button": "Vyzkoušet připojení k Toru",
|
||||
"gui_settings_socks_label": "SOCKS port",
|
||||
"gui_settings_tor_bridges": "Připojit se pomocí mostu Tor?",
|
||||
"gui_add_files": "Přidat soubory",
|
||||
"gui_add_folder": "Přidat adresář",
|
||||
@ -91,7 +90,7 @@
|
||||
"gui_url_instructions": "Nejprve odešlete níže uvedenou adresu služby OnionShare:",
|
||||
"gui_share_mode_autostop_timer_waiting": "Dokončování odesílání…",
|
||||
"gui_receive_mode_autostop_timer_waiting": "Dokončování přijímání…",
|
||||
"mode_settings_persistent_checkbox": "Uložit tento panel a automaticky ji otevřít při dalším spuštění OnionShare",
|
||||
"mode_settings_persistent_checkbox": "Uložit tento panel a automaticky ho otevřít při dalším spuštění OnionShare",
|
||||
"mode_settings_share_autostop_sharing_checkbox": "Zastavit sdílení po odeslání souborů (zrušením zaškrtnutí povolíte stahování jednotlivých souborů)",
|
||||
"mode_settings_receive_disable_text_checkbox": "Zakázat odesílání textu",
|
||||
"mode_settings_receive_disable_files_checkbox": "Zakázat nahrávání souborů",
|
||||
@ -125,8 +124,8 @@
|
||||
"minutes_first_letter": "m",
|
||||
"gui_new_tab_chat_button": "Chatuj anonymně",
|
||||
"gui_tab_name_chat": "Chat",
|
||||
"gui_close_tab_warning_title": "Jste si jisti?",
|
||||
"gui_quit_warning_title": "Jste si jisti?",
|
||||
"gui_close_tab_warning_title": "Zavřít panel?",
|
||||
"gui_quit_warning_title": "Ukončit OnionShare?",
|
||||
"gui_new_tab_tooltip": "Otevřít nový panel",
|
||||
"gui_quit_warning_description": "Ukončit a zavřít všechny panely, i když je sdílení v některých z nich stále aktivní?",
|
||||
"mode_settings_title_label": "Vlastní název",
|
||||
@ -189,7 +188,7 @@
|
||||
"gui_url_label_persistent": "Sdílení se automaticky nezastaví.<br><br>Každé budoucí sdílení znovu využije tuto adresu. (Pro použití jednorázových adres vypněte \"Používat trvalé adresy\" v nastavení.)",
|
||||
"systray_page_loaded_title": "Stránka načtena",
|
||||
"gui_new_tab": "Nový panel",
|
||||
"gui_main_page_chat_button": "Zahájit chatování",
|
||||
"gui_main_page_chat_button": "Zahájit chat",
|
||||
"gui_close_tab_warning_website_description": "Zavřít panel, který hostuje webovou stránku?",
|
||||
"gui_url_label_stay_open": "Toto sdílení se nezastaví automaticky.",
|
||||
"gui_status_indicator_receive_scheduled": "Naplánováno…",
|
||||
@ -199,7 +198,7 @@
|
||||
"gui_all_modes_progress_eta": "{0:s}, Přibližně: {1:s}, %p%",
|
||||
"gui_tab_name_share": "Sdílení",
|
||||
"gui_close_tab_warning_receive_description": "Zavřít panel, který přijímá soubory?",
|
||||
"gui_close_tab_warning_close": "Zavřít",
|
||||
"gui_close_tab_warning_close": "Ok",
|
||||
"gui_website_mode_no_files": "Zatím nejsou sdíleny žádné webové stránky",
|
||||
"gui_receive_mode_no_files": "Zatím nebyly přijaty žádné soubory",
|
||||
"gui_close_tab_warning_cancel": "Zrušit",
|
||||
@ -228,7 +227,7 @@
|
||||
"gui_settings_bridge_moat_button": "Vyžádat si nový most",
|
||||
"gui_settings_bridge_custom_placeholder": "Zadejte adresa:port (jeden na řádek)",
|
||||
"gui_settings_moat_bridges_invalid": "Zatím jste si nevyžádali most od torproject.org.",
|
||||
"update_available": "Nová verze OnionShare je k dispozici. <a href='{}'>Klikněte zde</a> a získejte ji.<br><br>Používáte {} a nejnovější je {}.",
|
||||
"update_available": "Nová verze OnionShare je k dispozici. <a href='{}'>Klikněte zde</a> a získejte ji.<br><br>Používáte {}, nejnovější je {}.",
|
||||
"gui_server_started_after_autostop_timer": "Časovač automatického zastavení vypršel před spuštěním serveru. Vytvořte prosím nové sdílení.",
|
||||
"gui_autostop_timer_cant_be_earlier_than_autostart_timer": "Čas automatického zastavení nesmí být stejný nebo dřívější než čas automatického spuštění. Nastavte jej, abyste mohli začít sdílet.",
|
||||
"gui_server_doesnt_support_stealth": "Omlouváme se, ale tato verze Toru nepodporuje funkci stealth (ověřování klienta). Zkuste to prosím s novější verzí Toru nebo použijte režim \"public\", pokud nemusí být soukromý.",
|
||||
@ -240,7 +239,7 @@
|
||||
"systray_share_started_message": "Začínáte někomu odesílat soubory",
|
||||
"systray_share_completed_title": "Přenos dokončen",
|
||||
"systray_share_canceled_title": "Přenos zrušen",
|
||||
"systray_receive_started_title": "Přijímání započalo",
|
||||
"systray_receive_started_title": "Příjem zahájen",
|
||||
"systray_receive_started_message": "Někdo vám posílá soubory",
|
||||
"gui_all_modes_clear_history": "Vyčistit vše",
|
||||
"gui_all_modes_progress_starting": "{0:s}, %p% (probíhá výpočet)",
|
||||
@ -249,9 +248,11 @@
|
||||
"gui_quit_warning_cancel": "Zrušit",
|
||||
"mode_settings_advanced_toggle_show": "Ukázat pokročilá nastavení",
|
||||
"mode_settings_advanced_toggle_hide": "Skrýt pokročila nastavení",
|
||||
"mode_settings_public_checkbox": "Toto je veřejná služba OnionShare (vypne soukromý klíč)",
|
||||
"mode_settings_public_checkbox": "Toto je veřejná služba OnionShare (vypnout soukromý klíč)",
|
||||
"mode_settings_autostart_timer_checkbox": "Spustit službu onion v naplánovaný čas",
|
||||
"settings_error_bundled_tor_not_supported": "Používání verze Toru dodávané se službou OnionShare nefunguje v režimu pro vývojáře v systémech Windows a macOS.",
|
||||
"gui_close_tab_warning_chat_description": "Zavřít kartu, která hostuje chat server?",
|
||||
"waitress_web_server_error": "Došlo k chybě při spuštění webového serveru"
|
||||
"waitress_web_server_error": "Došlo k chybě při spuštění webového serveru",
|
||||
"gui_settings_socks_label": "SOCKS port",
|
||||
"gui_chat_mode_explainer": "Režim chatu umožňuje interaktivně chatovat s ostatními v rámci Prohlížeče Tor.<br><br><b>Historie chatu není uložena v OnionShare. Historie chatu zmizí, když zavřete Prohlížeč Tor.</b>"
|
||||
}
|
||||
|
@ -5,7 +5,7 @@
|
||||
"closing_automatically": "Stoppede fordi overførslen er færdig",
|
||||
"large_filesize": "Advarsel: Det kan tage timer at sende en stor deling",
|
||||
"systray_menu_exit": "Afslut",
|
||||
"gui_drag_and_drop": "Træk og slip filer og mapper her\nfor at begynde at dele",
|
||||
"gui_drag_and_drop": "Træk og slip filer og mapper her for at begynde at dele",
|
||||
"gui_add": "Tilføj",
|
||||
"gui_choose_items": "Vælg",
|
||||
"gui_share_start_server": "Begynd at dele",
|
||||
@ -34,8 +34,8 @@
|
||||
"gui_settings_authenticate_no_auth_option": "Ingen autentifikation, eller cookieautentifikation",
|
||||
"gui_settings_authenticate_password_option": "Adgangskode",
|
||||
"gui_settings_password_label": "Adgangskode",
|
||||
"gui_settings_tor_bridges": "Understøttelse af Tor-bro",
|
||||
"gui_settings_tor_bridges_invalid": "Ingen at de broer du tilføjede virker.\nDobbelttjek dem eller tilføj andre.",
|
||||
"gui_settings_tor_bridges": "Opret forbindelse med en Tor-bro?",
|
||||
"gui_settings_tor_bridges_invalid": "Ingen at de broer du tilføjede virker. Dobbelttjek dem eller tilføj andre.",
|
||||
"gui_settings_button_save": "Gem",
|
||||
"gui_settings_button_cancel": "Annuller",
|
||||
"gui_settings_button_help": "Hjælp",
|
||||
@ -64,7 +64,7 @@
|
||||
"gui_tor_connection_lost": "Der er ikke oprettet forbindelse til Tor.",
|
||||
"gui_server_started_after_autostop_timer": "Timeren med automatisk stop løb ud inden serveren startede. Opret venligst en ny deling.",
|
||||
"gui_server_autostop_timer_expired": "Timeren med automatisk stop er allerede løbet ud. Juster den venligst for at begynde at dele.",
|
||||
"gui_copied_url_title": "Kopierede OnionShare-adresse",
|
||||
"gui_copied_url_title": "OnionShare-adresse kopieret",
|
||||
"gui_url_label_persistent": "Delingen stopper ikke automatisk.<br><br>Enhver efterfølgende deling bruger den samme adresse igen (hvis du vil bruge engangsadresser, så deaktivér \"Brug vedvarende adresse\", i indstillingerne).",
|
||||
"gui_url_label_stay_open": "Delingen stopper ikke automatisk.",
|
||||
"gui_url_label_onetime": "Delingen stopper efter den er færdig for første gang.",
|
||||
@ -83,7 +83,7 @@
|
||||
"gui_status_indicator_receive_started": "Modtager",
|
||||
"systray_page_loaded_title": "Side indlæst",
|
||||
"gui_settings_language_label": "Foretrukne sprog",
|
||||
"gui_settings_language_changed_notice": "Genstart OnionShare for at få det nye sprog til at træde i kraft.",
|
||||
"gui_settings_language_changed_notice": "Genstart OnionShare for at skifte til det nye sprog.",
|
||||
"gui_settings_meek_lite_expensive_warning": "Advarsel: meek_lite-broerne er meget dyre at køre for Tor-projektet.<br><br>Brug dem kun hvis du ikke er i stand til at oprette forbindelse til Tor direkte, via obfs4-transporter eller andre normale broer.",
|
||||
"gui_share_url_description": "<b>Alle</b> med OnionShare-adressen kan <b>downloade</b> dine filer, med <b>Tor Browser</b>: <img src='{}' />",
|
||||
"gui_receive_url_description": "<b>Alle</b> med OnionShare-adressen kan <b>uploade</b> filer til din computer, med <b>Tor Browser</b>: <img src='{}' />",
|
||||
@ -111,9 +111,9 @@
|
||||
"gui_all_modes_progress_starting": "{0:s}, %p% (udregner)",
|
||||
"gui_all_modes_progress_eta": "{0:s}, anslået ankomsttid: {1:s}, %p%",
|
||||
"gui_share_mode_no_files": "Der er endnu ikke sendt nogle filer",
|
||||
"gui_share_mode_autostop_timer_waiting": "Venter på at blive færdig med at sende",
|
||||
"gui_share_mode_autostop_timer_waiting": "Færdiggør afsendelse …",
|
||||
"gui_receive_mode_no_files": "Der er endnu ikke modtaget nogle filer",
|
||||
"gui_receive_mode_autostop_timer_waiting": "Venter på at blive færdig med at modtage",
|
||||
"gui_receive_mode_autostop_timer_waiting": "Færdiggør modtagelse …",
|
||||
"gui_all_modes_transfer_canceled_range": "Annullerede {} - {}",
|
||||
"gui_all_modes_transfer_canceled": "Annullerede {}",
|
||||
"gui_stop_server_autostop_timer_tooltip": "Timer med automatisk stop slutter {}",
|
||||
@ -135,12 +135,12 @@
|
||||
"mode_settings_share_autostop_sharing_checkbox": "Stop deling efter filerne er blevet sendt (fravælg for at gøre det muligt at downloade individuelle filer)",
|
||||
"mode_settings_autostop_timer_checkbox": "Stop oniontjeneste på det planlagte tidspunkt",
|
||||
"mode_settings_autostart_timer_checkbox": "Start oniontjeneste på det planlagte tidspunkt",
|
||||
"mode_settings_persistent_checkbox": "Gem fanebladet og åbn det automatisk når jeg åbner OnionShare",
|
||||
"mode_settings_persistent_checkbox": "Åbn altid dette faneblad når OnionShare startes",
|
||||
"gui_quit_warning_description": "Deling er aktiv i nogle af dine faneblade. Hvis du afslutter, så lukkes alle dine faneblade. Er du sikker på, at du vil afslutte?",
|
||||
"gui_close_tab_warning_website_description": "Du er vært for et websted. Er du sikker på, at du vil lukke fanebladet?",
|
||||
"gui_close_tab_warning_receive_description": "Du er ved at modtage filer. Er du sikker på, at du vil lukke fanebladet?",
|
||||
"gui_close_tab_warning_share_description": "Du er ved at sende filer. Er du sikker på, at du vil lukke fanebladet?",
|
||||
"gui_close_tab_warning_persistent_description": "Fanebladet er vedvarende. Hvis du lukker det, så mister du den onionadresse som det bruger. Er du sikker på, at du vil lukke det?",
|
||||
"gui_close_tab_warning_website_description": "Luk faneblad som er vært for et websted?",
|
||||
"gui_close_tab_warning_receive_description": "Luk faneblad som modtager filer?",
|
||||
"gui_close_tab_warning_share_description": "Luk faneblad som sender filer?",
|
||||
"gui_close_tab_warning_persistent_description": "Luk det vedvarende faneblad og mist den onionadresse som det bruger?",
|
||||
"gui_new_tab_website_button": "Vær vært for et websted",
|
||||
"gui_new_tab_receive_button": "Modtag filer",
|
||||
"gui_new_tab_share_button": "Del filer",
|
||||
@ -151,10 +151,10 @@
|
||||
"mode_settings_advanced_toggle_hide": "Skjul avancerede indstillinger",
|
||||
"mode_settings_advanced_toggle_show": "Vis avancerede indstillinger",
|
||||
"gui_quit_warning_cancel": "Annuller",
|
||||
"gui_quit_warning_title": "Er du sikker?",
|
||||
"gui_quit_warning_title": "Afslut OnionShare?",
|
||||
"gui_close_tab_warning_cancel": "Annuller",
|
||||
"gui_close_tab_warning_close": "Luk",
|
||||
"gui_close_tab_warning_title": "Er du sikker?",
|
||||
"gui_close_tab_warning_close": "Ok",
|
||||
"gui_close_tab_warning_title": "Luk faneblad?",
|
||||
"gui_new_tab": "Nyt faneblad",
|
||||
"gui_tab_name_chat": "Chat",
|
||||
"gui_tab_name_website": "Websted",
|
||||
@ -175,16 +175,69 @@
|
||||
"gui_main_page_chat_button": "Begynd at chatte",
|
||||
"gui_chat_url_description": "<b>Alle</b> med denne OnionShare-adresse kan <b>deltage i chatrummet</b> med <b>Tor Browser</b>: <img src='{}' />",
|
||||
"error_port_not_available": "OnionShare-port ikke tilgængelig",
|
||||
"gui_rendezvous_cleanup": "Venter på at Tor-kredsløb lukker for at være sikker på, at det lykkedes at overføre dine filer.\n\nDet kan tage noget tid.",
|
||||
"gui_rendezvous_cleanup": "Venter på at Tor-kredsløb lukker for at være sikker på, at dine filer er blevet overført.\n\nDet kan tage nogle minutter.",
|
||||
"gui_rendezvous_cleanup_quit_early": "Afslut tidligt",
|
||||
"history_receive_read_message_button": "Læs meddelelse",
|
||||
"mode_settings_receive_webhook_url_checkbox": "Brug underretningswebhook",
|
||||
"mode_settings_receive_disable_files_checkbox": "Deaktivér upload af filer",
|
||||
"mode_settings_receive_disable_text_checkbox": "Deaktivér indsendelse af tekst",
|
||||
"mode_settings_title_label": "Tilpasset titel",
|
||||
"gui_color_mode_changed_notice": "Genstart OnionShare for at anvende den nye farvetilstand.",
|
||||
"gui_color_mode_changed_notice": "Genstart OnionShare for at se de nye farver.",
|
||||
"gui_status_indicator_chat_started": "Chatter",
|
||||
"gui_status_indicator_chat_scheduled": "Planlagt …",
|
||||
"gui_status_indicator_chat_working": "Starter …",
|
||||
"gui_status_indicator_chat_stopped": "Klar til at chatte"
|
||||
"gui_status_indicator_chat_stopped": "Klar til at chatte",
|
||||
"gui_settings_version_label": "Du bruger OnionShare {}",
|
||||
"gui_autoconnect_failed_to_connect_to_tor": "Kunne ikke oprette forbindelse til Tor",
|
||||
"gui_please_wait_no_button": "Starter …",
|
||||
"gui_settings_bridge_custom_placeholder": "skriv adresse:port (én per linje)",
|
||||
"gui_reveal": "Vis",
|
||||
"gui_settings_bridge_use_checkbox": "Brug en bro",
|
||||
"gui_copied_client_auth": "Privat nøgle kopieret til udklipsholder",
|
||||
"gui_settings_bridge_moat_button": "Anmod om en ny bro",
|
||||
"gui_settings_bridge_radio_builtin": "Vælg en indbygget bro",
|
||||
"gui_settings_bridge_none_radio_option": "Brug ikke broer",
|
||||
"gui_qr_label_auth_string_title": "Privat nøgle",
|
||||
"gui_hide": "Skjul",
|
||||
"gui_enable_autoconnect_checkbox": "Opret automatisk forbindelse til Tor",
|
||||
"gui_copied_client_auth_title": "Privat nøgle kopieret",
|
||||
"gui_copy_client_auth": "Kopiér privat nøgle",
|
||||
"gui_qr_label_url_title": "OnionShare-adresse",
|
||||
"gui_general_settings_window_title": "Generelt",
|
||||
"gui_settings_bridge_moat_radio_option": "Anmod om bro fra torproject.org",
|
||||
"gui_settings_controller_extras_label": "Indstillinger for Tor",
|
||||
"gui_url_instructions": "Send først OnionShare-adressen herunder:",
|
||||
"gui_autoconnect_no_bridge": "Prø",
|
||||
"gui_autoconnect_circumventing_censorship": "Finder en løsning på forbindelsesproblemer …",
|
||||
"gui_settings_theme_auto": "Automatisk",
|
||||
"moat_solution_empty_error": "Indtast tegnene fra billedet",
|
||||
"gui_autoconnect_circumventing_censorship_starting_circumvention": "Omgår censur …",
|
||||
"gui_url_instructions_public_mode": "Send OnionShare-adressen nedenfor:",
|
||||
"moat_contact_label": "Kontakter BridgeDB …",
|
||||
"moat_captcha_error": "Forkert svar. Prøv venligst igen.",
|
||||
"mode_tor_not_connected_label": "OnionShare har ikke forbindelse til Tor-netværket",
|
||||
"gui_settings_theme_dark": "Mørkt",
|
||||
"gui_settings_theme_light": "Lyst",
|
||||
"gui_settings_theme_label": "Tema",
|
||||
"gui_autoconnect_start": "Opret forbindelse til Tor",
|
||||
"gui_settings_help_label": "Brug for hjælp? Se <a href='https://docs.onionshare.org'>docs.onionshare.org</a>",
|
||||
"mode_settings_website_custom_csp_checkbox": "Send til tilpasset Content Security Policy-header",
|
||||
"gui_close_tab_warning_chat_description": "Luk faneblad som er vært for en chatserver?",
|
||||
"gui_autoconnect_trying_to_connect_to_tor": "Opretter forbindelse til Tor …",
|
||||
"gui_tor_settings_window_title": "Indstillinger for Tor",
|
||||
"moat_captcha_label": "Besvar CAPTCHA'en for at anmode om en bro.",
|
||||
"moat_captcha_reload": "Genindlæs",
|
||||
"moat_captcha_submit": "Indsend",
|
||||
"moat_captcha_placeholder": "Indtast tegnene fra billedet",
|
||||
"moat_bridgedb_error": "Kunne ikke kotnakte BridgeDB.",
|
||||
"gui_autoconnect_connection_error_msg": "Sørg for at du har forbindelse til internettet.",
|
||||
"gui_autoconnect_configure": "Netværksindstillinger",
|
||||
"gui_autoconnect_try_again_without_a_bridge": "Prøv igen uden broer",
|
||||
"gui_autoconnect_bridge_setting_options": "Indstillinger for broer",
|
||||
"waitress_web_server_error": "Der opstod et problem ved start af webserveren",
|
||||
"gui_client_auth_instructions": "Send herefter den private nøgle for at give adgang til din OnionShare-tjeneste:",
|
||||
"gui_share_url_public_description": "<b>Alle</b> med OnionShare-adressen kan <b>downloade</b> dine filer med <b>Tor Browser</b>: <img src='{}' />",
|
||||
"gui_chat_url_public_description": "<b>Alle</b> med denne OnionShare-adresse kan <b>deltage i chatrummet</b> med <b>Tor Browser</b>: <img src='{}' />",
|
||||
"gui_website_url_public_description": "<b>Alle</b> med OnionShare-adressen kan <b>besøge</b> dit websted med <b>Tor Browser</b>: <img src='{}' />",
|
||||
"gui_receive_url_public_description": "<b>Alle</b> med OnionShare-adressen kan <b>uploade</b> filer til din computer med <b>Tor Browser</b>: <img src='{}' />"
|
||||
}
|
||||
|
@ -149,7 +149,7 @@
|
||||
"gui_quit_warning_description": "Έξοδος και κλείσιμο όλων των καρτελών ακόμη και των ενεργών;",
|
||||
"gui_quit_warning_title": "Έξοδος από το OnionShare;",
|
||||
"gui_close_tab_warning_cancel": "Άκυρο",
|
||||
"gui_close_tab_warning_close": "Κλείσιμο",
|
||||
"gui_close_tab_warning_close": "Οκ",
|
||||
"gui_close_tab_warning_website_description": "Κλείσιμο της καρτέλας φιλοξενίας ιστότοπου;",
|
||||
"gui_close_tab_warning_receive_description": "Κλείσιμο της καρτέλας λήψης αρχείων;",
|
||||
"gui_close_tab_warning_share_description": "Κλείσιμο της καρτέλας αποστολής αρχείων;",
|
||||
@ -253,5 +253,6 @@
|
||||
"gui_autoconnect_could_not_connect_to_tor_api": "Δεν ήταν δυνατή η σύνδεση στο Tor API. Βεβαιωθείτε ότι είστε συνδεδεμένοι στο διαδίκτυο πριν προσπαθήσετε ξανά.",
|
||||
"gui_general_settings_window_title": "Γενικά",
|
||||
"waitress_web_server_error": "Παρουσιάστηκε πρόβλημα έναρξης του διακομιστή ιστού",
|
||||
"gui_close_tab_warning_chat_description": "Κλείσιμο της καρτέλας που φιλοξενεί έναν διακομιστή συνομιλίας;"
|
||||
"gui_close_tab_warning_chat_description": "Κλείσιμο της καρτέλας που φιλοξενεί έναν διακομιστή συνομιλίας;",
|
||||
"gui_chat_mode_explainer": "Η λειτουργία συνομιλίας σάς επιτρέπει να συνομιλείτε διαδραστικά με άλλους, στο Tor Browser.<br><br><b>Το ιστορικό συνομιλίας δεν αποθηκεύεται στο OnionShare. Το ιστορικό συνομιλιών θα διαγραφεί όταν κλείσετε το Tor Browser.</b>"
|
||||
}
|
||||
|
@ -5,7 +5,7 @@
|
||||
"closing_automatically": "متوقف شد چون انتقال انجام شد",
|
||||
"large_filesize": "هشدار: یک همرسانی بزرگ ممکن است ساعتها طول بکشد",
|
||||
"systray_menu_exit": "خروج",
|
||||
"gui_drag_and_drop": "پروندهها و پوشهها را بکشید و رها کنید\nتا همرسانی آغاز شود",
|
||||
"gui_drag_and_drop": "کشیدن و رها کردن پروندهها برای آغاز همرسانی",
|
||||
"gui_add": "افزودن",
|
||||
"gui_choose_items": "انتخاب",
|
||||
"gui_share_start_server": "شروع همرسانی",
|
||||
@ -22,11 +22,11 @@
|
||||
"gui_quit_warning_quit": "خروج",
|
||||
"zip_progress_bar_format": "فشرده سازی: %p%",
|
||||
"gui_settings_window_title": "تنظیمات",
|
||||
"gui_settings_autoupdate_label": "بررسی برای نسخه جدید",
|
||||
"gui_settings_autoupdate_label": "بررسی برای نگارش جدید",
|
||||
"gui_settings_autoupdate_option": "زمانی که نسخه جدید موجود بود من را خبر کن",
|
||||
"gui_settings_autoupdate_timestamp": "آخرین بررسی: {}",
|
||||
"gui_settings_autoupdate_timestamp_never": "هرگز",
|
||||
"gui_settings_autoupdate_check_button": "بررسی برای نسخه جدید",
|
||||
"gui_settings_autoupdate_check_button": "بررسی برای نگارش جدید",
|
||||
"gui_settings_connection_type_label": "OnionShare چگونه به Tor باید متصل شود؟",
|
||||
"gui_settings_connection_type_bundled_option": "استفاده از نسخه Tor قرار گرفته در OnionShare",
|
||||
"gui_settings_connection_type_automatic_option": "اعمال پیکربندی خودکار با مرورگر Tor",
|
||||
@ -39,9 +39,9 @@
|
||||
"gui_settings_authenticate_no_auth_option": "هیچ احراز هویت، یا احراز هویت کوکی",
|
||||
"gui_settings_authenticate_password_option": "رمز عبور",
|
||||
"gui_settings_password_label": "رمز عبور",
|
||||
"gui_settings_tor_bridges": "پشتیبانی پل Tor",
|
||||
"gui_settings_tor_bridges": "وصل شدن با استفاده از پل تور؟",
|
||||
"gui_settings_meek_lite_expensive_warning": "هشدار: پلهای meek_lite برای پروژه Tor بسیار هزینه بر هستند.<br><br> فقط در صورت ناتوانی در اتصال به Tor به صورت مستقیم، از طریق obfs4، یا دیگر پلها از آن استفاده کنید.",
|
||||
"gui_settings_tor_bridges_invalid": "هیچ کدام از پلهایی که شما اضافه کردید کار نمیکند.\nآنها را دوباره چک کنید یا پلهای دیگری اضافه کنید.",
|
||||
"gui_settings_tor_bridges_invalid": "هیچیک از پلهایی که افزودهاید کار نمیکنند. دوباره بررسیشان کرده یا پلهایی دیگر بیفزایید.",
|
||||
"gui_settings_button_save": "ذخیره",
|
||||
"gui_settings_button_cancel": "لغو",
|
||||
"gui_settings_button_help": "راهنما",
|
||||
@ -59,8 +59,8 @@
|
||||
"error_tor_protocol_error": "خطایی با Tor وجود داشت: {}",
|
||||
"connecting_to_tor": "در حال اتصال به شبکه Tor",
|
||||
"update_available": "نسخه جدید OnionShare وجود دارد. <a href='{}'> اینجا کلیک کنید</a> تا آن را دریافت کنید.<br><br> شما در حال استفاده از {} هستید و آخرین نسخه {} است.",
|
||||
"update_error_check_error": "ناتوانی در بررسی برای نسخه جدید: سایت OnionShare میگوید که آخرین نسخه ناشناس قابل تشخیص نیست '{}'…",
|
||||
"update_error_invalid_latest_version": "ناتوانی در بررسی نسخه جدید: شاید شما به Tor متصل نیستید، یا سایت OnionShare کار نمیکند؟",
|
||||
"update_error_check_error": "نتوانست نگارش جدید را بررسی کند: شاید به تور وصل نیستید یا پایگاه وب OnionShare پایین است؟",
|
||||
"update_error_invalid_latest_version": "نتوانست نگارش جدید را بررسی کند:پایگاه وب OnionShare میگوید جدیدترین نگارش قابل تشخیص نیست «{}»…",
|
||||
"update_not_available": "شما از آخرین نسخه OnionShare استفاده میکنید.",
|
||||
"gui_tor_connection_ask": "باز کردن تنظیمات برای ساماندهی اتصال به Tor؟",
|
||||
"gui_tor_connection_ask_open_settings": "بله",
|
||||
@ -75,7 +75,7 @@
|
||||
"gui_url_label_persistent": "این همرسانی به صورت خودکار متوقف نمیشود.<br><br>همرسانیهای بعدی هم از همین نشانی استفاده میکنند. (برای استفاده از نشانیهای یکبارمصرف، گزینه «استفاده از آدرس پایا» را در تنظیمات غیرفعال کنید.)",
|
||||
"gui_url_label_stay_open": "این همرسانی به صورت خودکار متوقف خواهد شد.",
|
||||
"gui_url_label_onetime": "این همرسانی پس از اولین تکمیل متوقف خواهد شد.",
|
||||
"gui_url_label_onetime_and_persistent": "این همرسانی به صورت خودکار متوقف نخواهد شد.<br><br> همرسانیهای بعدی نیز از همین نشانی استفاده خواهند کرد. (برای استفاده از نشانیهای یکبارمصرف، گزینه «استفاده از آدرس پایا» را در تنظیمات غیرفعال کنید.)",
|
||||
"gui_url_label_onetime_and_persistent": "این همرسانی به صورت خودکار متوقّف نخواهد شد.<br><br>همرسانیهای بعدی نیز از همین نشانی استفاده خواهند کرد. (برای استفاده از نشانیهای یکبارمصرف گزینهٔ «استفاده از نشانی پایا» را در تنظیمات خاموش کنید.)",
|
||||
"gui_status_indicator_share_stopped": "آماده همرسانی",
|
||||
"gui_status_indicator_share_working": "در حال شروع…",
|
||||
"gui_status_indicator_share_started": "در حال همرسانی",
|
||||
@ -170,7 +170,7 @@
|
||||
"gui_tab_name_share": "اشتراکگذاری",
|
||||
"gui_tab_name_chat": "گفتگو",
|
||||
"gui_close_tab_warning_title": "بستن زبانه؟",
|
||||
"gui_close_tab_warning_close": "بستن",
|
||||
"gui_close_tab_warning_close": "قبول",
|
||||
"gui_quit_warning_cancel": "لغو",
|
||||
"mode_settings_autostart_timer_checkbox": "شروع خدمت پیازی در زمان برنامهربزی شده",
|
||||
"mode_settings_autostop_timer_checkbox": "توقف خدمت پیازی در زمان برنامهربزی شده",
|
||||
@ -194,7 +194,7 @@
|
||||
"gui_settings_tor_bridges_label": "اگر دسترسی Tor بسته شده باشد، پلها به ورود ترافیک شما به شبکهٔ Tor کمک میکنند. بسته به اینکه از کجا متصل میشوید، یک پل ممکن است نسبت به پل دیگر بهتر عمل کند.",
|
||||
"gui_settings_bridge_none_radio_option": "عدم استفاده از پلها",
|
||||
"gui_settings_bridge_custom_radio_option": "ارائه یک پل که از منبعی قابل اعتماد یاد گرفتهاید",
|
||||
"gui_settings_bridge_custom_placeholder": "بنویسید نشانی:درگاه (یکی در هر خط)",
|
||||
"gui_settings_bridge_custom_placeholder": "نوشتن نشانی:درگاه (یکی در هر خط)",
|
||||
"gui_settings_stop_active_tabs_label": "خدماتی بر روی برخی زبانههای شما در حال اجرا هستند.\nبرای تغییر تنظیمات Tor باید تمامی خدمات را متوقف کنید.",
|
||||
"gui_settings_version_label": "شما در حال استفاده از OnionShar{} هستید",
|
||||
"gui_settings_help_label": "احتیاج به کمک دارید؟ <a href='https://docs.onionshare.org'>docs.onionshare.org</a> را ببینید",
|
||||
@ -244,12 +244,15 @@
|
||||
"gui_autoconnect_trying_to_connect_to_tor": "در حال اتصال به Tor…",
|
||||
"gui_autoconnect_bridge_description": "اگر اتصال اینترنت شما سانسور شده است شاید با استفاده از یک پل قادر به برقراری اتصال باشید.",
|
||||
"gui_autoconnect_bridge_detect_automatic": "تعیین کشور من از روی آدرس IP من برای تنظیمات پل",
|
||||
"gui_autoconnect_start": "اتصال به Tor",
|
||||
"gui_autoconnect_start": "وصل شدن به تور",
|
||||
"gui_autoconnect_configure": "تنظیمات شبکه",
|
||||
"gui_autoconnect_circumventing_censorship_starting_circumvention": "در حال دور زدن سانسور…",
|
||||
"gui_autoconnect_circumventing_censorship_starting_meek": "در حال ایجاد پل meek برای دامنهٔ صوری…",
|
||||
"gui_autoconnect_circumventing_censorship_requesting_bridges": "در حال درخواست پل از API دور زدن سانسور Tor…",
|
||||
"gui_autoconnect_circumventing_censorship_got_bridges": "پل ایجاد شد. در حال اتصال مجدد به Tor…",
|
||||
"gui_autoconnect_could_not_connect_to_tor_api": "به TOR API متصل نشد. پیش از تلاش دوباره از اتصال خود به اینترنت مطمئن شوید.",
|
||||
"gui_general_settings_window_title": "عمومی"
|
||||
"gui_general_settings_window_title": "عمومی",
|
||||
"gui_chat_mode_explainer": "حالت گپ میگذارد با دیگران به صورت تعاملی در مرورگر تور گپ بزنید.<br><br><b>تاریخچهٔ گپ در OnionShare ذخیره نشده و هنگام بستن مرورگر تور ناپدید خواهد شد.</b>",
|
||||
"waitress_web_server_error": "مشکلی با آغاز کارساز وب وجود دارد",
|
||||
"gui_close_tab_warning_chat_description": "بستن زبانهای که کارساز گپ را میزبانی میکند؟"
|
||||
}
|
||||
|
@ -141,7 +141,7 @@
|
||||
"gui_quit_warning_cancel": "Peruuta",
|
||||
"gui_quit_warning_title": "Lopetetaanko OnionShare?",
|
||||
"gui_close_tab_warning_cancel": "Peruuta",
|
||||
"gui_close_tab_warning_close": "Sulje",
|
||||
"gui_close_tab_warning_close": "OK",
|
||||
"gui_close_tab_warning_title": "Suljetaanko välilehti?",
|
||||
"gui_new_tab_website_button": "Julkaise nettisivu",
|
||||
"gui_new_tab_receive_button": "Vastaanota tiedostoja",
|
||||
|
@ -1 +1,41 @@
|
||||
{}
|
||||
{
|
||||
"gui_add": "Magdagdag",
|
||||
"gui_settings_password_label": "Password",
|
||||
"gui_settings_button_cancel": "Kanselahin",
|
||||
"gui_settings_authenticate_password_option": "Password",
|
||||
"gui_tor_connection_ask_quit": "Isara",
|
||||
"gui_tab_name_share": "Ibahagi",
|
||||
"gui_tab_name_website": "Website",
|
||||
"gui_file_selection_remove_all": "Tanggalin Lahat",
|
||||
"systray_menu_exit": "Isara",
|
||||
"gui_settings_button_help": "Tulong",
|
||||
"gui_quit_warning_cancel": "Kanselahin",
|
||||
"gui_settings_theme_light": "Maliwanag",
|
||||
"gui_remove": "Tanggalin",
|
||||
"gui_settings_window_title": "Mga settings",
|
||||
"gui_general_settings_window_title": "Pangkalahatan",
|
||||
"gui_tor_connection_ask_open_settings": "Oo",
|
||||
"gui_status_indicator_share_working": "Sinisimulan…",
|
||||
"gui_new_tab": "Bagong Tab",
|
||||
"gui_main_page_share_button": "Simulan ang Pagbabahagi",
|
||||
"gui_tab_name_chat": "Pag-usap",
|
||||
"gui_settings_theme_auto": "Awto",
|
||||
"gui_settings_theme_dark": "Madilim",
|
||||
"gui_settings_button_save": "I-save",
|
||||
"gui_choose_items": "Pumili",
|
||||
"gui_hide": "Itago",
|
||||
"gui_please_wait_no_button": "Sinisimulan…",
|
||||
"gui_settings_autoupdate_timestamp_never": "Hindi kailanman",
|
||||
"gui_settings_language_label": "Wika",
|
||||
"gui_settings_theme_label": "Tema",
|
||||
"gui_all_modes_clear_history": "Tanggalin Lahat",
|
||||
"gui_close_tab_warning_close": "Ok",
|
||||
"gui_close_tab_warning_cancel": "Kanselahin",
|
||||
"gui_quit_warning_quit": "Isara",
|
||||
"mode_settings_receive_data_dir_browse_button": "Maghanap",
|
||||
"moat_captcha_submit": "Submit",
|
||||
"gui_status_indicator_share_started": "Nagbabahagi",
|
||||
"gui_status_indicator_receive_working": "Sinisimulan…",
|
||||
"gui_status_indicator_chat_working": "Sinisimulan…",
|
||||
"gui_all_modes_history": "History"
|
||||
}
|
||||
|
@ -152,7 +152,7 @@
|
||||
"gui_quit_warning_description": "Quitter et fermer tout les onglets, même si le partage est actifs pour certains d'entre eux ?",
|
||||
"gui_quit_warning_title": "Quitter OnionShare ?",
|
||||
"gui_close_tab_warning_cancel": "Annuler",
|
||||
"gui_close_tab_warning_close": "Fermer",
|
||||
"gui_close_tab_warning_close": "Valider",
|
||||
"gui_close_tab_warning_website_description": "Fermer l'onglet hébergeant un site web ?",
|
||||
"gui_close_tab_warning_receive_description": "Fermer l'onglet recevant des fichiers ?",
|
||||
"gui_close_tab_warning_share_description": "Fermer l'onglet envoyant des fichiers ?",
|
||||
@ -253,5 +253,6 @@
|
||||
"gui_autoconnect_configure": "Connexion réseau",
|
||||
"gui_general_settings_window_title": "Général",
|
||||
"waitress_web_server_error": "Il y a eu un problème au démarrage du serveur web",
|
||||
"gui_close_tab_warning_chat_description": "Fermer l'onglet qui héberge un serveur de chat ?"
|
||||
"gui_close_tab_warning_chat_description": "Fermer l’onglet qui héberge un serveur de dialogue en ligne ?",
|
||||
"gui_chat_mode_explainer": "Le mode conversation vous permet de discuter interactivement avec d’autres dans le Navigateur Tor.br><br><b>L’historique des conversations n’est pas enregistré dans OnionShare. L’historique des conversations disparaît en cas de fermeture du Navigateur Tor.</b>"
|
||||
}
|
||||
|
@ -137,5 +137,34 @@
|
||||
"gui_chat_stop_server": "Stop an freastalaí comhrá",
|
||||
"gui_chat_start_server": "Tosaigh an freastalaí comhrá",
|
||||
"gui_file_selection_remove_all": "Bain Uile",
|
||||
"gui_remove": "Bain"
|
||||
"gui_remove": "Bain",
|
||||
"gui_status_indicator_chat_working": "Ag tosú…",
|
||||
"gui_status_indicator_chat_scheduled": "Sceidealaithe…",
|
||||
"gui_tab_name_share": "Comhroinn",
|
||||
"gui_tab_name_website": "Suíomh gréasáin",
|
||||
"gui_tab_name_chat": "Comhrá",
|
||||
"gui_close_tab_warning_cancel": "Cealaigh",
|
||||
"gui_quit_warning_cancel": "Cealaigh",
|
||||
"mode_settings_receive_data_dir_label": "Sábháil comhaid i",
|
||||
"gui_settings_theme_light": "Éadrom",
|
||||
"gui_close_tab_warning_close": "Ceart go leor",
|
||||
"gui_settings_bridge_custom_placeholder": "clóscríobh seoladh:port (ceann amháin ar gach líne)",
|
||||
"gui_settings_theme_dark": "Dorcha",
|
||||
"gui_new_tab_share_button": "Comhroinn Comhaid",
|
||||
"gui_settings_bridge_none_radio_option": "Ná húsáid droichid",
|
||||
"gui_general_settings_window_title": "Ginearálta",
|
||||
"moat_captcha_reload": "Athlódáil",
|
||||
"gui_main_page_share_button": "Tosaigh Comhroinnt",
|
||||
"moat_captcha_submit": "Seol",
|
||||
"gui_autoconnect_start": "Ceangail le Tor",
|
||||
"gui_settings_bridge_moat_radio_option": "Iarr droichead ó torproject.org",
|
||||
"gui_all_modes_progress_complete": "%[%, {0:s} caite.",
|
||||
"gui_receive_url_public_description": "Tá <b>aon duine</b> a bhfuil an seoladh OnionShare aige/aici in ann comhaid a <b>uaslódáil</b> go dtí do ríomhaire le <b>Brabhsálaí Tor</b>: <img src='{}' />",
|
||||
"gui_share_url_public_description": "Tá <b>aon duine</b> a bhfuil an seoladh OnionShare aige/aici in ann do chuid comhad a <b>íoslódáil</b> le <b>Brabhsálaí Tor</b>: <img src='{}' />",
|
||||
"mode_settings_receive_data_dir_browse_button": "Brabhsáil",
|
||||
"gui_new_tab_receive_button": "Glac le Comhaid",
|
||||
"gui_settings_theme_label": "Téama",
|
||||
"moat_solution_empty_error": "Cuir isteach na carachtair a fheiceann tú sa bpictiúr",
|
||||
"moat_captcha_placeholder": "Cuir isteach na carachtair a fheiceann tú sa bpictiúr",
|
||||
"moat_captcha_label": "Réitigh an CAPTCHA le droichead a iarraidh."
|
||||
}
|
||||
|
@ -4,10 +4,37 @@
|
||||
"close_on_autostop_timer": "બંધ થયું કારણ કે સ્વત stop-સ્ટોપ ટાઇમર સમાપ્ત થઈ ગયો છે",
|
||||
"closing_automatically": "અટક્યું કારણ કે સ્થાનાંતરણ પૂર્ણ છે",
|
||||
"large_filesize": "ચેતવણી: મોટો શેર મોકલવામાં કલાકો લાગી શકે છે",
|
||||
"gui_drag_and_drop": "ફાઇલો અને ફોલ્ડર્સ ખેંચો અને છોડો\nવહેંચણી શરૂ કરવા માટે",
|
||||
"gui_drag_and_drop": "ફાઇલો અને ફોલ્ડર્સ ખેંચો અને છોડો વહેંચણી શરૂ કરવા માટે",
|
||||
"gui_add": "ઉમેરો",
|
||||
"gui_settings_autoupdate_timestamp_never": "ક્યારેય નહીં",
|
||||
"gui_add_files": "ફાઇલો ઉમેરો",
|
||||
"gui_add_folder": "ફોલ્ડર ઉમેરો",
|
||||
"incorrect_password": "ખોટો પાસવર્ડ"
|
||||
"incorrect_password": "ખોટો પાસવર્ડ",
|
||||
"gui_settings_button_save": "સેવ કરો",
|
||||
"gui_canceled": "રદ",
|
||||
"gui_settings_window_title": "સેટિંગ્સ",
|
||||
"gui_settings_authenticate_password_option": "પાસવર્ડ",
|
||||
"gui_tor_connection_ask_open_settings": "હા",
|
||||
"gui_tab_name_share": "શેર કરો",
|
||||
"gui_tab_name_receive": "પ્રાપ્તિ",
|
||||
"gui_settings_button_cancel": "રદ કરો",
|
||||
"gui_settings_button_help": "મદદ",
|
||||
"moat_captcha_submit": "Submit",
|
||||
"gui_all_modes_history": "ઈતિહાસ",
|
||||
"gui_settings_password_label": "પાસવર્ડ",
|
||||
"gui_settings_bridge_custom_placeholder": "type address:port (one per line)",
|
||||
"gui_general_settings_window_title": "સામાન્ય",
|
||||
"gui_settings_theme_auto": "ઓટો",
|
||||
"gui_tab_name_website": "વેબસાઇટ",
|
||||
"gui_all_modes_clear_history": "તમામને દૂર કરો",
|
||||
"gui_settings_theme_label": "થીમ",
|
||||
"moat_captcha_reload": "ફરી લોડ કરો",
|
||||
"gui_new_tab": "નવું ટેબ",
|
||||
"gui_remove": "દૂર કરો",
|
||||
"gui_settings_language_label": "ભાષા",
|
||||
"gui_close_tab_warning_cancel": "રદ કરો",
|
||||
"gui_quit_warning_cancel": "રદ કરો",
|
||||
"gui_settings_theme_light": "પ્રકાશ",
|
||||
"gui_settings_theme_dark": "અંધારિયું",
|
||||
"gui_hide": "છુપાવો"
|
||||
}
|
||||
|
@ -22,5 +22,38 @@
|
||||
"gui_tor_connection_ask_quit": "יציאה",
|
||||
"gui_status_indicator_receive_started": "במהלך קבלה",
|
||||
"gui_all_modes_history": "היסטוריה",
|
||||
"gui_all_modes_clear_history": "למחוק הכול"
|
||||
"gui_all_modes_clear_history": "למחוק הכול",
|
||||
"gui_settings_button_help": "עזרה",
|
||||
"gui_hide": "הסתרה",
|
||||
"moat_solution_empty_error": "הכנס את התווים מהתמונה",
|
||||
"gui_new_tab": "לשונית חדשה",
|
||||
"gui_tab_name_share": "שתף",
|
||||
"gui_tab_name_receive": "תקבולים",
|
||||
"gui_tab_name_website": "אתר",
|
||||
"gui_quit_warning_cancel": "בטל",
|
||||
"gui_status_indicator_share_working": "התחלה…",
|
||||
"gui_tab_name_chat": "שיחה",
|
||||
"gui_close_tab_warning_cancel": "בטל",
|
||||
"gui_settings_theme_dark": "כהה",
|
||||
"gui_settings_theme_label": "ערכת נושא",
|
||||
"gui_autoconnect_trying_to_connect_to_tor": "מתחבר אל Tor…",
|
||||
"gui_close_tab_warning_close": "בסדר",
|
||||
"gui_autoconnect_start": "התחבר אל Tor",
|
||||
"moat_captcha_submit": "הגש",
|
||||
"incorrect_password": "מילת מעבר שגויה",
|
||||
"gui_remove": "הסר",
|
||||
"gui_file_selection_remove_all": "הסר את הכל",
|
||||
"gui_status_indicator_receive_working": "התחלה…",
|
||||
"gui_settings_language_label": "שפה",
|
||||
"mode_settings_receive_data_dir_browse_button": "עיון",
|
||||
"gui_please_wait_no_button": "התחלה…",
|
||||
"gui_settings_theme_auto": "אוטומטי",
|
||||
"gui_settings_theme_light": "בהירה",
|
||||
"gui_settings_bridge_moat_radio_option": "בקש גשר מן torproject.org",
|
||||
"gui_settings_bridge_custom_placeholder": "הכנס כתובת:פתחה (אחד לשורה)",
|
||||
"moat_captcha_label": "פתור את ה־CAPTCHA כדי לבקש גשר.",
|
||||
"moat_captcha_placeholder": "הכנס את התווים מהתמונה",
|
||||
"moat_captcha_reload": "טען מחדש",
|
||||
"gui_general_settings_window_title": "כללי",
|
||||
"gui_status_indicator_chat_working": "התחלה…"
|
||||
}
|
||||
|
@ -97,7 +97,7 @@
|
||||
"gui_quit_warning_description": "आपके कुछ टैब में शेरिंग सक्रिय है। यदि आप छोड़ते हैं, तो आपके सभी टैब बंद हो जाएंगे। क्या आप वाकई छोड़ना चाहते हैं?",
|
||||
"gui_quit_warning_title": "क्या आप सुनिचित हैः?",
|
||||
"gui_close_tab_warning_cancel": "रद्द करे",
|
||||
"gui_close_tab_warning_close": "बंद करे",
|
||||
"gui_close_tab_warning_close": "ठीक है",
|
||||
"gui_close_tab_warning_website_description": "आप सक्रिय रूप से एक वेबसाइट होस्ट कर रहे हैं। क्या आप वाकई इस टैब को बंद करना चाहते हैं?",
|
||||
"gui_close_tab_warning_receive_description": "आप फ़ाइलें प्राप्त करने की प्रक्रिया में हैं. क्या आप वाकई इस टैब को बंद करना चाहते हैं?",
|
||||
"gui_close_tab_warning_share_description": "आप फ़ाइलें भेजने की प्रक्रिया में हैं. क्या आप वाकई इस टैब को बंद करना चाहते हैं?",
|
||||
@ -110,5 +110,31 @@
|
||||
"gui_qr_label_url_title": "अनियन शेयर एड्रेस",
|
||||
"gui_copied_client_auth": "प्राइवेट कि क्लिपबोर्ड पर कॉपी हो गयी हैः",
|
||||
"gui_copied_client_auth_title": "प्राइवेट कि कॉपी हो गयी हैः",
|
||||
"gui_copy_client_auth": "प्राइवेट कि कॉपी करें"
|
||||
"gui_copy_client_auth": "प्राइवेट कि कॉपी करें",
|
||||
"gui_new_tab_tooltip": "एक नया टैब खोलें",
|
||||
"gui_settings_theme_light": "हल्का",
|
||||
"gui_settings_theme_dark": "गहरा",
|
||||
"gui_all_modes_clear_history": "सभी को साफ़ करें",
|
||||
"gui_new_tab": "नया टॅब",
|
||||
"gui_tab_name_chat": "चैट",
|
||||
"moat_captcha_placeholder": "छवि से अक्षर दर्ज करें",
|
||||
"gui_status_indicator_receive_working": "चालू किया जा रहा है…",
|
||||
"gui_settings_bridge_none_radio_option": "ब्रिड्जेस का प्रयोग न करें",
|
||||
"gui_settings_bridge_custom_placeholder": "type address:port (one per line)",
|
||||
"gui_settings_bridge_moat_radio_option": "Torproject.org से एक पुल का अनुरोध करें",
|
||||
"moat_captcha_submit": "जमा करना",
|
||||
"gui_tab_name_receive": "प्राप्ति",
|
||||
"gui_general_settings_window_title": "जनरल",
|
||||
"gui_settings_language_label": "भाषा",
|
||||
"gui_status_indicator_share_working": "चालू किया जा रहा है…",
|
||||
"gui_status_indicator_receive_started": "प्राप्त कर रहे हैं",
|
||||
"gui_tab_name_share": "शेयर",
|
||||
"gui_tab_name_website": "वेबसाइट",
|
||||
"gui_status_indicator_chat_working": "चालू किया जा रहा है…",
|
||||
"gui_settings_theme_label": "थीम",
|
||||
"gui_settings_theme_auto": "ऑटो",
|
||||
"moat_captcha_label": "पुल का अनुरोध करने के लिए कैप्चा को हल करें।",
|
||||
"moat_solution_empty_error": "छवि से अक्षर दर्ज करें",
|
||||
"gui_autoconnect_start": "टोर से कनेक्ट करें",
|
||||
"moat_captcha_reload": "Reload"
|
||||
}
|
||||
|
@ -145,7 +145,7 @@
|
||||
"gui_quit_warning_description": "Prekinuti i zatvoriti sve kartice, iako je u nekima od njih dijeljenje aktivno?",
|
||||
"gui_quit_warning_title": "Prekinuti OnionShare?",
|
||||
"gui_close_tab_warning_cancel": "Odustani",
|
||||
"gui_close_tab_warning_close": "Zatvori",
|
||||
"gui_close_tab_warning_close": "U redu",
|
||||
"gui_close_tab_warning_website_description": "Zatvoriti karticu koja hostira web mjesto?",
|
||||
"gui_close_tab_warning_receive_description": "Zatvoriti karticu koja prima datoteke?",
|
||||
"gui_close_tab_warning_share_description": "Zatvoriti karticu koja šalje datoteke?",
|
||||
|
@ -5,7 +5,7 @@
|
||||
"closing_automatically": "Leállítva, mert az átvitel véget ért",
|
||||
"large_filesize": "Figyelem: A nagyobb fájlok elküldése órákat vehet igénybe",
|
||||
"systray_menu_exit": "Kilépés",
|
||||
"gui_drag_and_drop": "Húzzon ide fájlt vagy mappát\na megosztás megkezdéséhez",
|
||||
"gui_drag_and_drop": "Húzzon ide fájlt vagy mappát a megosztás megkezdéséhez",
|
||||
"gui_add": "Hozzáadás",
|
||||
"gui_choose_items": "Kiválaszt",
|
||||
"gui_share_start_server": "Megosztás kezdése",
|
||||
@ -35,7 +35,6 @@
|
||||
"gui_settings_connection_type_test_button": "Tor-kapcsolat tesztelése",
|
||||
"gui_settings_control_port_label": "Kontroll port",
|
||||
"gui_settings_socket_file_label": "Szokettfájl",
|
||||
"gui_settings_socks_label": "SOCKS port",
|
||||
"gui_settings_authenticate_no_auth_option": "Nincs hitelesítés, vagy sütik általi hitelesítés",
|
||||
"gui_settings_authenticate_password_option": "Jelszó",
|
||||
"gui_settings_password_label": "Jelszó",
|
||||
@ -59,8 +58,8 @@
|
||||
"error_tor_protocol_error": "Hiba a Tor-ral: {}",
|
||||
"connecting_to_tor": "Csatlakozás a Tor-hálózathoz",
|
||||
"update_available": "Új OnionShare-verzió érhető el. <a href='{}'>Kattints ide</a> a letöltéshez.<br><br>A te verziód {}, a mostani pedig {}.",
|
||||
"update_error_check_error": "Nem sikerült az új verzió keresése: Az OnionShare weboldal szerint az új verzió '{}' ám az felismerhetetlen…",
|
||||
"update_error_invalid_latest_version": "Nem sikerült az új verzió keresése: Lehet, hogy nem csatlakoztál a Tor-hoz, vagy az OnionShare oldal nem elérhető?",
|
||||
"update_error_check_error": "Nem sikerült az új verzió keresése: Lehet, hogy nem csatlakoztál a Tor-hoz, vagy az OnionShare oldal nem elérhető?",
|
||||
"update_error_invalid_latest_version": "Nem sikerült az új verzió keresése: Az OnionShare weboldal szerint az új verzió '{}' ám az felismerhetetlen…",
|
||||
"update_not_available": "A legújabb OnionShare-verziót használod.",
|
||||
"gui_tor_connection_ask_open_settings": "Igen",
|
||||
"gui_tor_connection_ask_quit": "Kilépés",
|
||||
@ -72,5 +71,42 @@
|
||||
"gui_stop_server_autostop_timer_tooltip": "Auto-stop időzítő megáll: {}",
|
||||
"gui_start_server_autostart_timer_tooltip": "Auto-start időzítő megáll: {}",
|
||||
"incorrect_password": "Rossz jelszó",
|
||||
"gui_waiting_to_start": "Indulás ütemezve: {}. Kattints a megszakításhoz."
|
||||
"gui_waiting_to_start": "Indulás ütemezve: {}. Kattints a megszakításhoz.",
|
||||
"gui_hide": "Elrejtés",
|
||||
"gui_all_modes_history": "Előzmények",
|
||||
"gui_tab_name_website": "weboldal",
|
||||
"gui_tab_name_chat": "Csevegés",
|
||||
"gui_settings_bridge_moat_radio_option": "Híd kérése a torproject.org-tól",
|
||||
"gui_reveal": "Felfedés",
|
||||
"moat_solution_empty_error": "Írja be a képen látható karaktereket",
|
||||
"gui_status_indicator_share_working": "Indítás…",
|
||||
"gui_close_tab_warning_close": "Oké",
|
||||
"gui_status_indicator_receive_working": "Indítás…",
|
||||
"gui_settings_bridge_none_radio_option": "Ne használjon hidakat",
|
||||
"gui_settings_bridge_custom_placeholder": "írja be cím:port (egyet soronként)",
|
||||
"moat_captcha_submit": "Elküldés",
|
||||
"gui_status_indicator_chat_working": "Indítás…",
|
||||
"gui_settings_theme_auto": "Automatikus",
|
||||
"mode_settings_advanced_toggle_show": "Speciális beállítások megjelenítése",
|
||||
"gui_autoconnect_start": "Csatlakozás a Tor-hoz",
|
||||
"gui_quit_warning_cancel": "Mégsem",
|
||||
"gui_remove": "Eltávolítás",
|
||||
"gui_tab_name_receive": "Fogadás",
|
||||
"gui_autoconnect_trying_to_connect_to_tor": "Kapcsolódás a Tor-hoz…",
|
||||
"gui_please_wait_no_button": "Indítás…",
|
||||
"gui_close_tab_warning_cancel": "Mégsem",
|
||||
"gui_new_tab_share_button": "Fájlok megosztása",
|
||||
"gui_general_settings_window_title": "Általános",
|
||||
"gui_file_selection_remove_all": "Minden eltávolítása",
|
||||
"gui_settings_theme_light": "Világos",
|
||||
"moat_captcha_placeholder": "Írja be a képen látható karaktereket",
|
||||
"moat_captcha_label": "Oldjon meg egy CAPTCHA-t a híd kéréséhez.",
|
||||
"moat_captcha_reload": "Frissítés",
|
||||
"gui_all_modes_clear_history": "Kijelölések törlése",
|
||||
"gui_new_tab": "Új fül",
|
||||
"gui_tab_name_share": "Megosztás",
|
||||
"mode_settings_receive_data_dir_browse_button": "Tallózás",
|
||||
"gui_settings_theme_label": "Téma",
|
||||
"gui_settings_theme_dark": "Sötét",
|
||||
"gui_settings_socks_label": "SOCKS port"
|
||||
}
|
||||
|
@ -1 +1,107 @@
|
||||
{}
|
||||
{
|
||||
"gui_close_tab_warning_close": "Լավ",
|
||||
"gui_file_selection_remove_all": "Հեռացնել բոլորը",
|
||||
"gui_autoconnect_trying_to_connect_to_tor": "Միացում Tor-ին…",
|
||||
"gui_settings_window_title": "Կարգավորումներ",
|
||||
"gui_general_settings_window_title": "Հիմնական",
|
||||
"gui_settings_autoupdate_timestamp_never": "Երբեք",
|
||||
"gui_all_modes_history": "Պատմություն",
|
||||
"gui_close_tab_warning_cancel": "Չեղարկել",
|
||||
"gui_quit_warning_cancel": "Չեղարկել",
|
||||
"mode_settings_receive_data_dir_browse_button": "Դիտարկել",
|
||||
"moat_captcha_label": "Լուծեք «CAPTCHA»-ն կամուրջ պահանջելու համար:",
|
||||
"moat_captcha_placeholder": "Մուտքագրեք նկարում պատկերված խորհրդանիշները",
|
||||
"moat_captcha_reload": "Վերաբեռնել",
|
||||
"gui_tab_name_chat": "Զրուցարան",
|
||||
"gui_remove": "Հեռացնել",
|
||||
"gui_choose_items": "Ընտրել",
|
||||
"gui_hide": "Թաքցնել",
|
||||
"gui_settings_bridge_custom_placeholder": "մուտքագրեք հասցե:մատույց (մեկ տող ամեն հատին)",
|
||||
"gui_autoconnect_start": "Միանալ Tor-ին",
|
||||
"gui_settings_bridge_moat_radio_option": "Պահանջել կամուրջ torproject.org-ից",
|
||||
"gui_settings_button_help": "Օգնություն",
|
||||
"gui_settings_theme_auto": "Ինքնին",
|
||||
"gui_settings_theme_light": "Լուսավոր",
|
||||
"gui_settings_theme_dark": "Մութ",
|
||||
"gui_new_tab": "Նոր ներդիր",
|
||||
"moat_captcha_submit": "Ուղարկել",
|
||||
"moat_solution_empty_error": "Մուտքագրեք նկարում պատկերված խորհրդանիշները",
|
||||
"gui_tab_name_website": "Վեբ կայք",
|
||||
"gui_add": "Ավելացնել",
|
||||
"gui_settings_authenticate_password_option": "Գաղտնաբառ",
|
||||
"gui_settings_password_label": "Գաղտնաբառ",
|
||||
"gui_settings_button_save": "Պահել",
|
||||
"gui_settings_button_cancel": "Չեղարկել",
|
||||
"gui_tor_connection_ask_open_settings": "Այո",
|
||||
"gui_settings_language_label": "Լեզու",
|
||||
"gui_settings_theme_label": "Ոճ",
|
||||
"gui_tor_settings_window_title": "Tor կարգավորումներ",
|
||||
"gui_close_tab_warning_title": "Փակե՞լ ներդիրը:",
|
||||
"gui_autoconnect_bridge_setting_options": "Կամուրջի կարգավորումներ",
|
||||
"gui_autoconnect_failed_to_connect_to_tor": "Չստացվեց կապվել Tor-ին",
|
||||
"gui_autoconnect_no_bridge": "Փորձեք նորից՝ առանց կամուրջների",
|
||||
"gui_autoconnect_try_again_without_a_bridge": "Փորձեք նորից՝ առանց կամուրջների",
|
||||
"gui_settings_controller_extras_label": "Tor կարգավորումներ",
|
||||
"gui_settings_bridge_use_checkbox": "Օգտագործել կամուրջ",
|
||||
"systray_page_loaded_title": "Էջը բեռնվեց",
|
||||
"gui_qr_label_url_title": "OnionShare հասցե",
|
||||
"gui_add_files": "Ավելացնել ֆայլեր",
|
||||
"other_page_loaded": "Բեռնված հասցե",
|
||||
"not_a_readable_file": "{0:s}-ն կարդացվող ֆայլ չէ:",
|
||||
"gui_please_wait_no_button": "Մեկնարկում է…",
|
||||
"gui_copy_url": "Պատճենել հասցեն",
|
||||
"gui_canceled": "Չեղարկված",
|
||||
"gui_settings_bridge_moat_button": "Պահանջել նոր կամուրջ",
|
||||
"connecting_to_tor": "Միանում է Tor ցանցին",
|
||||
"gui_new_tab_tooltip": "Բացել նոր ներդիր",
|
||||
"gui_new_tab_share_button": "Կիսվել ֆայլերով",
|
||||
"history_receive_read_message_button": "Կարդալ հաղորդագրությունը",
|
||||
"mode_settings_receive_data_dir_label": "Պահպանել ֆայլերը",
|
||||
"gui_status_indicator_chat_working": "Մեկնարկում է…",
|
||||
"systray_share_canceled_title": "Տարածումը չեղարկվեց",
|
||||
"gui_main_page_share_button": "Սկսել տարածումը",
|
||||
"mode_settings_advanced_toggle_hide": "Թաքցնել ընդլայնված կարգավորումները",
|
||||
"days_first_letter": "օ",
|
||||
"gui_status_indicator_share_stopped": "Պատրաստ է տարածմանը",
|
||||
"gui_tab_name_share": "Տարածել",
|
||||
"gui_add_folder": "Ավելացնել թղթապանակ",
|
||||
"history_in_progress_tooltip": "{} ընթացքում",
|
||||
"seconds_first_letter": "վ",
|
||||
"systray_share_completed_title": "Տարածումն ավարտվեց",
|
||||
"systray_page_loaded_message": "OnionShare հասցեն բեռնված է",
|
||||
"systray_share_started_title": "Տարածումը սկսվեց",
|
||||
"gui_receive_mode_autostop_timer_waiting": "Ավարտվում է ստացումը…",
|
||||
"hours_first_letter": "ժ",
|
||||
"minutes_first_letter": "ր",
|
||||
"gui_receive_mode_no_files": "Ֆայլեր դեռ չեն ստացվել",
|
||||
"gui_new_tab_receive_button": "Ստանալ ֆայլերը",
|
||||
"mode_settings_receive_disable_text_checkbox": "Կարողազրկել տեքստի ուղակումը",
|
||||
"gui_please_wait": "Մեկնարկում է... Սեղմեք չեղակման համար:",
|
||||
"gui_share_start_server": "Սկսել տարածումը",
|
||||
"gui_share_stop_server": "Կասեցնել տարածումը",
|
||||
"gui_share_stop_server_autostop_timer": "Կասեցնել տարածումը ({})",
|
||||
"gui_reveal": "Բացահայտել",
|
||||
"gui_qr_code_dialog_title": "OnionShare QR ծածկագիր",
|
||||
"gui_autoconnect_circumventing_censorship_got_bridges": "Կամուրջները հիմնված են: Վերամիացում Tor-ին…",
|
||||
"gui_settings_autoupdate_label": "Ստուգել նոր տարբերակի առկայությունը",
|
||||
"gui_settings_autoupdate_timestamp": "Վերջին ստուգումը՝ {}",
|
||||
"gui_settings_autoupdate_check_button": "Ստուգել նոր տարբերակի առկայությունը",
|
||||
"history_completed_tooltip": "{} ավարտված",
|
||||
"systray_share_completed_message": "Ավարտվեց ֆայլերի ուղարկումը",
|
||||
"gui_all_modes_clear_history": "Մաքրել բոլորը",
|
||||
"systray_receive_started_title": "Ստացումը սկսվեց",
|
||||
"gui_share_mode_autostop_timer_waiting": "Ավարտվում է ստացումը…",
|
||||
"gui_share_mode_no_files": "Ֆայլեր դեռ չեն ուղարկվել",
|
||||
"gui_main_page_receive_button": "Սկսել ստացումը",
|
||||
"gui_main_page_website_button": "Սկսել հյուրընկալումը",
|
||||
"gui_new_tab_website_button": "Հյուրընկալել վեբկայք",
|
||||
"gui_tab_name_receive": "Ստանալ",
|
||||
"mode_settings_advanced_toggle_show": "Ցուցադրել ընդլայնված կարգավորումները",
|
||||
"mode_settings_title_label": "Հարմարեցված վերնագիր",
|
||||
"mode_settings_receive_disable_files_checkbox": "Կարողազրկել ֆայլերի վերբեռնումը",
|
||||
"error_port_not_available": "OnionShare-ի մատույցը հասանելի չէ",
|
||||
"gui_status_indicator_share_working": "Մեկնարկում է…",
|
||||
"gui_status_indicator_share_started": "Տարածում",
|
||||
"gui_status_indicator_receive_working": "Մեկնարկում է…",
|
||||
"gui_status_indicator_receive_stopped": "Պատրաստ է ստացմանը"
|
||||
}
|
||||
|
1
desktop/onionshare/resources/locale/ia.json
Normal file
1
desktop/onionshare/resources/locale/ia.json
Normal file
@ -0,0 +1 @@
|
||||
{}
|
@ -175,7 +175,7 @@
|
||||
"mode_settings_receive_disable_text_checkbox": "Nonaktifkan pengiriman teks",
|
||||
"mode_settings_title_label": "Judul kustom",
|
||||
"gui_quit_warning_description": "Pembagian sedang aktif di beberapa tab Anda. Jika Anda keluar, seluruh tab Anda akan tertutup. Apakah Anda yakin mau keluar?",
|
||||
"gui_close_tab_warning_close": "Tutup",
|
||||
"gui_close_tab_warning_close": "Oke",
|
||||
"gui_close_tab_warning_website_description": "Anda secara aktif menghosting situs web. Apakah Anda yakin mau menutup tab ini?",
|
||||
"gui_close_tab_warning_receive_description": "Anda dalam proses menerima berkas. Apakah Anda yakin mau menutup tab ini?",
|
||||
"gui_close_tab_warning_share_description": "Anda dalam proses mengirim berkas. Apakah Anda yakin mau menutup tab ini?",
|
||||
@ -188,5 +188,22 @@
|
||||
"gui_status_indicator_chat_working": "Memulai…",
|
||||
"gui_status_indicator_chat_stopped": "Siap untuk mengobrol",
|
||||
"gui_copied_client_auth_title": "Kunci Pribadi Disalin",
|
||||
"gui_copy_client_auth": "Salin Kunci Pribadi"
|
||||
"gui_copy_client_auth": "Salin Kunci Pribadi",
|
||||
"gui_hide": "Sembunyikan",
|
||||
"gui_settings_theme_auto": "Otomatis",
|
||||
"gui_settings_theme_dark": "Thema Malam",
|
||||
"gui_please_wait_no_button": "Memulai…",
|
||||
"gui_settings_theme_label": "Tema",
|
||||
"gui_settings_theme_light": "Terang",
|
||||
"moat_captcha_submit": "Kirim",
|
||||
"gui_autoconnect_start": "Hubungkan ke Tor",
|
||||
"moat_captcha_label": "Selesaikan CAPTCHA untuk meminta sebuah bridge.",
|
||||
"gui_reveal": "Tampilkan",
|
||||
"gui_settings_bridge_moat_radio_option": "Meminta sebuah bridge ke torproject.org",
|
||||
"gui_settings_bridge_custom_placeholder": "masukkan alamat:port (satu entri per baris)",
|
||||
"moat_captcha_placeholder": "Masukkan karakter-karakter dari gambar tesebut.",
|
||||
"moat_captcha_reload": "Muat Ulang",
|
||||
"moat_solution_empty_error": "Masukkan karakter-karakter dari gambar tesebut.",
|
||||
"gui_autoconnect_trying_to_connect_to_tor": "Menghubungkan ke Tor…",
|
||||
"gui_general_settings_window_title": "Umum"
|
||||
}
|
||||
|
@ -153,7 +153,7 @@
|
||||
"gui_close_tab_warning_title": "Loka flipa?",
|
||||
"gui_new_tab_website_button": "Hýsa vefsvæði",
|
||||
"gui_new_tab": "Nýr flipi",
|
||||
"gui_close_tab_warning_close": "Loka",
|
||||
"gui_close_tab_warning_close": "Ókei",
|
||||
"gui_close_tab_warning_cancel": "Hætta við",
|
||||
"mode_settings_autostop_timer_checkbox": "Stöðva onion-þjónustu á áætluðum tíma",
|
||||
"gui_receive_flatpak_data_dir": "Þar sem þú settir OnionShare upp með því að nota Flatpak, þá verður þú að vista skrár í möppu undir ~/OnionShare.",
|
||||
|
@ -159,7 +159,7 @@
|
||||
"gui_new_tab_website_button": "Ospita un sito web",
|
||||
"gui_quit_warning_description": "La condivisione è attiva in alcune delle tue schede. Uscendo, tutte le tue schede verranno chiuse. Sei sicuro di voler uscire?",
|
||||
"gui_quit_warning_title": "Uscire da OnionShare?",
|
||||
"gui_close_tab_warning_close": "Chiudi",
|
||||
"gui_close_tab_warning_close": "Ok",
|
||||
"gui_close_tab_warning_website_description": "Stai ospitando un sito web. Sei sicuro di voler chiudere questa scheda?",
|
||||
"mode_settings_website_disable_csp_checkbox": "Non inviare l'intestazione della Politica sulla Sicurezza dei Contenuti (consente al sito web di utilizzare risorse di terze parti)",
|
||||
"mode_settings_receive_data_dir_browse_button": "Naviga",
|
||||
|
@ -1,155 +1,155 @@
|
||||
{
|
||||
"not_a_readable_file": "{0:s}は読めるファイルではありません。",
|
||||
"other_page_loaded": "アドレスはロードされています",
|
||||
"close_on_autostop_timer": "自動タイマーがタイムアウトしたため停止されました",
|
||||
"closing_automatically": "転送が完了されたため停止されました",
|
||||
"large_filesize": "注意:大きいなファイルを送信するに数時間かかるかもしれない",
|
||||
"not_a_readable_file": "{0:s}は読み込めません。",
|
||||
"other_page_loaded": "アドレスを読み込みました",
|
||||
"close_on_autostop_timer": "自動タイマーがタイムアウトしたため停止しました",
|
||||
"closing_automatically": "転送を完了したため停止しました",
|
||||
"large_filesize": "注意:大きなファイルを送信するに数時間かかる可能性があります",
|
||||
"systray_menu_exit": "終了",
|
||||
"gui_drag_and_drop": "共有を始めるにはファイルやフォルダをドラッグアンドドロップしてください",
|
||||
"gui_drag_and_drop": "共有を開始するには、ファイルやフォルダをドラッグアンドドロップしてください",
|
||||
"gui_add": "追加",
|
||||
"gui_add_files": "ファイルを追加",
|
||||
"gui_add_folder": "フォルダを追加",
|
||||
"gui_choose_items": "選択",
|
||||
"gui_share_start_server": "共有を開始する",
|
||||
"gui_share_stop_server": "共有を停止する",
|
||||
"gui_share_start_server": "共有を開始",
|
||||
"gui_share_stop_server": "共有を停止",
|
||||
"gui_share_stop_server_autostop_timer": "共有を停止中です({})",
|
||||
"gui_receive_start_server": "受信モードを開始",
|
||||
"gui_receive_stop_server": "受信モードを停止",
|
||||
"gui_receive_stop_server_autostop_timer": "受信モードを停止(残り {} 秒)",
|
||||
"gui_receive_stop_server_autostop_timer": "受信モードを停止(残り{}秒)",
|
||||
"gui_copy_url": "アドレスをコピー",
|
||||
"gui_canceled": "キャンセルされました",
|
||||
"gui_canceled": "キャンセルしました",
|
||||
"gui_copied_url_title": "OnionShareのアドレスをコピーしました",
|
||||
"gui_copied_url": "OnionShareのアドレスをクリップボードへコピーしました",
|
||||
"gui_please_wait": "実行中… クリックでキャンセルします。",
|
||||
"gui_please_wait": "開始しています… クリックでキャンセルします。",
|
||||
"gui_quit_warning_quit": "終了",
|
||||
"zip_progress_bar_format": "圧縮中: %p%",
|
||||
"zip_progress_bar_format": "圧縮しています:%p%",
|
||||
"gui_settings_window_title": "設定",
|
||||
"gui_settings_autoupdate_label": "更新バージョンの有無をチェックする",
|
||||
"gui_settings_autoupdate_option": "更新通知を起動します",
|
||||
"gui_settings_autoupdate_timestamp": "前回にチェックした時: {}",
|
||||
"gui_settings_autoupdate_timestamp_never": "したことがない",
|
||||
"gui_settings_autoupdate_check_button": "更新をチェックする",
|
||||
"gui_settings_connection_type_label": "OnionShareがどうやってTorと接続して欲しい?",
|
||||
"gui_settings_connection_type_bundled_option": "OnionShareに組み込まれるTorバージョンを使用する",
|
||||
"gui_settings_connection_type_automatic_option": "Tor Browserと自動設定してみる",
|
||||
"gui_settings_connection_type_control_port_option": "コントロールポートを使用して接続する",
|
||||
"gui_settings_connection_type_socket_file_option": "ソケットファイルを使用して接続する",
|
||||
"gui_settings_connection_type_test_button": "Torへの接続をテストする",
|
||||
"gui_settings_autoupdate_label": "新しいバージョンを確認",
|
||||
"gui_settings_autoupdate_option": "新しいバージョンがある場合に通知",
|
||||
"gui_settings_autoupdate_timestamp": "最終確認日時:{}",
|
||||
"gui_settings_autoupdate_timestamp_never": "未確認",
|
||||
"gui_settings_autoupdate_check_button": "新しいバージョンを確認",
|
||||
"gui_settings_connection_type_label": "OnionShareがTorに接続する方法",
|
||||
"gui_settings_connection_type_bundled_option": "OnionShareに内蔵されたTorバージョンを使用",
|
||||
"gui_settings_connection_type_automatic_option": "Tor Browserとの自動設定を試みる",
|
||||
"gui_settings_connection_type_control_port_option": "コントロールポートを使用して接続",
|
||||
"gui_settings_connection_type_socket_file_option": "ソケットファイルを使用して接続",
|
||||
"gui_settings_connection_type_test_button": "Torへの接続をテスト",
|
||||
"gui_settings_control_port_label": "コントロールポート",
|
||||
"gui_settings_socket_file_label": "ソケットファイル",
|
||||
"gui_settings_socks_label": "SOCKSポート",
|
||||
"gui_settings_authenticate_no_auth_option": "認証なし、それともクッキー認証",
|
||||
"gui_settings_authenticate_no_auth_option": "認証なし、またはCookie認証",
|
||||
"gui_settings_authenticate_password_option": "パスワード",
|
||||
"gui_settings_password_label": "パスワード",
|
||||
"gui_settings_tor_bridges": "Torブリッジを利用して接続しますか?",
|
||||
"gui_settings_meek_lite_expensive_warning": "警告:meek-azureブリッジはTor Projectにとって維持費がかさむ<br><br>直接にTorと接続できない場合、あるいはobsf4ブリッジや他のブリッジが使用できない場合のみに使って下さい。",
|
||||
"gui_settings_tor_bridges_invalid": "全ての追加したブリッジは機能しませんでした。再確認して、あるいは他のを追加して下さい。",
|
||||
"gui_settings_tor_bridges": "Torブリッジを使用して接続しますか?",
|
||||
"gui_settings_meek_lite_expensive_warning": "警告:meek-azureブリッジはTor Projectにとって非常に高額な維持費がかかります。<br><br>直接にTorと接続できない場合、obsf4ブリッジや他のブリッジが使用できない場合のみに使用してください。",
|
||||
"gui_settings_tor_bridges_invalid": "追加した全てのブリッジが機能していません。再確認するか、他のブリッジを追加してください。",
|
||||
"gui_settings_button_save": "保存",
|
||||
"gui_settings_button_cancel": "キャンセル",
|
||||
"gui_settings_button_help": "ヘルプ",
|
||||
"settings_error_unknown": "設定を解釈できないため、Torコントローラーと接続できません。",
|
||||
"settings_error_automatic": "Torコントローラーと接続できません。Tor Browser(torproject.orgから入手できる)がバックグラウンドで動作していますか?",
|
||||
"settings_error_socket_port": "{}:{}でTorコントローラーと接続できません。",
|
||||
"settings_error_socket_file": "ソケットファイル{}を使用してTorコントローラーと接続できません。",
|
||||
"settings_error_auth": "{}:{}と接続できましたが、認証ができません。これは実際にTorコントローラーですか?",
|
||||
"settings_error_missing_password": "Torコントローラーと接続できましたが、認証にはパスワードが必要です。",
|
||||
"settings_error_unreadable_cookie_file": "Torコントローラーと接続できましたが、パスワードが診違っているあるいはクッキーファイルの読み出し許可がないかもしれない。",
|
||||
"settings_error_bundled_tor_not_supported": "OnionShareに組み込まれているTorバージョンはWindowsやmacOSの開発者モードで動作できません。",
|
||||
"settings_error_bundled_tor_timeout": "Torとの接続は時間がかかり過ぎます。インターネットとの接続、あるいはシステム・クロックの精度には問題がありますか?",
|
||||
"settings_error_bundled_tor_broken": "OnionShareはバックグラウンドで動作しているTorと接続できませんでした:\n{}",
|
||||
"settings_test_success": "Torコントローラーと接続完了。\n\nTorバージョン:{}\nエフェメラルonionサービスをサポートする:{}\nクライアント認証をサポートする:{}\nnext-gen .onionアドレスをサポートする:{}.",
|
||||
"error_tor_protocol_error": "Torのエラーが生じました: {}",
|
||||
"connecting_to_tor": "Torネットワークと接続中",
|
||||
"update_available": "OnionShareの新バージョンはリリースされました。<a href='{}'>こちら</a>から入手できます。<br><br>現行バージョンは{}そして最新バージョンは{}。",
|
||||
"update_error_check_error": "新バージョンのチェックは失敗:多分Torと接続していない、あるいはOnionShare公式サイトはダウンかもしれない?",
|
||||
"update_error_invalid_latest_version": "新バージョンチェック失敗:OnionShare公式サイトは最新バージョン '{}' が認識できない…",
|
||||
"update_not_available": "OnionShareの最新バージョンを使っています。",
|
||||
"gui_tor_connection_ask": "設定を開いて、Torとの接続問題を解決しますか?",
|
||||
"settings_error_unknown": "設定を解釈できないため、Torコントローラーに接続できません。",
|
||||
"settings_error_automatic": "Torコントローラーに接続できません。Tor Browser(torproject.orgで入手可能)がバックグラウンドで動作していますか?",
|
||||
"settings_error_socket_port": "{}:{}でTorコントローラーに接続できません。",
|
||||
"settings_error_socket_file": "ソケットファイル {} ではTorコントローラーに接続できません。",
|
||||
"settings_error_auth": "{}:{}に接続しましたが、認証ができません。これはTorコントローラーではないかもしれません。",
|
||||
"settings_error_missing_password": "Torコントローラーに接続しましたが、認証にはパスワードが必要です。",
|
||||
"settings_error_unreadable_cookie_file": "Torコントローラーに接続しましたが、パスワードが正しくないか、Cookieファイルを読み込む権限がありません。",
|
||||
"settings_error_bundled_tor_not_supported": "WindowsとmacOS上では、OnionShareに組み込まれているバージョンのTorを開発者モードで動作させることはできません。",
|
||||
"settings_error_bundled_tor_timeout": "Torに接続できません。インターネットに接続していないか、システム時刻が不正確かもしれません。",
|
||||
"settings_error_bundled_tor_broken": "OnionShareはTorに接続できませんでした:\n{}",
|
||||
"settings_test_success": "Torコントローラーに接続しました。\n\nTorバージョン:{}\nエフェメラルOnion Serviceのサポート:{}\nクライアント認証のサポート:{}\nnext-gen .onionアドレスのサポート:{}.",
|
||||
"error_tor_protocol_error": "Torにエラーが生じました: {}",
|
||||
"connecting_to_tor": "Torネットワークに接続しています",
|
||||
"update_available": "OnionShareの新しいバージョンが公開されました。<a href='{}'>ここをクリック</a>すると入手できます。<br><br>あなたが使用しているバージョンは{}で、最新のバージョンは{}です。",
|
||||
"update_error_check_error": "新しいバージョンを確認できませんでした。おそらくTorに接続していないか、OnionShare公式サイトが機能していない可能性があります。",
|
||||
"update_error_invalid_latest_version": "新しいバージョンを確認できませんでした。OnionShare公式サイトによると、最新バージョンは認識不能な'{}'です…",
|
||||
"update_not_available": "あなたはOnionShareの最新バージョンを使っています。",
|
||||
"gui_tor_connection_ask": "Torへの接続に関する問題を解決するために設定画面を開きますか?",
|
||||
"gui_tor_connection_ask_open_settings": "はい",
|
||||
"gui_tor_connection_ask_quit": "終了",
|
||||
"gui_tor_connection_error_settings": "設定でTorとの接続方法を変更してみて下さい。",
|
||||
"gui_tor_connection_canceled": "Torと接続できませんでした。\n\nインターネット接続を確認してから、OnionShareを再開してTorとの接続を設定して下さい。",
|
||||
"gui_tor_connection_lost": "Torから切断されました。",
|
||||
"gui_server_started_after_autostop_timer": "サーバーが起動した前、自動停止タイマーがタイムアウトしました。再びファイル共有をして下さい。",
|
||||
"gui_server_autostop_timer_expired": "自動停止タイマーはすでにタイムアウトしています。共有し始めるにはタイマーを調整して下さい。",
|
||||
"gui_share_url_description": "このOnionShareアドレスと秘密鍵を持つ限り<b>誰でも</b>は<b>Tor Browser</b>を利用してこのファイルを<b>ダウンロードできます</b>:<img src='{}' />",
|
||||
"gui_receive_url_description": "このOnionShareアドレスと秘密鍵を持つ限り<b>誰でも</b>は<b>Tor Browser</b>を利用してこのPCにファイルを<b>アップロードできます</b>:<img src='{}' />",
|
||||
"gui_url_label_persistent": "このファイル共有には自動停止はありません。<br><br>その次の共有は同じアドレスを再利用します。(1回限りのアドレスには、設定で「永続的アドレス」を無効にして下さい。)",
|
||||
"gui_url_label_stay_open": "このファイル共有には自動停止はありません。",
|
||||
"gui_url_label_onetime": "このファイル共有は最初の完了後に停止されます。",
|
||||
"gui_url_label_onetime_and_persistent": "このファイル共有には自動停止はありません。<br><br>その次の共有は同じアドレスを再利用します。(1回限りのアドレスには、設定で「永続的アドレス」を無効にして下さい。)",
|
||||
"gui_status_indicator_share_stopped": "共有の準備完了",
|
||||
"gui_status_indicator_share_working": "起動しています…",
|
||||
"gui_status_indicator_share_started": "共有中",
|
||||
"gui_status_indicator_receive_stopped": "受信の準備完了",
|
||||
"gui_status_indicator_receive_working": "起動しています…",
|
||||
"gui_status_indicator_receive_started": "受信中",
|
||||
"gui_tor_connection_error_settings": "設定でTorとの接続方法を変更してみてください。",
|
||||
"gui_tor_connection_canceled": "Torに接続できませんでした。\n\nインターネット接続を確認してから、OnionShareを再開してTorとの接続を設定してください。",
|
||||
"gui_tor_connection_lost": "Torから切断しました。",
|
||||
"gui_server_started_after_autostop_timer": "サーバーが開始する前に、自動停止タイマーで設定している時間に到達しました。新たに共有を行ってください。",
|
||||
"gui_server_autostop_timer_expired": "自動停止タイマーで設定している時間に到達しました。共有を開始するには、タイマーを調整してください。",
|
||||
"gui_share_url_description": "このOnionShareアドレスと秘密鍵を知っている人であれば<b>誰でも</b>、<b>Tor Browser</b>であなたのファイルを<b>ダウンロード</b>できます:<img src='{}' />",
|
||||
"gui_receive_url_description": "このOnionShareアドレスと秘密鍵を知っている人であれば<b>誰でも</b>、<b>Tor Browser</b>であなたのコンピューターにファイルを<b>アップロード</b>できます:<img src='{}' />",
|
||||
"gui_url_label_persistent": "この共有は自動では停止しません。<br><br>次回以降の共有も同じアドレスを使用します。(1回限りのアドレスを使うには、設定画面で「固定アドレスを使用」を無効にしてください。)",
|
||||
"gui_url_label_stay_open": "この共有は自動では停止しません。",
|
||||
"gui_url_label_onetime": "この共有は最初の完了後に停止します。",
|
||||
"gui_url_label_onetime_and_persistent": "この共有は自動では停止しません。<br><br>次回以降の共有も同じアドレスを使用します。(1回限りのアドレスを使うには、設定画面で「固定アドレスを使用」を無効にしてください。)",
|
||||
"gui_status_indicator_share_stopped": "共有の準備が完了しました",
|
||||
"gui_status_indicator_share_working": "開始しています…",
|
||||
"gui_status_indicator_share_started": "共有しています",
|
||||
"gui_status_indicator_receive_stopped": "受信の準備が完了しました",
|
||||
"gui_status_indicator_receive_working": "開始しています…",
|
||||
"gui_status_indicator_receive_started": "受信しています",
|
||||
"gui_file_info": "{} ファイル, {}",
|
||||
"gui_file_info_single": "{} ファイル, {}",
|
||||
"history_in_progress_tooltip": "{} 進行中",
|
||||
"history_completed_tooltip": "{} 完了",
|
||||
"gui_receive_mode_warning": "受信モードでは他の人があなたのPCへファイルをアップロードできるようにします。<br><br><b>悪意ある人物によってアップロードされたファイルを開いたら、PCが乗っ取られる可能性があります。内容を完全に理解しているファイルか、信頼できる人物がアップロードしたファイル以外は開かないでください。</b>",
|
||||
"systray_page_loaded_title": "ページはロードされました",
|
||||
"gui_receive_mode_warning": "受信モードでは、他の人があなたのコンピューターにファイルをアップロードすることができます。<br><br><b>悪意ある人物によってアップロードされたファイルを開くと、コンピューターが乗っ取られる可能性があります。自分がしようとしていることを理解している場合、または、信頼できる人物がアップロードした場合以外に、ファイルは開かないでください。</b>",
|
||||
"systray_page_loaded_title": "ページを読み込みました",
|
||||
"gui_settings_language_label": "言語",
|
||||
"gui_settings_language_changed_notice": "新しい言語に切り替えるにはOnionShareを再起動して下さい。",
|
||||
"gui_settings_language_changed_notice": "新しい言語に切り替えるにはOnionShareを再起動してください。",
|
||||
"error_cannot_create_data_dir": "OnionShareのデータフォルダーを作成できませんでした: {}",
|
||||
"systray_page_loaded_message": "OnionShareアドレスはロードされました",
|
||||
"systray_share_started_title": "共有は始めました",
|
||||
"systray_share_started_message": "誰かにファイルを通信し始めました",
|
||||
"systray_share_completed_title": "共有完了",
|
||||
"systray_share_completed_message": "ファイル送信完了",
|
||||
"systray_share_canceled_title": "共有は停止されました",
|
||||
"systray_share_canceled_message": "誰かがファイル受信を停止しました",
|
||||
"systray_receive_started_title": "受信は始めました",
|
||||
"systray_receive_started_message": "誰かがファイルを送信しています",
|
||||
"gui_all_modes_history": "歴史",
|
||||
"systray_page_loaded_message": "OnionShareアドレスを読み込みました",
|
||||
"systray_share_started_title": "共有を開始しました",
|
||||
"systray_share_started_message": "ファイルの送信を開始しています",
|
||||
"systray_share_completed_title": "共有を完了しました",
|
||||
"systray_share_completed_message": "ファイルの送信を完了しました",
|
||||
"systray_share_canceled_title": "共有を停止しました",
|
||||
"systray_share_canceled_message": "誰かがファイルの受信を停止しました",
|
||||
"systray_receive_started_title": "受信を開始しました",
|
||||
"systray_receive_started_message": "誰かがあなたにファイルを送信しています",
|
||||
"gui_all_modes_history": "履歴",
|
||||
"gui_all_modes_clear_history": "すべてクリア",
|
||||
"gui_all_modes_transfer_started": "始めました {}",
|
||||
"gui_all_modes_transfer_finished_range": "転送された {} - {}",
|
||||
"gui_all_modes_transfer_finished": "転送された {}",
|
||||
"gui_all_modes_transfer_canceled_range": "停止された {} - {}",
|
||||
"gui_all_modes_transfer_canceled": "停止された {}",
|
||||
"gui_all_modes_transfer_started": "開始 {}",
|
||||
"gui_all_modes_transfer_finished_range": "転送 {} - {}",
|
||||
"gui_all_modes_transfer_finished": "転送 {}",
|
||||
"gui_all_modes_transfer_canceled_range": "停止 {} - {}",
|
||||
"gui_all_modes_transfer_canceled": "停止 {}",
|
||||
"gui_all_modes_progress_complete": "%p%, 経過時間 {0:s} 。",
|
||||
"gui_all_modes_progress_starting": "{0:s}, %p% (計算中)",
|
||||
"gui_all_modes_progress_eta": "{0:s}, 完了予定時刻: {1:s}, %p%",
|
||||
"gui_share_mode_no_files": "送信されたファイルがまだありません",
|
||||
"gui_share_mode_autostop_timer_waiting": "送信を完了中…",
|
||||
"gui_receive_mode_no_files": "受信されたファイルがまだありません",
|
||||
"gui_receive_mode_autostop_timer_waiting": "受信を完了中…",
|
||||
"gui_stop_server_autostop_timer_tooltip": "自動停止タイマーは {} に終了します",
|
||||
"gui_start_server_autostart_timer_tooltip": "自動スタートタイマーは {} に終了します",
|
||||
"gui_waiting_to_start": "{} 後に開始予定。クリックして中止する。",
|
||||
"gui_server_autostart_timer_expired": "予定した時間がすでに終了しました。共有し始めるには、タイマーを調整して下さい。",
|
||||
"gui_autostop_timer_cant_be_earlier_than_autostart_timer": "自動停止タイマーを自動スタートタイマーより後に設定しなければなりません。共有し始めるには、タイマーを調整して下さい。",
|
||||
"gui_share_mode_no_files": "送信したファイルはまだありません",
|
||||
"gui_share_mode_autostop_timer_waiting": "送信を完了しています…",
|
||||
"gui_receive_mode_no_files": "受信したファイルはまだありません",
|
||||
"gui_receive_mode_autostop_timer_waiting": "受信を完了しています…",
|
||||
"gui_stop_server_autostop_timer_tooltip": "自動停止タイマーは{}に終了します",
|
||||
"gui_start_server_autostart_timer_tooltip": "自動開始タイマーは{}に終了します",
|
||||
"gui_waiting_to_start": "{}後に開始予定。クリックでキャンセルします。",
|
||||
"gui_server_autostart_timer_expired": "予定した時間が終了しました。共有を開始するには、タイマーを調整してください。",
|
||||
"gui_autostop_timer_cant_be_earlier_than_autostart_timer": "自動停止の時間は、自動開始の時間より後に設定しなければなりません。共有を開始するには、タイマーを調整してください。",
|
||||
"gui_status_indicator_share_scheduled": "予定されました…",
|
||||
"gui_status_indicator_receive_scheduled": "予定されました…",
|
||||
"days_first_letter": "日",
|
||||
"hours_first_letter": "時間",
|
||||
"minutes_first_letter": "分",
|
||||
"seconds_first_letter": "秒",
|
||||
"gui_website_url_description": "<b>誰でも</b> このOnionShareアドレスと秘密鍵を知る限り、<b>Tor Browser</b>で サイトを<b>訪れることができます</b>: <img src='{}' />",
|
||||
"gui_website_mode_no_files": "共有されたウェブサイトは未だありません",
|
||||
"incorrect_password": "不正なパスワード",
|
||||
"gui_website_url_description": "このOnionShareアドレスと秘密鍵を知っている人であれば<b>誰でも</b>、<b>Tor Browser</b>であなたのウェブサイトを<b>閲覧</b>できます: <img src='{}' />",
|
||||
"gui_website_mode_no_files": "共有したウェブサイトはまだありません",
|
||||
"incorrect_password": "パスワードが不正です",
|
||||
"history_requests_tooltip": "{} ウェブリクエスト",
|
||||
"mode_settings_website_disable_csp_checkbox": "デフォルトのコンテンツセキュリティポリシーヘッダーを送らない(ウェブサイトにはサードパーティーのリソースを可能にします)",
|
||||
"mode_settings_website_disable_csp_checkbox": "既定のコンテンツセキュリティポリシーヘッダーを送信しない(ウェブサイトで第三者のリソースを使用できるようになります)",
|
||||
"mode_settings_receive_data_dir_browse_button": "閲覧",
|
||||
"mode_settings_receive_data_dir_label": "保存するファイルの位置",
|
||||
"mode_settings_share_autostop_sharing_checkbox": "ファイル送信が終了したら共有を停止(個別ファイルのダウンロードを許可するにはチェックマークを消す)",
|
||||
"mode_settings_autostop_timer_checkbox": "指定の日時にonionサービスを停止する",
|
||||
"mode_settings_autostart_timer_checkbox": "指定の日時にonionサービスを起動する",
|
||||
"mode_settings_public_checkbox": "これは公開OnionShareサービス(秘密鍵は無効されます)",
|
||||
"mode_settings_persistent_checkbox": "OnionShareがスタートアップする時に、このタブを常に開く",
|
||||
"mode_settings_receive_data_dir_label": "ファイルの保存先",
|
||||
"mode_settings_share_autostop_sharing_checkbox": "ファイル送信が終了したら共有を停止(チェックを外すと個別のファイルのダウンロードを許可)",
|
||||
"mode_settings_autostop_timer_checkbox": "指定の日時にOnion Serviceを停止",
|
||||
"mode_settings_autostart_timer_checkbox": "指定の日時にOnion Serviceを開始",
|
||||
"mode_settings_public_checkbox": "公開のOnionShareのサービスとして設定(秘密鍵が無効となります)",
|
||||
"mode_settings_persistent_checkbox": "OnionShareを開始する際に、このタブを常に開く",
|
||||
"mode_settings_advanced_toggle_hide": "詳細設定を非表示",
|
||||
"mode_settings_advanced_toggle_show": "詳細設定を表示",
|
||||
"gui_quit_warning_cancel": "キャンセル",
|
||||
"gui_quit_warning_description": "ファイル共有しているタブはまだありますが、すべてのタブを閉じてもよろしいですか?",
|
||||
"gui_quit_warning_description": "共有を行っているタブがありますが、すべてのタブを閉じてもよろしいですか?",
|
||||
"gui_quit_warning_title": "OnionShareを終了しますか?",
|
||||
"gui_close_tab_warning_cancel": "キャンセル",
|
||||
"gui_close_tab_warning_close": "閉じる",
|
||||
"gui_close_tab_warning_close": "はい",
|
||||
"gui_close_tab_warning_website_description": "ウェブサイトをホスト中のタブを閉じてもよろしいですか?",
|
||||
"gui_close_tab_warning_receive_description": "まだファイル受信中のタブを閉じてもよろしいですか?",
|
||||
"gui_close_tab_warning_share_description": "まだファイル送信中のタブを閉じてもよろしいですか?",
|
||||
"gui_close_tab_warning_persistent_description": "永続的タブを閉じて、利用しているonionアドレスを失ってもよろしいですか?",
|
||||
"gui_close_tab_warning_receive_description": "ファイル受信中のタブを閉じてもよろしいですか?",
|
||||
"gui_close_tab_warning_share_description": "ファイル送信中のタブを閉じてもよろしいですか?",
|
||||
"gui_close_tab_warning_persistent_description": "固定タブを閉じると、そのタブのOnionアドレスが失われます。よろしいですか?",
|
||||
"gui_close_tab_warning_title": "タブを閉じますか?",
|
||||
"gui_tab_name_chat": "チャット",
|
||||
"gui_tab_name_website": "ウェブサイト",
|
||||
@ -159,99 +159,100 @@
|
||||
"gui_main_page_website_button": "ホストを開始",
|
||||
"gui_main_page_receive_button": "受信を開始",
|
||||
"gui_main_page_share_button": "共有を開始",
|
||||
"gui_new_tab_chat_button": "匿名でチャットする",
|
||||
"gui_new_tab_website_button": "サイトをホスト",
|
||||
"gui_new_tab_chat_button": "匿名でチャット",
|
||||
"gui_new_tab_website_button": "ウェブサイトをホスト",
|
||||
"gui_new_tab_receive_button": "ファイルを受信",
|
||||
"gui_new_tab_share_button": "ファイルを共有",
|
||||
"gui_new_tab_tooltip": "新しいタブを開く",
|
||||
"gui_new_tab": "新しいタブ",
|
||||
"gui_open_folder_error": "xdg-openでフォルダー開けませんでした。ファイルはここにあります: {}",
|
||||
"gui_open_folder_error": "xdg-openでフォルダーを開くことができませんでした。ファイルはここにあります: {}",
|
||||
"gui_qr_code_dialog_title": "OnionShareのQRコード",
|
||||
"gui_show_qr_code": "QRコードを表示する",
|
||||
"gui_show_qr_code": "QRコードを表示",
|
||||
"gui_receive_flatpak_data_dir": "FlatpakでOnionShareをインストールしたため、ファイルを~/OnionShareの中のフォルダーに保存しなければなりません。",
|
||||
"gui_chat_stop_server": "チャットサーバーを停止",
|
||||
"gui_chat_start_server": "チャットサーバーを始動",
|
||||
"gui_chat_start_server": "チャットサーバーを開始",
|
||||
"gui_file_selection_remove_all": "全てを削除",
|
||||
"gui_remove": "削除",
|
||||
"error_port_not_available": "OnionShareポートは利用可能ではありません",
|
||||
"error_port_not_available": "OnionShareのポートは利用できません",
|
||||
"gui_rendezvous_cleanup_quit_early": "早めに終了",
|
||||
"gui_rendezvous_cleanup": "ファイルは転送されたか確実にするために、Torサーキットの切断を待機しています。\n\n数分かかります。",
|
||||
"gui_chat_url_description": "このOnionShareアドレスと秘密鍵を持つ限り、<b>誰でも</b>が<b>Tor Browser</b>を利用して<b>チャットルームに入れます</b>:<img src='{}' />",
|
||||
"history_receive_read_message_button": "既読メッセージ",
|
||||
"mode_settings_receive_webhook_url_checkbox": "通知webhookを利用する",
|
||||
"gui_rendezvous_cleanup": "ファイルを確実に転送するため、Torの回路の切断を待機しています。\n\nこれには数分かかる可能性があります。",
|
||||
"gui_chat_url_description": "このOnionShareアドレスと秘密鍵を知っている人であれば<b>誰でも</b>、<b>Tor Browser</b>で<b>このチャットルームに入れます</b>:<img src='{}' />",
|
||||
"history_receive_read_message_button": "メッセージを読む",
|
||||
"mode_settings_receive_webhook_url_checkbox": "Webhookを使用して通知",
|
||||
"mode_settings_receive_disable_files_checkbox": "ファイルのアップロードを無効にする",
|
||||
"mode_settings_receive_disable_text_checkbox": "テキストの提出を無効にする",
|
||||
"mode_settings_receive_disable_text_checkbox": "テキストの送信を無効にする",
|
||||
"mode_settings_title_label": "カスタムタイトル",
|
||||
"gui_color_mode_changed_notice": "新しいカラーモードを表示するのに、OnionShareを再起動して下さい。",
|
||||
"gui_color_mode_changed_notice": "新しいカラーモードを適用するにはOnionShareを再起動してください。",
|
||||
"gui_settings_theme_dark": "ダーク",
|
||||
"gui_settings_theme_light": "ライト",
|
||||
"gui_settings_theme_auto": "自動",
|
||||
"gui_settings_theme_label": "テーマ",
|
||||
"gui_status_indicator_chat_started": "チャット中",
|
||||
"gui_status_indicator_chat_scheduled": "予定されています…",
|
||||
"gui_status_indicator_chat_working": "起動中…",
|
||||
"gui_status_indicator_chat_stopped": "チャット準備完了",
|
||||
"gui_client_auth_instructions": "次に、OnionShareサービスにアクセスを許可する秘密鍵を送る:",
|
||||
"gui_url_instructions_public_mode": "以下に表示されるOnionShareアドレスを送る:",
|
||||
"gui_url_instructions": "まずは、以下に表示されるOnionShareアドレスを送る:",
|
||||
"gui_chat_url_public_description": "このOnionShareアドレスを持つ限り、<b>誰でも</b>が<b>Tor Browser</b>を利用して<b>チャットルームに入れます</b>:<img src='{}' />",
|
||||
"gui_receive_url_public_description": "このOnionShareアドレスを持つ限り<b>誰でも</b>は<b>Tor Browser</b>を利用してこのPCにファイルを<b>アップロードできます</b>:<img src='{}' />",
|
||||
"gui_website_url_public_description": "このOnionShareアドレスを持つ限り<b>誰でも</b>は<b>Tor Browser</b>を利用してこのサイトを<b>訪れる</b>:<img src='{}' />",
|
||||
"gui_share_url_public_description": "このOnionShareアドレスを持つ限り<b>誰でも</b>は<b>Tor Browser</b>を利用してこのファイルを<b>ダウンロードできます</b>:<img src='{}' />",
|
||||
"gui_server_doesnt_support_stealth": "申し訳ない、このTorバージョンではステルス(クライアント認証)がサポートされていません。より新しいTorバージョンを使うか、プライバシーの必要なければ公開モードを使って下さい。",
|
||||
"gui_please_wait_no_button": "起動中…",
|
||||
"gui_status_indicator_chat_working": "開始しています…",
|
||||
"gui_status_indicator_chat_stopped": "チャットの準備が完了しました",
|
||||
"gui_client_auth_instructions": "次に、OnionShareサービスへのアクセスを許可する秘密鍵を送信してください。",
|
||||
"gui_url_instructions_public_mode": "以下に表示されるOnionShareアドレスを送信。",
|
||||
"gui_url_instructions": "初めに、以下に表示されるOnionShareアドレスを送信してください。",
|
||||
"gui_chat_url_public_description": "このOnionShareアドレスを知っている人であれば<b>誰でも</b>、<b>Tor Browser</b>で<b>このチャットルームに入れます</b>:<img src='{}' />",
|
||||
"gui_receive_url_public_description": "このOnionShareアドレスを知っている人であれば<b>誰でも</b>、<b>Tor Browser</b>であなたのコンピューターにファイルを<b>アップロード</b>できます:<img src='{}' />",
|
||||
"gui_website_url_public_description": "このOnionShareアドレスを知っている人であれば<b>誰でも</b>、<b>Tor Browser</b>であなたのウェブサイトを<b>閲覧</b>できます:<img src='{}' />",
|
||||
"gui_share_url_public_description": "このOnionShareアドレスを知っている人であれば<b>誰でも</b>、<b>Tor Browser</b>であなたのファイルを<b>ダウンロード</b>できます:<img src='{}' />",
|
||||
"gui_server_doesnt_support_stealth": "申し訳ありませんが、このバージョンのTorはステルス(クライアント認証)をサポートしていません。より新しいTorバージョンを使用するか、非公開とする必要がなければ「公開」モードを使用してください。",
|
||||
"gui_please_wait_no_button": "開始しています…",
|
||||
"gui_hide": "非表示",
|
||||
"gui_reveal": "表示",
|
||||
"gui_qr_label_auth_string_title": "秘密鍵",
|
||||
"gui_qr_label_url_title": "OnionShare アドレス",
|
||||
"gui_qr_label_url_title": "OnionShareのアドレス",
|
||||
"gui_copied_client_auth": "秘密鍵をクリップボードにコピーしました",
|
||||
"gui_copied_client_auth_title": "秘密鍵をコピーしました",
|
||||
"gui_copy_client_auth": "秘密鍵をコピーする",
|
||||
"gui_copy_client_auth": "秘密鍵をコピー",
|
||||
"gui_tor_settings_window_title": "Torの設定",
|
||||
"gui_settings_controller_extras_label": "Torの設定",
|
||||
"gui_settings_bridge_use_checkbox": "ブリッジを利用する",
|
||||
"gui_settings_bridge_radio_builtin": "組み込みブリッジを選択",
|
||||
"gui_settings_bridge_moat_radio_option": "torproject.orgからブリッジを要求する",
|
||||
"gui_settings_bridge_custom_radio_option": "信頼できる筋からもらったブリッジを提供する",
|
||||
"gui_settings_bridge_custom_placeholder": "「アドレス:ポート番号」を入力する(行内ごと1つ)",
|
||||
"gui_settings_moat_bridges_invalid": "まだtorproject.orgからブリッジを要求していません。",
|
||||
"gui_settings_version_label": "OnionShare {}を使っています",
|
||||
"gui_settings_help_label": "サポートが必要ですか? <a href='https://docs.onionshare.org'>docs.onionshare.org</a>を訪れて下さい",
|
||||
"mode_settings_website_custom_csp_checkbox": "カスタムなコンテンツセキュリティポリシーヘッダーを送る",
|
||||
"moat_contact_label": "BridgeDBと接続中…",
|
||||
"moat_captcha_label": "ブリッジを要求するのにCAPTCHAを解決して下さい。",
|
||||
"moat_captcha_placeholder": "イメージにある文字を入力して下さい",
|
||||
"moat_captcha_submit": "提出する",
|
||||
"moat_captcha_reload": "リロード",
|
||||
"gui_settings_bridge_use_checkbox": "ブリッジを使用",
|
||||
"gui_settings_bridge_radio_builtin": "内蔵ブリッジを選択",
|
||||
"gui_settings_bridge_moat_radio_option": "torproject.orgにブリッジを要求",
|
||||
"gui_settings_bridge_custom_radio_option": "信頼できる情報源から入手したブリッジを提供",
|
||||
"gui_settings_bridge_custom_placeholder": "「アドレス:ポート番号」を入力(各行に1つずつ)",
|
||||
"gui_settings_moat_bridges_invalid": "まだtorproject.orgにブリッジを要求していません。",
|
||||
"gui_settings_version_label": "あなたはOnionShare {}を使用しています",
|
||||
"gui_settings_help_label": "サポートが必要ですか?<a href='https://docs.onionshare.org'>docs.onionshare.org</a>をご覧ください。",
|
||||
"mode_settings_website_custom_csp_checkbox": "指定するコンテンツセキュリティポリシーヘッダーを送信",
|
||||
"moat_contact_label": "BridgeDBに接続しています…",
|
||||
"moat_captcha_label": "ブリッジを要求するにはCAPTCHAを解決してください。",
|
||||
"moat_captcha_placeholder": "画像にある文字を入力してください",
|
||||
"moat_captcha_submit": "送信",
|
||||
"moat_captcha_reload": "再読み込み",
|
||||
"moat_bridgedb_error": "BridgeDBに接続できませんでした。",
|
||||
"moat_captcha_error": "間違った解答です。もう一度試して下さい。",
|
||||
"moat_solution_empty_error": "イメージからの文字を入力して下さい",
|
||||
"mode_tor_not_connected_label": "OnionShareはTorネットワークと接続されていません",
|
||||
"gui_dragdrop_sandbox_flatpak": "Flatpakサンドボックスの安全性を確保するため、ドラッグ・アンド・ドロップは無効されました。ファイルを選択するのに「ファイルを追加」、「フォルダを追加」ボタンを使って下さい。",
|
||||
"gui_settings_tor_bridges_label": "Torへのアクセスがブロックされる場合、ブリッジはTorネットワークに接続するのに役立ちます。一番効果的なブリッジは場所によります。",
|
||||
"gui_settings_bridge_none_radio_option": "ブリッジを利用しない",
|
||||
"gui_settings_bridge_moat_button": "新しいブリッジを要求する",
|
||||
"gui_settings_stop_active_tabs_label": "タブに実行しているサービスはまだあります。\nTor設定を変更するには、全てのサービスを停止する必要があります。",
|
||||
"gui_autoconnect_description": "OnionShareは世界の何千人のボランティアによって運営されるTorネットワークに頼ります。",
|
||||
"gui_enable_autoconnect_checkbox": "自動的にTorに接続する",
|
||||
"gui_autoconnect_failed_to_connect_to_tor": "Torとの接続は失敗しました",
|
||||
"gui_autoconnect_trying_to_connect_to_tor": "Torに接続しようとしています…",
|
||||
"gui_autoconnect_connection_error_msg": "インターネットに接続するか確認して下さい。",
|
||||
"gui_autoconnect_bridge_description": "インターネット接続は検閲される可能性もあります。ブリッジの使用で回避できるかもしれない。",
|
||||
"gui_autoconnect_bridge_detect_automatic": "ブリッジ設定のため、IPアドレスで自動的に国を確定する",
|
||||
"gui_autoconnect_bridge_detect_manual": "ブリッジ設定のため、手動で国を選択する",
|
||||
"moat_captcha_error": "解答が正しくありません。もう一度試してください。",
|
||||
"moat_solution_empty_error": "画像にある文字を入力してください",
|
||||
"mode_tor_not_connected_label": "OnionShareはTorネットワークに接続していません",
|
||||
"gui_dragdrop_sandbox_flatpak": "Flatpakサンドボックスの安全性を確保するため、ドラッグアンドドロップはサポートしていません。ファイルの選択には「ファイルを追加」と「フォルダを追加」のボタンを使用してください。",
|
||||
"gui_settings_tor_bridges_label": "Torへのアクセスが遮断されている場合、ブリッジはTorネットワークに接続するのに役立ちます。接続元の場所に応じて、どのブリッジがよく動作するかは変わる可能性があります。",
|
||||
"gui_settings_bridge_none_radio_option": "ブリッジを使用しない",
|
||||
"gui_settings_bridge_moat_button": "新しいブリッジを要求",
|
||||
"gui_settings_stop_active_tabs_label": "いくつかのタブでサービスが動作しています。\nTorの設定を変更するには、全てのサービスを停止する必要があります。",
|
||||
"gui_autoconnect_description": "OnionShareはボランティアによって運営されているTorネットワークに依拠しています。",
|
||||
"gui_enable_autoconnect_checkbox": "自動的にTorに接続",
|
||||
"gui_autoconnect_failed_to_connect_to_tor": "Torに接続できませんでした",
|
||||
"gui_autoconnect_trying_to_connect_to_tor": "Torに接続しています…",
|
||||
"gui_autoconnect_connection_error_msg": "インターネットに接続していることを確認してください。",
|
||||
"gui_autoconnect_bridge_description": "インターネットへの接続が検閲されている場合は、ブリッジを使用すると接続できる可能性があります。",
|
||||
"gui_autoconnect_bridge_detect_automatic": "ブリッジを設定する際、IPアドレスに基づき自動的に国を確定",
|
||||
"gui_autoconnect_bridge_detect_manual": "ブリッジを設定する際、手動で国を選択",
|
||||
"gui_autoconnect_bridge_setting_options": "ブリッジ設定",
|
||||
"gui_autoconnect_start": "Torに接続する",
|
||||
"gui_autoconnect_start": "Torに接続",
|
||||
"gui_autoconnect_configure": "ネットワーク設定",
|
||||
"gui_autoconnect_no_bridge": "ブリッジなしで再度接続してみる",
|
||||
"gui_autoconnect_try_again_without_a_bridge": "ブリッジなしで再度接続してみる",
|
||||
"gui_autoconnect_circumventing_censorship": "接続問題を解決しようとしてます…",
|
||||
"gui_autoconnect_circumventing_censorship_starting_circumvention": "検閲回避プロセスを起動中…",
|
||||
"gui_autoconnect_circumventing_censorship_starting_meek": "ドメインフロンティングするのにMeekを起動中…",
|
||||
"gui_autoconnect_circumventing_censorship_requesting_bridges": "Tor検閲回避APIからブリッジを要求中…",
|
||||
"gui_autoconnect_circumventing_censorship_got_bridges": "ブリッジを入手しました!Torに再接続中…",
|
||||
"gui_autoconnect_could_not_connect_to_tor_api": "TorのAPIに接続できませんでした。インターネット接続を確認してからもう一度試す。",
|
||||
"gui_autoconnect_no_bridge": "ブリッジなしで再試行",
|
||||
"gui_autoconnect_try_again_without_a_bridge": "ブリッジなしで再試行",
|
||||
"gui_autoconnect_circumventing_censorship": "接続に関する問題を解決しています…",
|
||||
"gui_autoconnect_circumventing_censorship_starting_circumvention": "検閲を回避しています…",
|
||||
"gui_autoconnect_circumventing_censorship_starting_meek": "ドメインフロンティング用にMeekブリッジを確立しています…",
|
||||
"gui_autoconnect_circumventing_censorship_requesting_bridges": "Tor検閲回避APIにブリッジを要求しています…",
|
||||
"gui_autoconnect_circumventing_censorship_got_bridges": "ブリッジを確立しました。Torに再接続しています…",
|
||||
"gui_autoconnect_could_not_connect_to_tor_api": "TorのAPIに接続できませんでした。インターネットに接続していることを確認してから再度試してください。",
|
||||
"gui_general_settings_window_title": "基本設定",
|
||||
"gui_close_tab_warning_chat_description": "チャットサーバーをホストしているタブを閉じますか?",
|
||||
"waitress_web_server_error": "ウェブサーバ起動に関する問題が生じました"
|
||||
"gui_close_tab_warning_chat_description": "チャットサーバーをホスト中のタブを閉じてもよろしいですか?",
|
||||
"waitress_web_server_error": "ウェブサーバーを起動する際に問題が生じました",
|
||||
"gui_chat_mode_explainer": "チャットモードを使用すると、Tor Browserで他のユーザーとチャットを行うことができるようになります。<br><br><b>チャットの履歴はOnionShareには保存されません。Tor Browserを終了すると、チャットの履歴は消去されます。</b>"
|
||||
}
|
||||
|
@ -3,5 +3,46 @@
|
||||
"gui_add": "დამატება",
|
||||
"gui_quit_warning_quit": "პროგრამის დატოვება",
|
||||
"gui_settings_button_save": "შენახვა",
|
||||
"gui_tor_connection_ask_quit": "პროგრამის დატოვება"
|
||||
"gui_tor_connection_ask_quit": "პროგრამის დატოვება",
|
||||
"gui_settings_theme_dark": "ბნელი",
|
||||
"gui_settings_autoupdate_timestamp_never": "არასდროს",
|
||||
"gui_settings_window_title": "მორგება",
|
||||
"gui_settings_authenticate_password_option": "პაროლი",
|
||||
"gui_tab_name_share": "გაზიარება",
|
||||
"gui_close_tab_warning_cancel": "გაუქმება",
|
||||
"gui_quit_warning_cancel": "გაუქმება",
|
||||
"gui_settings_theme_auto": "ავტო",
|
||||
"gui_settings_bridge_moat_radio_option": "გადამცემი ხიდის მოთხოვნა საიტიდან torproject.org",
|
||||
"gui_status_indicator_chat_working": "გაშვება…",
|
||||
"gui_general_settings_window_title": "ზოგადი",
|
||||
"gui_all_modes_history": "ისტორია",
|
||||
"gui_settings_bridge_custom_placeholder": "აკრიფეთ მისამართი:პორტი (თითო ცალკე ხაზზე)",
|
||||
"gui_settings_language_label": "ენა",
|
||||
"gui_status_indicator_share_started": "გაზიარება",
|
||||
"gui_settings_password_label": "პაროლი",
|
||||
"gui_please_wait_no_button": "გაშვება…",
|
||||
"moat_solution_empty_error": "შეიყვანეთ სურათიდან სიმბოლოები",
|
||||
"gui_status_indicator_share_working": "გაშვება…",
|
||||
"gui_autoconnect_start": "დააკავშირეთ Tor",
|
||||
"gui_settings_button_cancel": "გაუქმება",
|
||||
"gui_settings_button_help": "დახმარება",
|
||||
"gui_tor_connection_ask_open_settings": "დიახ",
|
||||
"gui_status_indicator_receive_working": "გაშვება…",
|
||||
"gui_all_modes_clear_history": "ყველას გასუფთავება",
|
||||
"gui_tab_name_website": "ვებსაიტი",
|
||||
"gui_settings_theme_label": "თემა",
|
||||
"gui_settings_theme_light": "მსუბუქი",
|
||||
"moat_captcha_reload": "თავიდან ჩატვირთვა",
|
||||
"gui_main_page_share_button": "გაზიარების დაწყება",
|
||||
"gui_autoconnect_trying_to_connect_to_tor": "უკავშირდება Tor-ს…",
|
||||
"mode_settings_receive_data_dir_browse_button": "ნუსხა",
|
||||
"gui_tab_name_chat": "ჩატი",
|
||||
"gui_file_selection_remove_all": "ყველას მოცილება",
|
||||
"moat_captcha_label": "გაიარეთ CAPTCHA, გადამცემი ხიდის მოთხოვნისთვის.",
|
||||
"gui_remove": "წაშლა",
|
||||
"gui_hide": "დამალვა",
|
||||
"moat_captcha_submit": "გაგზავნა",
|
||||
"gui_choose_items": "აირჩიეთ",
|
||||
"gui_canceled": "გაუქმებული",
|
||||
"moat_captcha_placeholder": "შეიყვანეთ სურათიდან სიმბოლოები"
|
||||
}
|
||||
|
1
desktop/onionshare/resources/locale/kab.json
Normal file
1
desktop/onionshare/resources/locale/kab.json
Normal file
@ -0,0 +1 @@
|
||||
{}
|
@ -70,5 +70,33 @@
|
||||
"gui_copied_client_auth_title": "개인 키가 복사되었습니다",
|
||||
"gui_autoconnect_bridge_setting_options": "브리지 설정",
|
||||
"gui_autoconnect_start": "Tor에 연결하기",
|
||||
"gui_autoconnect_configure": "네트워크 설정"
|
||||
"gui_autoconnect_configure": "네트워크 설정",
|
||||
"gui_close_tab_warning_close": "그래",
|
||||
"gui_tab_name_share": "공유",
|
||||
"gui_settings_theme_label": "테마 설정",
|
||||
"gui_status_indicator_chat_working": "시작 중…",
|
||||
"gui_tor_connection_ask_open_settings": "예",
|
||||
"gui_settings_theme_auto": "자동",
|
||||
"gui_all_modes_history": "내력",
|
||||
"gui_quit_warning_cancel": "취소",
|
||||
"moat_captcha_label": "브리지를 요청하기 위해 CAPCHA를 풀어주세요.",
|
||||
"gui_status_indicator_share_working": "시작 중…",
|
||||
"gui_settings_theme_dark": "어두움",
|
||||
"moat_solution_empty_error": "이미지의 문자를 입력하세요",
|
||||
"gui_tab_name_website": "웹사이트",
|
||||
"gui_settings_bridge_custom_placeholder": "주소:포트번호 입력하세요.(한줄에 하나씩)",
|
||||
"moat_captcha_reload": "다시 로드",
|
||||
"moat_captcha_placeholder": "이미지의 문자를 입력하세요",
|
||||
"gui_status_indicator_receive_working": "시작 중…",
|
||||
"gui_status_indicator_share_started": "공유",
|
||||
"gui_all_modes_clear_history": "전체 지우기",
|
||||
"gui_new_tab": "새 탭",
|
||||
"gui_tab_name_receive": "입금",
|
||||
"gui_tab_name_chat": "채팅",
|
||||
"gui_close_tab_warning_cancel": "취소",
|
||||
"mode_settings_receive_data_dir_browse_button": "찾아보기",
|
||||
"gui_settings_theme_light": "밝음",
|
||||
"gui_settings_bridge_moat_radio_option": "torproject.org에서 브릿지 요청하기",
|
||||
"moat_captcha_submit": "제출",
|
||||
"gui_general_settings_window_title": "일반"
|
||||
}
|
||||
|
@ -1 +1,3 @@
|
||||
{}
|
||||
{
|
||||
"gui_settings_button_save": "Tereka"
|
||||
}
|
||||
|
@ -140,7 +140,7 @@
|
||||
"gui_close_tab_warning_share_description": "Uždaryti skirtuką, iš kurio siunčiami failai?",
|
||||
"gui_close_tab_warning_receive_description": "Uždaryti skirtuką, kuriame gaunami failai?",
|
||||
"gui_close_tab_warning_website_description": "Uždaryti skirtuką, kuriame talpinama svetainė?",
|
||||
"gui_close_tab_warning_close": "Užverti",
|
||||
"gui_close_tab_warning_close": "Gerai",
|
||||
"gui_close_tab_warning_cancel": "Atsisakyti",
|
||||
"gui_quit_warning_title": "Išeiti iš „OnionShare“?",
|
||||
"gui_quit_warning_description": "Išeiti ir uždaryti visus skirtukus, net jei kai kuriuose iš jų yra aktyvus bendrinimas?",
|
||||
|
@ -5,5 +5,37 @@
|
||||
"gui_settings_autoupdate_timestamp_never": "Никогаш",
|
||||
"gui_settings_button_save": "Зачувување",
|
||||
"gui_settings_button_cancel": "Откажи",
|
||||
"gui_tor_connection_ask_quit": "Излези"
|
||||
"gui_tor_connection_ask_quit": "Излези",
|
||||
"gui_settings_theme_auto": "Автоматски",
|
||||
"gui_tab_name_chat": "Chat",
|
||||
"moat_captcha_submit": "Испрати",
|
||||
"moat_solution_empty_error": "Внесете ги карактерите од сликата",
|
||||
"gui_autoconnect_trying_to_connect_to_tor": "Поврзување на Tor…",
|
||||
"gui_tor_connection_ask_open_settings": "Да",
|
||||
"gui_close_tab_warning_cancel": "Одкажи",
|
||||
"gui_close_tab_warning_close": "Добро",
|
||||
"moat_captcha_placeholder": "Внесете ги карактерите од сликата",
|
||||
"gui_quit_warning_cancel": "Одкажи",
|
||||
"gui_settings_theme_label": "Тема",
|
||||
"gui_tab_name_share": "Spodeli",
|
||||
"gui_tab_name_website": "Webstranica",
|
||||
"gui_autoconnect_start": "Поврзи се на Tor",
|
||||
"gui_new_tab": "Ново јазиче",
|
||||
"gui_canceled": "Odbien",
|
||||
"gui_remove": "Одстрани",
|
||||
"gui_settings_theme_light": "Svetla",
|
||||
"gui_file_selection_remove_all": "Избриши СЕ",
|
||||
"gui_settings_language_label": "Јазик",
|
||||
"moat_captcha_reload": "Včitaj povtorno",
|
||||
"gui_general_settings_window_title": "Општи поставки",
|
||||
"gui_add": "Додај",
|
||||
"gui_settings_authenticate_password_option": "Лозинка",
|
||||
"gui_settings_password_label": "Лозинка",
|
||||
"gui_settings_button_help": "Помош",
|
||||
"gui_all_modes_history": "Istorija",
|
||||
"gui_settings_theme_dark": "Temna",
|
||||
"gui_hide": "Skrij",
|
||||
"gui_settings_bridge_moat_radio_option": "Барање за мост од torproject.org",
|
||||
"gui_settings_bridge_custom_placeholder": "внеси адреса:порта (по една во секој ред)",
|
||||
"moat_captcha_label": "Решете ја ЗАДАЧАТА за да побарате мост."
|
||||
}
|
||||
|
@ -11,5 +11,32 @@
|
||||
"gui_tor_connection_ask_quit": "Keluar",
|
||||
"gui_status_indicator_receive_started": "Penerimaan",
|
||||
"systray_menu_exit": "Keluar",
|
||||
"gui_all_modes_history": "Sejarah"
|
||||
"gui_all_modes_history": "Sejarah",
|
||||
"gui_settings_theme_dark": "Gelap",
|
||||
"gui_remove": "Buang",
|
||||
"gui_file_selection_remove_all": "Alih Keluar Semua",
|
||||
"gui_autoconnect_start": "Sambung denganTor",
|
||||
"gui_hide": "Sembunyikan",
|
||||
"mode_settings_receive_data_dir_browse_button": "Semak imbas",
|
||||
"gui_general_settings_window_title": "Umum",
|
||||
"gui_tab_name_receive": "Terima",
|
||||
"gui_tab_name_chat": "Chat",
|
||||
"gui_tab_name_website": "Laman Web",
|
||||
"gui_new_tab": "Tab Baru",
|
||||
"gui_close_tab_warning_close": "OK",
|
||||
"incorrect_password": "Kata laluan tidak betul",
|
||||
"gui_settings_button_help": "Bantuan",
|
||||
"gui_settings_language_label": "Bahasa",
|
||||
"gui_tab_name_share": "Kongsi",
|
||||
"gui_close_tab_warning_cancel": "Batal",
|
||||
"gui_quit_warning_cancel": "Batal",
|
||||
"gui_settings_theme_label": "Tema",
|
||||
"gui_settings_theme_auto": "Auto",
|
||||
"gui_settings_theme_light": "Cahaya",
|
||||
"moat_captcha_placeholder": "Masukkan aksara yang tertera dari imej",
|
||||
"gui_settings_bridge_moat_radio_option": "Pinta titi dari torproject.org",
|
||||
"gui_settings_bridge_custom_placeholder": "taip alamat:port (satu per baris)",
|
||||
"moat_captcha_label": "Selesaikan CAPTCHA untuk meminta satu titi.",
|
||||
"moat_captcha_submit": "Serah",
|
||||
"moat_solution_empty_error": "Masukkan aksara yang tertera dari imej"
|
||||
}
|
||||
|
@ -226,11 +226,11 @@
|
||||
"mode_tor_not_connected_label": "OnionShare er ikke tilkoblet Tor-nettverket",
|
||||
"gui_dragdrop_sandbox_flatpak": "For å gjøre Flatpak-sandkassen sikrere er ikke dra og slipp støttet. Bruk «Legg til filer» og «Legg til mappe»-knappene for å åpne filutforskeren istedenfor.",
|
||||
"gui_settings_controller_extras_label": "Tor-innstillinger",
|
||||
"gui_settings_bridge_none_radio_option": "Ikke bruk en bro",
|
||||
"gui_settings_bridge_none_radio_option": "Ikke bruk broer",
|
||||
"gui_settings_tor_bridges_label": "Broer hjelper trafikken din å nå Tor-nettverket der Tor-tilgang er blokkert. Avhengig av hvor du er kan én bro fungere bedre enn en annen.",
|
||||
"gui_settings_moat_bridges_invalid": "Du har ikke forespurt en bro fra torproject.org enda.",
|
||||
"moat_captcha_placeholder": "Skriv inn tegnene fra bildet",
|
||||
"moat_solution_empty_error": "Du må skrive inn tegnene fra bildet",
|
||||
"moat_solution_empty_error": "Skriv inn tegnene fra bildet",
|
||||
"mode_settings_website_custom_csp_checkbox": "Send egendefinert Content Security Policy header",
|
||||
"gui_autoconnect_trying_to_connect_to_tor": "Kobler til Tor…",
|
||||
"gui_autoconnect_bridge_description": "Det kan hende du kan omgå sensur hvis du bruker en bro for å koble til.",
|
||||
|
@ -138,7 +138,7 @@
|
||||
"gui_quit_warning_cancel": "Annuleren",
|
||||
"gui_quit_warning_title": "OnionShare sluiten?",
|
||||
"gui_close_tab_warning_cancel": "Annuleren",
|
||||
"gui_close_tab_warning_close": "Afsluiten",
|
||||
"gui_close_tab_warning_close": "OK",
|
||||
"gui_close_tab_warning_receive_description": "Tabblad sluiten dat bestanden aan het ontvangen is?",
|
||||
"gui_close_tab_warning_share_description": "Tabblad sluiten dat bestanden aan het verzenden is?",
|
||||
"gui_close_tab_warning_title": "Tab afsluiten?",
|
||||
@ -186,5 +186,26 @@
|
||||
"gui_status_indicator_chat_started": "in gesprek",
|
||||
"gui_status_indicator_chat_scheduled": "Ingepland…",
|
||||
"gui_color_mode_changed_notice": "Herstart OnionShare om de nieuwe kleur toe te passen.",
|
||||
"gui_status_indicator_chat_stopped": "Klaar om te chatten"
|
||||
"gui_status_indicator_chat_stopped": "Klaar om te chatten",
|
||||
"gui_settings_theme_label": "Thema",
|
||||
"gui_settings_theme_auto": "Automatisch",
|
||||
"moat_captcha_label": "Los de CAPTCHA op om een bridge aan te vragen.",
|
||||
"moat_captcha_placeholder": "Voer de tekens van de afbeelding in",
|
||||
"gui_reveal": "Onthullen",
|
||||
"gui_settings_theme_light": "Licht",
|
||||
"gui_settings_theme_dark": "Donker",
|
||||
"gui_settings_bridge_custom_placeholder": "typ adres:poort (één per regel)",
|
||||
"gui_settings_bridge_moat_radio_option": "Een bridge aanvragen bij torproject.org",
|
||||
"gui_general_settings_window_title": "Algemeen",
|
||||
"gui_please_wait_no_button": "Aan het starten…",
|
||||
"gui_website_url_public_description": "<b>1Iedereen</b>2 met dit OnionShare-adres kan je bestanden <b>3bezoeken</b>4 met de <b>5Tor Browser</b>6: <img src='{}' />",
|
||||
"gui_hide": "Verbergen",
|
||||
"gui_autoconnect_trying_to_connect_to_tor": "Verbinden met Tor…",
|
||||
"moat_captcha_reload": "Vernieuwen",
|
||||
"gui_settings_bridge_none_radio_option": "Gebruik geen bridges",
|
||||
"gui_autoconnect_start": "Verbinden met Tor",
|
||||
"moat_captcha_submit": "Versturen",
|
||||
"moat_solution_empty_error": "Voer de tekens van de afbeelding in",
|
||||
"gui_share_url_public_description": "Iedereen met dit OnionShare adres kan je bestanden binnenhalen met de Tor browser.",
|
||||
"gui_receive_url_public_description": "<b>1Iedereen</b>2 met dit OnionShare adres kan bestanden op je computer <b>3plaatsen</b>4 met de <b>5Tor Browser</b>6: <img src='{}' />7"
|
||||
}
|
||||
|
@ -1,5 +1,37 @@
|
||||
{
|
||||
"systray_menu_exit": "ਬਾਹਰ",
|
||||
"gui_quit_warning_quit": "ਬਾਹਰ",
|
||||
"gui_tor_connection_ask_quit": "ਬਾਹਰ"
|
||||
"gui_tor_connection_ask_quit": "ਬਾਹਰ",
|
||||
"gui_settings_button_help": "ਮਦਦ",
|
||||
"gui_tab_name_chat": "Chat",
|
||||
"gui_settings_window_title": "ਸੈਟਿੰਗਾਂ",
|
||||
"gui_settings_autoupdate_timestamp_never": "ਕਦੇ ਨਹੀਂ",
|
||||
"gui_settings_button_save": "ਸੰਭਾਲੋ",
|
||||
"mode_settings_receive_data_dir_browse_button": "ਝਲਕ",
|
||||
"gui_settings_bridge_custom_placeholder": "type address:port (one per line)",
|
||||
"gui_status_indicator_share_working": "ਸ਼ੁਰੂ ਕਰ ਰਿਹਾ…",
|
||||
"gui_settings_theme_label": "ਥੀਮ",
|
||||
"gui_remove": "ਹਟਾਓ",
|
||||
"gui_add": "ਜੋੜੋ",
|
||||
"gui_settings_theme_light": "ਸਫ਼ੈਦ",
|
||||
"moat_captcha_submit": "Submit",
|
||||
"gui_settings_language_label": "ਭਾਸ਼ਾ",
|
||||
"gui_settings_authenticate_password_option": "ਪਾਸਵਰਡ",
|
||||
"gui_close_tab_warning_cancel": "ਰੱਦ ਕਰੋ",
|
||||
"gui_status_indicator_chat_working": "ਸ਼ੁਰੂ ਕਰ ਰਿਹਾ…",
|
||||
"gui_settings_theme_auto": "ਆਟੋ",
|
||||
"gui_tab_name_website": "ਵੈੱਬਸਾਈਟ",
|
||||
"gui_quit_warning_cancel": "ਰੱਦ ਕਰੋ",
|
||||
"gui_tor_connection_ask_open_settings": "ਹਾਂ",
|
||||
"gui_settings_button_cancel": "ਰੱਦ ਕਰੋ",
|
||||
"gui_file_selection_remove_all": "ਸਭ ਹਟਾਓ",
|
||||
"gui_general_settings_window_title": "ਜਨਰਲ",
|
||||
"gui_settings_password_label": "ਪਾਸਵਰਡ",
|
||||
"gui_all_modes_history": "ਇਤਿਹਾਸ",
|
||||
"gui_new_tab": "ਨਵਾਂ ਟੈਬ",
|
||||
"gui_tab_name_share": "ਸਾਂਝਾ ਕਰੋ",
|
||||
"gui_please_wait_no_button": "ਸ਼ੁਰੂ ਕਰ ਰਿਹਾ…",
|
||||
"gui_settings_theme_dark": "ਗੂੜ੍ਹਾ",
|
||||
"gui_status_indicator_receive_working": "ਸ਼ੁਰੂ ਕਰ ਰਿਹਾ…",
|
||||
"gui_hide": "Hide"
|
||||
}
|
||||
|
@ -145,7 +145,7 @@
|
||||
"gui_quit_warning_description": "Sair e fechar todas as abas, embora a partilha de ficheiros esteja ativa em algumas delas?",
|
||||
"gui_quit_warning_title": "Sair do OnionShare?",
|
||||
"gui_close_tab_warning_cancel": "Cancelar",
|
||||
"gui_close_tab_warning_close": "Fechar",
|
||||
"gui_close_tab_warning_close": "Ok",
|
||||
"gui_close_tab_warning_website_description": "Fechar a aba que está hospedando um site?",
|
||||
"gui_close_tab_warning_receive_description": "Fechar a aba que está recebendo ficheiros?",
|
||||
"gui_close_tab_warning_share_description": "Fechar a aba que está enviando ficheiros?",
|
||||
|
@ -17,7 +17,7 @@
|
||||
"gui_copy_url": "Copiar endereço",
|
||||
"gui_canceled": "Cancelado",
|
||||
"gui_copied_url_title": "Endereço OnionShare copiado",
|
||||
"gui_copied_url": "O endereço OnionShare foi copiado para área de transferência",
|
||||
"gui_copied_url": "O endereço OnionShare foi copiado para a área de transferência",
|
||||
"gui_please_wait": "A iniciar… Clique para cancelar.",
|
||||
"gui_quit_warning_quit": "Sair",
|
||||
"zip_progress_bar_format": "A comprimir: %p%",
|
||||
@ -30,13 +30,13 @@
|
||||
"gui_settings_connection_type_label": "Como é que o OnionShare deve conectar-se à rede Tor?",
|
||||
"gui_settings_connection_type_bundled_option": "Utilizar a versão do Tor integrada no OnionShare",
|
||||
"gui_settings_connection_type_automatic_option": "Tentar configurar automaticamente com o Tor Browser",
|
||||
"gui_settings_connection_type_control_port_option": "Ligar utilizando a porta de controlo",
|
||||
"gui_settings_connection_type_socket_file_option": "Ligar utilizando um ficheiro socket",
|
||||
"gui_settings_connection_type_test_button": "Testar a Ligação ao Tor",
|
||||
"gui_settings_connection_type_control_port_option": "Conectar utilizando a porta de controlo",
|
||||
"gui_settings_connection_type_socket_file_option": "Conectar utilizando um ficheiro socket",
|
||||
"gui_settings_connection_type_test_button": "Testar a conexão à rede Tor",
|
||||
"gui_settings_control_port_label": "Porta de controlo",
|
||||
"gui_settings_socket_file_label": "Ficheiro socket",
|
||||
"gui_settings_socks_label": "Porta SOCKS",
|
||||
"gui_settings_authenticate_no_auth_option": "Sem autenticação, ou autenticação por cookie",
|
||||
"gui_settings_authenticate_no_auth_option": "Sem autenticação ou autenticação por cookie",
|
||||
"gui_settings_authenticate_password_option": "Palavra-passe",
|
||||
"gui_settings_password_label": "Palavra-passe",
|
||||
"gui_settings_tor_bridges": "Ligar com Ponte Tor?",
|
||||
@ -55,18 +55,18 @@
|
||||
"settings_error_bundled_tor_not_supported": "Utilizar a versão do Tor que vem com o OnionShare não funciona no modo de 'programação' no Windows ou macOS.",
|
||||
"settings_error_bundled_tor_timeout": "A ligação ao Tor está a demorar muito. Talvez não esteja ligado à Internet, ou o relógio do sistema está incorreto?",
|
||||
"settings_error_bundled_tor_broken": "OnionShare não pôde se conectar ao Tor:\n{}",
|
||||
"settings_test_success": "Ligado ao controlador Tor.\n\nVersão do Tor: {}\nSuporta serviços onion efémeros: {}.\nSuporta autenticação de cliente: {}.\nSuporta próxima geração de endereços .onion: {}.",
|
||||
"settings_test_success": "Conectado ao controlador Tor.\n\nVersão do Tor: {}\nSuporta serviços onion efémeros: {}.\nSuporta autenticação de cliente: {}.\nSuporta próxima geração de endereços .onion: {}.",
|
||||
"error_tor_protocol_error": "Ocorreu um erro com o Tor: {}",
|
||||
"connecting_to_tor": "A ligar à rede Tor",
|
||||
"update_available": "Disponível nova versão do OnionShare. <a href='{}'>Clique aqui</a> para obtê-la.<br><br>Está a utilizar a versão {}, e a versão mais recente é a {}.",
|
||||
"update_error_check_error": "Não foi possível procurar por nova versão: Talvez não esteja ligado ao Tor, ou o ''site'' da Web OnionShare está em baixo?",
|
||||
"update_error_invalid_latest_version": "Não foi possível procurar por nova versão: o ''site'' da Web OnionShare está a dizer que a última versão não é reconhecida '{}'…",
|
||||
"connecting_to_tor": "A conectar à rede Tor",
|
||||
"update_available": "Está disponível uma nova versão do OnionShare. <a href='{}'>Clique aqui</a> para obtê-la.<br><br>Está a utilizar a versão {} e a versão mais recente é a {}.",
|
||||
"update_error_check_error": "Não foi possível procurar por nova versão: talvez não esteja ligado à rede Tor ou o site do OnionShare está desligado?",
|
||||
"update_error_invalid_latest_version": "Não foi possível verificar se existe uma nova versão: o site do OnionShare está a dizer que a última versão não é reconhecida '{}'…",
|
||||
"update_not_available": "Está a utilizar a versão mais recente do OnionShare.",
|
||||
"gui_tor_connection_ask": "Abrir as definições para corrigir a ligação ao Tor?",
|
||||
"gui_tor_connection_ask": "Abrir as definições para corrigir a conexão ao Tor?",
|
||||
"gui_tor_connection_ask_open_settings": "Sim",
|
||||
"gui_tor_connection_ask_quit": "Sair",
|
||||
"gui_tor_connection_error_settings": "Tente alterar nas definições o modo como o OnionShare liga à rede Tor.",
|
||||
"gui_tor_connection_canceled": "Não foi possível ligar à rede Tor.\n\nCertifique-se se está ligado à Internet, depois reabra o OnionShare e configure a sua ligação ao Tor.",
|
||||
"gui_tor_connection_error_settings": "Tente alterar nas definições o modo como o OnionShare conecta à rede Tor.",
|
||||
"gui_tor_connection_canceled": "Não foi possível ligar à rede Tor.\n\nCertifique-se se está conectado à Internet, depois reabra o OnionShare e configure a sua conexão à rede Tor.",
|
||||
"gui_tor_connection_lost": "Desconectado da rede Tor.",
|
||||
"gui_server_started_after_autostop_timer": "O cronómetro de paragem automática atingiu o tempo limite antes do servidor iniciar. Crie uma nova partilha.",
|
||||
"gui_server_autostop_timer_expired": "O cronómetro de paragem automática expirou. Por favor, ajuste-o para começar a partilhar.",
|
||||
@ -87,23 +87,23 @@
|
||||
"history_in_progress_tooltip": "{} a decorrer",
|
||||
"history_completed_tooltip": "{} completo",
|
||||
"gui_receive_mode_warning": "O modo de receção permite que as pessoas enviem ficheiros para o seu computador.<br><br><b>Alguns ficheiros podem potencialmente tomar o controlo do seu computador se os abrir. Abra apenas ficheiros enviados por pessoas que confia ou se souber o que está a fazer.</b>",
|
||||
"systray_page_loaded_title": "Página Carregada",
|
||||
"systray_page_loaded_title": "Página carregada",
|
||||
"gui_settings_language_label": "Idioma preferido",
|
||||
"gui_settings_language_changed_notice": "Reiniciar o OnionShare para o novo idioma seja aplicado.",
|
||||
"gui_add_files": "Adicionar ficheiros",
|
||||
"gui_add_folder": "Adicionar pasta",
|
||||
"error_cannot_create_data_dir": "Não foi possível criar a pasta de dados do OnionShare: {}",
|
||||
"systray_page_loaded_message": "Endereço do OnionShare carregado",
|
||||
"systray_share_started_title": "Partilha Iniciada",
|
||||
"systray_share_started_title": "Partilha iniciada",
|
||||
"systray_share_started_message": "A iniciar o envio dos ficheiros para alguém",
|
||||
"systray_share_completed_title": "Partilha Concluída",
|
||||
"systray_share_completed_title": "Partilha concluída",
|
||||
"systray_share_completed_message": "O envio dos ficheiros terminou",
|
||||
"systray_share_canceled_title": "Partilha Cancelada",
|
||||
"systray_share_canceled_title": "Partilha cancelada",
|
||||
"systray_share_canceled_message": "Alguém cancelou a receção dos seus ficheiros",
|
||||
"systray_receive_started_title": "Receção Iniciada",
|
||||
"systray_receive_started_title": "Receção iniciada",
|
||||
"systray_receive_started_message": "Alguém está a enviar-lhe ficheiros",
|
||||
"gui_all_modes_history": "Histórico",
|
||||
"gui_all_modes_clear_history": "Limpar Tudo",
|
||||
"gui_all_modes_clear_history": "Limpar tudo",
|
||||
"gui_all_modes_transfer_started": "Iniciado em {}",
|
||||
"gui_all_modes_transfer_finished_range": "Transferido {} - {}",
|
||||
"gui_all_modes_transfer_finished": "Transferido {}",
|
||||
@ -115,7 +115,7 @@
|
||||
"gui_share_mode_no_files": "Ainda não foram enviados ficheiros",
|
||||
"gui_receive_mode_no_files": "Ainda não foram recebidos ficheiros",
|
||||
"gui_stop_server_autostop_timer_tooltip": "O cronómetro de paragem automática termina em {}",
|
||||
"gui_start_server_autostart_timer_tooltip": "O cronómetro de início automático começa em {}",
|
||||
"gui_start_server_autostart_timer_tooltip": "O cronómetro de início automático termina em {}",
|
||||
"gui_waiting_to_start": "Agendado para iniciar em {}. Clique para cancelar.",
|
||||
"gui_server_autostart_timer_expired": "O tempo agendado já passou. Por favor, ajuste-o para começar a partilhar.",
|
||||
"gui_autostop_timer_cant_be_earlier_than_autostart_timer": "O tempo de paragem automática não pode ser o mesmo que o tempo do início automático. Por favor, ajuste-o para começar a partilhar.",
|
||||
@ -136,15 +136,15 @@
|
||||
"gui_quit_warning_cancel": "Cancelar",
|
||||
"gui_quit_warning_title": "Tem a certeza?",
|
||||
"gui_close_tab_warning_cancel": "Cancelar",
|
||||
"gui_close_tab_warning_close": "Fechar",
|
||||
"gui_close_tab_warning_close": "Ok",
|
||||
"gui_close_tab_warning_title": "Tem a certeza?",
|
||||
"gui_new_tab_website_button": "Publicar Site da Web",
|
||||
"gui_new_tab_receive_button": "Receber Ficheiros",
|
||||
"gui_new_tab_share_button": "Partilhar Ficheiros",
|
||||
"gui_new_tab_website_button": "Publicar site da web",
|
||||
"gui_new_tab_receive_button": "Receber ficheiros",
|
||||
"gui_new_tab_share_button": "Partilhar ficheiros",
|
||||
"gui_new_tab_tooltip": "Abrir um novo separador",
|
||||
"gui_new_tab": "Novo Separador",
|
||||
"gui_website_mode_no_files": "Ainda Sem Site da Web Partilhado",
|
||||
"history_requests_tooltip": "{} pedidos da Web",
|
||||
"gui_new_tab": "Novo separador",
|
||||
"gui_website_mode_no_files": "Ainda sem site da web partilhado",
|
||||
"history_requests_tooltip": "{} pedidos da web",
|
||||
"gui_website_url_description": "<b>Qualquer</b> pessoa com um endereço do OnionShare pode <b>visitar</b> o seu site utilizando o <b>Tor Browser</b>: <img src='{}' />",
|
||||
"mode_settings_website_disable_csp_checkbox": "Não envie cabeçalho de Política de Segurança de Conteúdo (permite que o seu sítio electrónico utilize recursos de terceiros)",
|
||||
"mode_settings_receive_data_dir_browse_button": "Navegar",
|
||||
@ -162,13 +162,13 @@
|
||||
"gui_tab_name_share": "Partilha",
|
||||
"gui_main_page_chat_button": "Começa a Conversar",
|
||||
"gui_main_page_website_button": "Começa a Hospedar",
|
||||
"gui_main_page_receive_button": "Começa a Receber",
|
||||
"gui_main_page_share_button": "Começa a Partilhar",
|
||||
"gui_main_page_receive_button": "Começa a receber",
|
||||
"gui_main_page_share_button": "Começa a partilhar",
|
||||
"gui_new_tab_chat_button": "Converse Anónimamente",
|
||||
"gui_open_folder_error": "Falhou a abrir a pasta com xdc-open. O ficheiro está aqui: {}",
|
||||
"gui_open_folder_error": "Falhou a abrir a pasta com xdc-open. O ficheiro está em: {}",
|
||||
"gui_qr_code_dialog_title": "Código QR OnionShare",
|
||||
"gui_show_qr_code": "Mostrar código QR",
|
||||
"gui_receive_flatpak_data_dir": "Como instalou o OnionShare utilizando Flatpak, deve guardar os ficheiros na pasta ~/OnionShare.",
|
||||
"gui_receive_flatpak_data_dir": "Como o OnionShare foi instalado por Flatpak, é necessário guardar os ficheiros numa pasta em ~/OnionShare.",
|
||||
"gui_chat_stop_server": "Parar servidor de conversação",
|
||||
"gui_chat_start_server": "Começar servidor de conversa",
|
||||
"gui_file_selection_remove_all": "Remover todos",
|
||||
@ -206,13 +206,13 @@
|
||||
"gui_receive_url_public_description": "<b>Qualquer pessoa</b> com este endereço OnionShare pode <b>enviar</b> ficheiros para o seu computador usando o <b>Tor Browser</b>: <img src='{}' />",
|
||||
"gui_website_url_public_description": "<b>Qualquer pessoa</b> com este endereço OnionShare pode <b>visitar</b> o seu site usando o <b>Tor Browser</b>: <img src = '{}' />",
|
||||
"gui_share_url_public_description": "<b>Qualquer pessoa</b> com este endereço OnionShare pode <b>descarregar</b> os seus ficheiros usando o <b>Tor Browser</b>: <img src='{}' />",
|
||||
"gui_server_doesnt_support_stealth": "Desculpe, esta versão do Tor não suporta ocultação (stealth - autenticação do cliente). Por favor, tente uma versão mais recente do Tor ou utilize o modo 'público' se não houver a necessidade de privacidade.",
|
||||
"gui_server_doesnt_support_stealth": "Desculpe, esta versão do Tor não suporta ocultação stealth (autenticação do cliente). Por favor, tente uma versão mais recente do Tor ou utilize o modo 'público' se não houver a necessidade de privacidade.",
|
||||
"gui_dragdrop_sandbox_flatpak": "Para tornar o \"ambiente de testes\" Flatpak mais seguro, a functionalidade \"arrastar e largar\" não é suportada. Em vez disso, use os botões de \"Adicionar Ficheiros\" e \"Adicionar Pasta\" para selecionar os ficheiros.",
|
||||
"gui_tor_settings_window_title": "Definições do Tor",
|
||||
"gui_settings_controller_extras_label": "Definições do Tor",
|
||||
"gui_settings_bridge_use_checkbox": "Utilizar uma ponte",
|
||||
"gui_settings_bridge_radio_builtin": "Selecionar uma ponte embutida",
|
||||
"gui_settings_bridge_none_radio_option": "Não utilizar uma ponte",
|
||||
"gui_settings_bridge_none_radio_option": "Não utilizar pontes",
|
||||
"gui_settings_bridge_moat_radio_option": "Solicitar uma ponte a torproject.org",
|
||||
"gui_settings_bridge_moat_button": "Solicitar uma Ponte Nova",
|
||||
"gui_settings_tor_bridges_label": "As pontes ajudam no acesso a rede Tor em localizações onde esta está bloqueada, algumas pontes podem funcionar melhor do que outras dependendo da localização.",
|
||||
@ -220,8 +220,8 @@
|
||||
"gui_settings_bridge_custom_placeholder": "digite endereço:porta (uma por linha)",
|
||||
"gui_settings_moat_bridges_invalid": "Ainda não solicitou uma ponte de torproject.org.",
|
||||
"gui_settings_stop_active_tabs_label": "Existem serviços em execução em alguns dos seus separadores.\nDeve para todos os serviços para alterar as suas definições do Tor.",
|
||||
"gui_settings_version_label": "Está a utilizar OnionShare {}",
|
||||
"gui_settings_help_label": "Precisa de ajuda? Consulte <a href='https://docs.onionshare.org'>docs.onionshare.org</a>",
|
||||
"gui_settings_version_label": "Você está a usar o OnionShare {}",
|
||||
"gui_settings_help_label": "Precisa de ajuda? Veja <a href='https://docs.onionshare.org'>docs.onionshare.org</a>",
|
||||
"mode_settings_website_custom_csp_checkbox": "Envie um cabeçalho de «Política de Segurança de Conteúdo» personalizado",
|
||||
"moat_contact_label": "A contactar BridgeDB...",
|
||||
"moat_captcha_label": "Resolva o 'CAPTCHA' para solicitar uma ponte.",
|
||||
@ -230,7 +230,7 @@
|
||||
"moat_captcha_reload": "Recarregar",
|
||||
"moat_bridgedb_error": "Erro ao contactar BridgeDB.",
|
||||
"moat_captcha_error": "A solução não está correta. Por favor, tente novamente.",
|
||||
"moat_solution_empty_error": "Deve inserir os carateres da imagem",
|
||||
"moat_solution_empty_error": "Insira os carateres da imagem",
|
||||
"mode_tor_not_connected_label": "OnionShare não está ligado à rede Tor",
|
||||
"gui_autoconnect_trying_to_connect_to_tor": "A ligar-se à Tor…",
|
||||
"gui_autoconnect_description": "OnionShare depende da rede Tor, que é operada voluntariamente.",
|
||||
|
@ -5,7 +5,7 @@
|
||||
"closing_automatically": "Oprit pentru că transferul s-a încheiat cu succes",
|
||||
"large_filesize": "Avertisment: Transferul unui volum mare de date poate dura ore",
|
||||
"systray_menu_exit": "Închidere",
|
||||
"gui_drag_and_drop": "Tragere și plasare fișiere și directoare\npentru a începe partajarea",
|
||||
"gui_drag_and_drop": "Tragere și plasare fișiere și directoare pentru a începe partajarea",
|
||||
"gui_add": "Adaugă",
|
||||
"gui_choose_items": "Alegeți",
|
||||
"gui_share_start_server": "Începe partajarea",
|
||||
@ -59,8 +59,8 @@
|
||||
"error_tor_protocol_error": "A apărut o eroare cu Tor: {}",
|
||||
"connecting_to_tor": "Conectarea la rețeaua Tor",
|
||||
"update_available": "Noua versiune OnionShare. <a href='{}'>Clic aici</a> pentru a o obține.<br><br>Folosiți versiunea {} și ultima versiune este {}.",
|
||||
"update_error_check_error": "Nu s-a putut verifica dacă există o versiune nouă: site-ul OnionShare spune că ultima versiune nu poate fi recunoscută '{}'…",
|
||||
"update_error_invalid_latest_version": "Nu s-a putut verifica dacă există o versiune nouă: Poate nu sunteți conectat la Tor, sau site-ul OnionShare este închis?",
|
||||
"update_error_check_error": "Nu s-a putut verifica dacă există o versiune nouă: Poate nu sunteți conectat la Tor, sau site-ul OnionShare este închis?",
|
||||
"update_error_invalid_latest_version": "Nu s-a putut verifica dacă există o versiune nouă: site-ul OnionShare spune că ultima versiune nu poate fi recunoscută '{}'…",
|
||||
"update_not_available": "Rulează ultima versiune OnionShare.",
|
||||
"gui_tor_connection_ask": "Deschideți setările pentru a sorta conexiunea la Tor?",
|
||||
"gui_tor_connection_ask_open_settings": "Da",
|
||||
@ -130,5 +130,43 @@
|
||||
"gui_website_url_description": "<b>Oricine</b> are această adresă OnionShare poate <b>vizita</b> website-ul dvs. folosind <b>Tor Browser</b>: <img src='{}' />",
|
||||
"gui_website_mode_no_files": "Niciun site nu a fost partajat încă",
|
||||
"incorrect_password": "Parolă incorectă",
|
||||
"history_requests_tooltip": "{} solicitări web"
|
||||
"history_requests_tooltip": "{} solicitări web",
|
||||
"gui_quit_warning_cancel": "Anulare",
|
||||
"moat_solution_empty_error": "Introdu caracterele din imagine",
|
||||
"gui_autoconnect_trying_to_connect_to_tor": "Conectare la Tor…",
|
||||
"gui_website_url_public_description": "<b>Oricine</b> are această adresă OnionShare poate <b>vizita</b> website-ul dvs. folosind <b>Tor Browser</b>: <img src='{}' />",
|
||||
"gui_settings_controller_extras_label": "Setări Tor",
|
||||
"gui_tab_name_receive": "Primește",
|
||||
"moat_captcha_submit": "Trimiteți",
|
||||
"gui_please_wait_no_button": "Pornire…",
|
||||
"gui_receive_url_public_description": "<b>Oricine</b> are această adresă OnionShare poate <b>încărca</b> fișiere pe computerul dvs. folosind <b>Tor Browser</b>: <img src='{}' />",
|
||||
"gui_status_indicator_chat_scheduled": "Programat …",
|
||||
"gui_settings_theme_label": "Tema aplicației",
|
||||
"gui_tab_name_website": "Site web",
|
||||
"gui_new_tab_receive_button": "Primire fișiere",
|
||||
"gui_settings_theme_auto": "Automat",
|
||||
"mode_settings_receive_data_dir_browse_button": "Răsfoiește",
|
||||
"gui_new_tab_share_button": "Partajare fișiere",
|
||||
"gui_close_tab_warning_close": "Ok",
|
||||
"gui_settings_bridge_moat_radio_option": "Cere o punte de la torproject.org",
|
||||
"gui_settings_bridge_custom_placeholder": "scrie adresă:port (una pe linie)",
|
||||
"mode_settings_receive_data_dir_label": "Salvare fișiere în",
|
||||
"gui_new_tab": "Panel nou",
|
||||
"gui_settings_theme_dark": "Întuneric",
|
||||
"gui_settings_theme_light": "Luminos",
|
||||
"gui_tab_name_chat": "Chat",
|
||||
"moat_captcha_placeholder": "Introdu caracterele din imagine",
|
||||
"gui_remove": "Elimină",
|
||||
"gui_file_selection_remove_all": "Șterge tot",
|
||||
"gui_tab_name_share": "Partajează",
|
||||
"gui_close_tab_warning_cancel": "Anulare",
|
||||
"gui_status_indicator_chat_working": "Pornire…",
|
||||
"gui_reveal": "Dezvăluie",
|
||||
"gui_hide": "Ascunde",
|
||||
"gui_settings_bridge_none_radio_option": "Nu folosiți poduri",
|
||||
"moat_captcha_label": "Rezolvă acest CAPTCHA pentru a cere o punte.",
|
||||
"moat_captcha_reload": "Reîncarcă",
|
||||
"gui_autoconnect_start": "Conectare la Tor",
|
||||
"gui_general_settings_window_title": "General",
|
||||
"gui_share_url_public_description": "<b>Oricine</b> are această adresă OnionShare poate <b>descărca</b> fișierele dvs. folosind <b>Tor Browser</b>: <img src='{}' />"
|
||||
}
|
||||
|
@ -147,7 +147,7 @@
|
||||
"gui_quit_warning_description": "Выйти и закрыть все вкладки, несмотря на то, что в некоторых из них раздаются файлы?",
|
||||
"gui_quit_warning_title": "Закрыть OnionShare?",
|
||||
"gui_close_tab_warning_cancel": "Отменить",
|
||||
"gui_close_tab_warning_close": "Закрыть",
|
||||
"gui_close_tab_warning_close": "Ок",
|
||||
"gui_close_tab_warning_website_description": "Закрыть вкладку, размещающую сайт?",
|
||||
"gui_close_tab_warning_receive_description": "Закрыть вкладку, на которой принимаются файлы?",
|
||||
"gui_close_tab_warning_share_description": "Закрыть вкладку, отправляющую файлы?",
|
||||
|
@ -1 +1,32 @@
|
||||
{}
|
||||
{
|
||||
"gui_settings_button_save": "සුරකින්න",
|
||||
"gui_settings_button_cancel": "අවලංගු",
|
||||
"gui_settings_button_help": "උපකාර",
|
||||
"gui_tor_connection_ask_quit": "ඉවත් වන්න",
|
||||
"gui_all_modes_history": "ඉතිහාසය",
|
||||
"gui_quit_warning_cancel": "අවලංගු",
|
||||
"moat_captcha_reload": "යලි පුරන්න",
|
||||
"gui_settings_theme_label": "තේමාව",
|
||||
"gui_remove": "ඉවත්",
|
||||
"gui_settings_bridge_custom_placeholder": "type address:port (one per line)",
|
||||
"mode_settings_receive_data_dir_browse_button": "පිරික්සන්න",
|
||||
"gui_settings_autoupdate_timestamp_never": "කිසිදා නැත",
|
||||
"gui_close_tab_warning_cancel": "අවලංගු",
|
||||
"gui_quit_warning_quit": "ඉවත් වන්න",
|
||||
"gui_settings_authenticate_password_option": "මුරපදය",
|
||||
"gui_add": "එකතු",
|
||||
"gui_hide": "සඟවන්න",
|
||||
"gui_settings_window_title": "සැකසුම්",
|
||||
"gui_general_settings_window_title": "ප්රධාන",
|
||||
"gui_settings_password_label": "මුරපදය",
|
||||
"gui_tor_connection_ask_open_settings": "ඔව්",
|
||||
"gui_settings_language_label": "භාෂාව",
|
||||
"gui_settings_theme_light": "දීප්ත",
|
||||
"gui_settings_theme_dark": "අඳුරු",
|
||||
"systray_menu_exit": "ඉවත් වන්න",
|
||||
"gui_tab_name_share": "බෙදාගන්න",
|
||||
"gui_tab_name_website": "වෙබ් අඩවිය",
|
||||
"gui_tab_name_chat": "කතාබහ",
|
||||
"moat_captcha_submit": "Submit",
|
||||
"gui_close_tab_warning_close": "හරි"
|
||||
}
|
||||
|
@ -142,7 +142,7 @@
|
||||
"gui_close_tab_warning_share_description": "Ste v procese odosielania súborov. Naozaj chcete zavrieť túto kartu?",
|
||||
"gui_close_tab_warning_receive_description": "Ste v procese prijímania súborov. Naozaj chcete zavrieť túto kartu?",
|
||||
"gui_close_tab_warning_website_description": "Aktívne hosťujete webovú lokalitu. Naozaj chcete zavrieť túto kartu?",
|
||||
"gui_close_tab_warning_close": "Zatvoriť",
|
||||
"gui_close_tab_warning_close": "OK",
|
||||
"gui_close_tab_warning_cancel": "Zrušiť",
|
||||
"gui_quit_warning_title": "Ste si istí?",
|
||||
"gui_quit_warning_description": "Zdieľanie je aktívne na niektorých kartách. Ak skončíte, všetky karty sa zavrú. Naozaj chcete skončiť?",
|
||||
@ -175,5 +175,28 @@
|
||||
"settings_error_socket_port": "Nedá sa pripojiť k ovládaču Tor na {}:{}.",
|
||||
"settings_error_automatic": "Nepodarilo sa pripojiť k ovládaču Tor. Je prehliadač Tor (dostupný na torproject.org) spustený na pozadí?",
|
||||
"settings_error_unknown": "Nemôžem sa pripojiť k ovládaču Tor, pretože vaše nastavenia nedávajú zmysel.",
|
||||
"gui_chat_url_description": "<b>Ktokoľvek</b> s touto adresou OnionShare sa môže <b>pripojiť k tejto miestnosti chatu</b> pomocou <b>Tor prehliadača</b>: <img src='{}' />"
|
||||
"gui_chat_url_description": "<b>Ktokoľvek</b> s touto adresou OnionShare sa môže <b>pripojiť k tejto miestnosti chatu</b> pomocou <b>Tor prehliadača</b>: <img src='{}' />",
|
||||
"gui_settings_theme_label": "Téma",
|
||||
"gui_settings_theme_auto": "Auto",
|
||||
"gui_settings_theme_light": "Světlo",
|
||||
"gui_please_wait_no_button": "Začína…",
|
||||
"gui_share_url_public_description": "<b>Ktokoľvek</b> s touto adresou OnionShare si môže <b>stiahnuť</b> vaše súbory pomocou <b>Tor Browser</b>: <img src='{}' />",
|
||||
"gui_website_url_public_description": "<b>Ktokoľvek</b> s touto adresou OnionShare môže <b>navštíviť</b> váš web pomocou <b>Tor Browser</b>: <img src='{}' />",
|
||||
"gui_settings_bridge_custom_placeholder": "napíšte adresu:port (jedna na riadok)",
|
||||
"moat_captcha_label": "Vyrieš CAPTCHA na vyžiadanie premostenia.",
|
||||
"moat_captcha_submit": "Odoslať",
|
||||
"gui_general_settings_window_title": "Obecné",
|
||||
"gui_status_indicator_chat_scheduled": "Naplánované…",
|
||||
"moat_captcha_placeholder": "Zadajte znaky z obrázka...",
|
||||
"moat_captcha_reload": "Znovu načítať",
|
||||
"gui_autoconnect_start": "Pripojiť k Tor",
|
||||
"moat_solution_empty_error": "Zadajte znaky z obrázka...",
|
||||
"gui_receive_url_public_description": "<b>Ktokoľvek</b> s touto adresou OnionShare môže <b>nahrať</b> súbory do vášho počítača pomocou <b>Tor Browser</b>: <img src='{}' />",
|
||||
"gui_chat_url_public_description": "<b>Ktokoľvek</b> s touto adresou OnionShare sa môže <b>pripojiť k tejto miestnosti chatu</b> pomocou <b>Tor prehliadača</b>: <img src='{}' />",
|
||||
"gui_reveal": "Odkryť",
|
||||
"gui_settings_theme_dark": "Tmavá",
|
||||
"gui_hide": "Skryť",
|
||||
"gui_settings_bridge_none_radio_option": "Nepoužívať Tor bridge",
|
||||
"gui_settings_bridge_moat_radio_option": "Vyžiadať premostenie od torproject.org",
|
||||
"gui_status_indicator_chat_working": "Začína…"
|
||||
}
|
||||
|
@ -5,7 +5,7 @@
|
||||
"closing_automatically": "Prenehal, ker se je prenos končal",
|
||||
"large_filesize": "Opozorilo: Pošiljanje prevelikih deležel lahko traja ure",
|
||||
"systray_menu_exit": "Izhod",
|
||||
"gui_drag_and_drop": "Povleci in spusti datoteke in mape\nza začetek skupne rabe",
|
||||
"gui_drag_and_drop": "Povleci in spusti datoteke in mape za začetek skupne rabe",
|
||||
"gui_add": "Dodaj",
|
||||
"gui_choose_items": "Izberi",
|
||||
"gui_share_start_server": "Začni deliti",
|
||||
@ -25,5 +25,38 @@
|
||||
"hours_first_letter": "h",
|
||||
"minutes_first_letter": "m",
|
||||
"seconds_first_letter": "s",
|
||||
"incorrect_password": "Napačno geslo"
|
||||
"incorrect_password": "Napačno geslo",
|
||||
"gui_settings_button_cancel": "Prekliči",
|
||||
"gui_settings_window_title": "Nastavitve",
|
||||
"gui_settings_authenticate_password_option": "Geslo",
|
||||
"gui_close_tab_warning_close": "V redu",
|
||||
"gui_tab_name_share": "Deli",
|
||||
"gui_settings_theme_auto": "Samodejno",
|
||||
"gui_file_selection_remove_all": "Odstrani vse",
|
||||
"gui_quit_warning_cancel": "Prekliči",
|
||||
"gui_hide": "Skrij",
|
||||
"gui_tab_name_chat": "Klepet",
|
||||
"gui_settings_theme_light": "Svetla",
|
||||
"gui_settings_button_save": "Shrani",
|
||||
"gui_settings_theme_dark": "Temna",
|
||||
"gui_main_page_share_button": "Začnite deliti",
|
||||
"gui_general_settings_window_title": "Splošno",
|
||||
"gui_settings_password_label": "Geslo",
|
||||
"gui_settings_theme_label": "Tema",
|
||||
"gui_status_indicator_share_working": "Začetek …",
|
||||
"moat_captcha_submit": "Vloži",
|
||||
"gui_please_wait_no_button": "Začetek …",
|
||||
"gui_new_tab": "Nov Zavihek",
|
||||
"gui_tab_name_website": "Spletišče",
|
||||
"gui_remove": "Odstrani",
|
||||
"gui_settings_language_label": "Jezik",
|
||||
"gui_all_modes_history": "Zgodovina",
|
||||
"gui_all_modes_clear_history": "Počisti vse",
|
||||
"gui_close_tab_warning_cancel": "Prekliči",
|
||||
"mode_settings_receive_data_dir_browse_button": "Brskanje",
|
||||
"gui_settings_bridge_custom_placeholder": "type address:port (one per line)",
|
||||
"moat_captcha_reload": "Ponovno naloži",
|
||||
"gui_status_indicator_share_started": "Deljenje",
|
||||
"gui_status_indicator_receive_working": "Začetek …",
|
||||
"gui_status_indicator_chat_working": "Začetek …"
|
||||
}
|
||||
|
@ -228,7 +228,7 @@
|
||||
"systray_share_started_title": "imeanza kusambazwa",
|
||||
"systray_share_started_message": "anza kutuma mafaili kwa mtu",
|
||||
"systray_receive_started_message": "mtu anatuma faili kwako",
|
||||
"gui_all_modes_transfer_started": "imeanza {]",
|
||||
"gui_all_modes_transfer_started": "imeanza {}",
|
||||
"gui_all_modes_progress_complete": "%p%, {0:s:} ilipita.",
|
||||
"gui_all_modes_progress_starting": "{0:s}, %p% (inahesabu)",
|
||||
"gui_all_modes_progress_eta": "{0:s}, ETA: {1:s}, %p%",
|
||||
|
@ -203,7 +203,7 @@
|
||||
"gui_close_tab_warning_share_description": "Të mbyllet skeda që po dërgon kartela?",
|
||||
"gui_close_tab_warning_receive_description": "Të mbyllet skeda që po merr kartela?",
|
||||
"gui_close_tab_warning_website_description": "Të mbyllet skeda që po strehon një sajt?",
|
||||
"gui_close_tab_warning_close": "Mbylle",
|
||||
"gui_close_tab_warning_close": "Ok",
|
||||
"gui_close_tab_warning_cancel": "Anuloje",
|
||||
"gui_quit_warning_title": "Të dilet nga OnionShare?",
|
||||
"gui_quit_warning_description": "Të dilet dhe të mbyllen krejt skedat, edhe pse në disa prej tyre po kryhet ende ndarje me të tjerë?",
|
||||
@ -253,5 +253,6 @@
|
||||
"moat_solution_empty_error": "Jepni shenjat prej figure",
|
||||
"mode_tor_not_connected_label": "OnionShare s’është i lidhur me rrjetin Tor",
|
||||
"waitress_web_server_error": "Pati një problem me nisjen e shërbyesit",
|
||||
"gui_close_tab_warning_chat_description": "Të mbyllet skeda që strehon një shërbyes fjalosjeje?"
|
||||
"gui_close_tab_warning_chat_description": "Të mbyllet skeda që strehon një shërbyes fjalosjeje?",
|
||||
"gui_chat_mode_explainer": "Mënyra fjalosje ju lejon të bisedoni në mënyrë ndërvepruese me të tjerë, në Shfletuesin Tor.<br><br><b>Historiku i fjalosjes nuk depozitohet në OnionShare. Historiku i fjalosjes do të zhduket, kur të mbyllni Shfletuesin Tor.</b>"
|
||||
}
|
||||
|
@ -152,7 +152,7 @@
|
||||
"mode_settings_advanced_toggle_hide": "Sakrij napredne postavke",
|
||||
"mode_settings_advanced_toggle_show": "Prikaži napredne postavke",
|
||||
"gui_quit_warning_title": "Da li ste sigurni?",
|
||||
"gui_close_tab_warning_close": "Zatvori",
|
||||
"gui_close_tab_warning_close": "U redu",
|
||||
"gui_close_tab_warning_title": "Da li ste sigurni?",
|
||||
"gui_tab_name_chat": "Ćaskanje",
|
||||
"gui_tab_name_website": "Veb sajt",
|
||||
@ -185,7 +185,7 @@
|
||||
"gui_settings_controller_extras_label": "Tor Podešenja",
|
||||
"gui_settings_bridge_use_checkbox": "Koristite most",
|
||||
"gui_settings_bridge_radio_builtin": "Odaberite most",
|
||||
"gui_settings_bridge_none_radio_option": "Ne koristi most",
|
||||
"gui_settings_bridge_none_radio_option": "Ne koristi mostove",
|
||||
"gui_settings_bridge_moat_radio_option": "Zatražite most od torproject.org",
|
||||
"gui_settings_bridge_moat_button": "Zatražite novi most",
|
||||
"gui_settings_bridge_custom_radio_option": "Obezbedite most za koji ste saznali iz pouzdanog izvora",
|
||||
@ -215,5 +215,11 @@
|
||||
"history_receive_read_message_button": "Pročitaj poruku",
|
||||
"moat_captcha_error": "Rješenje nije ispravno. Molimo pokušajte ponovo.",
|
||||
"moat_solution_empty_error": "Morate uneti znakove sa slike",
|
||||
"mode_tor_not_connected_label": "OnionShare nije povezan na Tor mrežu"
|
||||
"mode_tor_not_connected_label": "OnionShare nije povezan na Tor mrežu",
|
||||
"gui_settings_theme_dark": "Tamna",
|
||||
"gui_status_indicator_chat_working": "Pokretanje …",
|
||||
"gui_status_indicator_chat_scheduled": "Planirano…",
|
||||
"gui_settings_theme_label": "Tema",
|
||||
"gui_settings_theme_light": "Svetla",
|
||||
"gui_general_settings_window_title": "Generalno"
|
||||
}
|
||||
|
@ -146,7 +146,7 @@
|
||||
"gui_quit_warning_description": "Vill du vsluta och stänga alla flikar, även om delning är aktiv i några av dem?",
|
||||
"gui_quit_warning_title": "Avsluta OnionShare?",
|
||||
"gui_close_tab_warning_cancel": "Avbryt",
|
||||
"gui_close_tab_warning_close": "Stäng",
|
||||
"gui_close_tab_warning_close": "Ok",
|
||||
"gui_close_tab_warning_website_description": "Vill du stänga fliken som är värd för en webbplats?",
|
||||
"gui_close_tab_warning_receive_description": "Vill du stänga fliken som tar emot filer?",
|
||||
"gui_close_tab_warning_share_description": "Vill du stänga fliken som skickar filer?",
|
||||
|
@ -224,7 +224,7 @@
|
||||
"moat_captcha_error": "Ufumbuzi usio sahihi. tafadhali jaribu tena.",
|
||||
"moat_solution_empty_error": "Weka alama kutoka kwenye picha",
|
||||
"mode_tor_not_connected_label": "OnionShare imunganishwa na mtandao wa Tor",
|
||||
"gui_close_tab_warning_close": "Funga",
|
||||
"gui_close_tab_warning_close": "Sawa",
|
||||
"gui_tab_name_website": "Tovuti",
|
||||
"error_port_not_available": "Sakiti za OnionShare hazipatikani",
|
||||
"history_receive_read_message_button": "Soma Ujumbe",
|
||||
|
@ -1 +1,49 @@
|
||||
{}
|
||||
{
|
||||
"gui_tor_connection_ask_quit": "வெளியேறு",
|
||||
"gui_file_selection_remove_all": "அனைத்தையும் அகற்று",
|
||||
"gui_choose_items": "தேர்வு",
|
||||
"gui_canceled": "ரத்துசெய்யப்பட்டது",
|
||||
"gui_settings_button_save": "சேமி",
|
||||
"gui_settings_button_cancel": "நிராகரி",
|
||||
"gui_settings_button_help": "உதவி",
|
||||
"gui_all_modes_clear_history": "அனைத்தையும் தீர்த்துவை",
|
||||
"gui_tab_name_share": "பகிர்",
|
||||
"gui_tab_name_receive": "பெறு",
|
||||
"gui_tab_name_chat": "Chat",
|
||||
"gui_close_tab_warning_cancel": "நிராகரி",
|
||||
"moat_captcha_placeholder": "படத்திலிருக்கும் எழுத்துகளை உள்ளிடுங்கள்",
|
||||
"moat_solution_empty_error": "படத்திலிருக்கும் எழுத்துகளை உள்ளிடுங்கள்",
|
||||
"gui_status_indicator_receive_working": "தொடங்குகிறது…",
|
||||
"gui_status_indicator_chat_working": "தொடங்குகிறது…",
|
||||
"gui_close_tab_warning_close": "சரி",
|
||||
"gui_settings_authenticate_password_option": "கடவுச்சொல்",
|
||||
"gui_settings_password_label": "கடவுச்சொல்",
|
||||
"gui_hide": "மறை",
|
||||
"gui_quit_warning_cancel": "நிராகரி",
|
||||
"gui_tab_name_website": "இணையதளம்",
|
||||
"gui_settings_autoupdate_timestamp_never": "ஒருபோதும் இல்லை",
|
||||
"gui_settings_theme_dark": "கருமை",
|
||||
"gui_new_tab": "புதிய பக்கம்",
|
||||
"gui_settings_theme_light": "வெளிச்சம்",
|
||||
"gui_settings_bridge_moat_radio_option": "torproject.org இலிருந்து bridge கோருங்கள்",
|
||||
"gui_settings_bridge_custom_placeholder": "முகவரி:முனை தட்டச்சிடுங்கள் (ஒரு வரிசைக்கு ஒன்று)",
|
||||
"mode_settings_receive_data_dir_browse_button": "உலாவு",
|
||||
"moat_captcha_reload": "மீளேற்று",
|
||||
"moat_captcha_submit": "சமர்ப்பிக்கவும்",
|
||||
"gui_please_wait_no_button": "தொடங்குகிறது…",
|
||||
"gui_add": "சேர்க்க",
|
||||
"gui_remove": "நீக்கு",
|
||||
"gui_autoconnect_start": "Tor உடன் இணை",
|
||||
"gui_settings_window_title": "அமைப்புகள்",
|
||||
"gui_general_settings_window_title": "பொது",
|
||||
"gui_settings_autoupdate_label": "புதிய Versionக்கு Check செய்யவும்",
|
||||
"gui_tor_connection_ask_open_settings": "ஆம்",
|
||||
"gui_settings_language_label": "மொழி",
|
||||
"gui_settings_theme_label": "கருப்பொருள்",
|
||||
"gui_status_indicator_receive_started": "பெறுகிறது",
|
||||
"gui_settings_theme_auto": "தானியங்கி",
|
||||
"systray_menu_exit": "வெளியேறு",
|
||||
"gui_all_modes_history": "வரலாறு",
|
||||
"gui_quit_warning_quit": "வெளியேறு",
|
||||
"gui_status_indicator_share_working": "தொடங்குகிறது…"
|
||||
}
|
||||
|
@ -4,7 +4,7 @@
|
||||
"close_on_autostop_timer": "స్వయంచాలితంగా ఆగు సమయ సూచీ సమయాతీతమయిపోయినది కనుక ఆపివేయబడినది",
|
||||
"closing_automatically": "బదిలీ పూర్తి అయినందున ఆపబడినది",
|
||||
"large_filesize": "హెచ్చరిక: ఒక పెద్ద అంశాన్ని పంపించడానికి కొన్ని గంటలు పట్టవచ్చు",
|
||||
"gui_drag_and_drop": "దస్త్రాలను, సంచయాలను లాగి వదలండి\nవాటిని పంచుకోవడం మొదలుపెట్టుటకు",
|
||||
"gui_drag_and_drop": "దస్త్రాలను, సంచయాలను లాగి వదలండి వాటిని పంచుకోవడం మొదలుపెట్టుటకు",
|
||||
"gui_add": "చేర్చు",
|
||||
"gui_add_files": "దస్త్రాలను చేర్చు",
|
||||
"gui_add_folder": "సంచయాన్ని చేర్చు",
|
||||
@ -12,8 +12,6 @@
|
||||
"gui_share_start_server": "పంచుకోవడం మొదలుపెట్టు",
|
||||
"gui_share_stop_server": "పంచుకోవడం ఆపివేయి",
|
||||
"gui_share_stop_server_autostop_timer": "పంచుకోవడం ఆపివేయి ({})",
|
||||
"gui_stop_server_autostop_timer_tooltip": "స్వీయ నియంత్రణ సమయం అయిపోయినది",
|
||||
"gui_start_server_autostart_timer_tooltip": "స్వీయ నియంత్రణ సమయం అయిపోయినది",
|
||||
"gui_receive_start_server": "స్వీకరించు రీతిని మొదలుపెట్టు",
|
||||
"gui_receive_stop_server": "స్వీకరించు రీతిని ఆపివేయి",
|
||||
"gui_receive_stop_server_autostop_timer": "స్వీకరించు రీతిని ఆపివేయి ({} మిగిలినది)",
|
||||
@ -63,8 +61,7 @@
|
||||
"error_tor_protocol_error": "Torతో పనిచేయుటలో ఒక దోషం కనబడింది: {}",
|
||||
"connecting_to_tor": "Tor జాలాకార వ్యవస్థకు అనుసంధానించబడుతుంది",
|
||||
"update_available": "సరికొత్త OnionShare వచ్చింది. తెచ్చుకోవడానికి <a href='{}'>ఇక్కడ నొక్కండి</a>.<br><br>మీరు వాడుతున్నది {}, సరికొత్తది {}.",
|
||||
"update_error_check_error": "కొత్త రూపాంతరాల కోసం సరిచూడలేకపోతుంది: OnionShare జాలగూడు ఇలా చెప్తుంది - సరికొత్త రూపాంతరం ఆనవాలు పట్టబడనిది '{}'…",
|
||||
"update_error_invalid_latest_version": "కొత్త రూపాంతరం కోసం సరిచూడలేకపోతుంది: బహుశా మీరు Torకు అనుసంధానమై లేరా, లేదా OnionShare జాలగూడు పనిచేయట్లేదా?",
|
||||
"update_error_check_error": "కొత్త రూపాంతరం కోసం సరిచూడలేకపోతుంది: బహుశా మీరు Torకు అనుసంధానమై లేరా, లేదా OnionShare జాలగూడు పనిచేయట్లేదా?",
|
||||
"update_not_available": "మీరు అతినూతన OnionShareని వాడుతున్నారు.",
|
||||
"gui_tor_connection_ask": "Tor అనుసంధానత సమస్యను పరిష్కరించడానికి అమరికలను తెరవనా?",
|
||||
"gui_tor_connection_ask_open_settings": "అవును",
|
||||
@ -127,5 +124,36 @@
|
||||
"hours_first_letter": "h",
|
||||
"minutes_first_letter": "m",
|
||||
"seconds_first_letter": "s",
|
||||
"incorrect_password": "తప్పు పాస్వర్డ్"
|
||||
"incorrect_password": "తప్పు పాస్వర్డ్",
|
||||
"gui_settings_theme_dark": "దట్టము",
|
||||
"gui_please_wait_no_button": "మొదలుపెడుతుంది…",
|
||||
"mode_settings_receive_data_dir_label": "దస్త్రాలను ఇక్కడ భద్రపరచు",
|
||||
"gui_tab_name_share": "షేర్",
|
||||
"gui_tab_name_receive": "పొందు",
|
||||
"moat_captcha_submit": "Submit",
|
||||
"gui_general_settings_window_title": "సాధారణం",
|
||||
"gui_tab_name_chat": "చాట్",
|
||||
"gui_hide": "దాచు",
|
||||
"gui_status_indicator_chat_working": "మొదలుపెడుతుంది…",
|
||||
"gui_status_indicator_chat_scheduled": "షెడ్యూల్…",
|
||||
"gui_share_url_public_description": "ఈOnionShare చిరునామా గల <b>ఎవరైనా</b> మీ దస్త్రాలను <b>Tor విహారిణి</b>తో <b>దింపుకోవచ్చు</b>: <img src='{}' />",
|
||||
"gui_receive_url_public_description": "ఈOnionShare చిరునామా గల <b>ఎవరైనా</b> మీ దస్త్రాలను <b>Tor విహారిణి</b>తో <b>ఎక్కించుకోవచ్చు</b>:<img src='{}' />",
|
||||
"gui_tab_name_website": "వెబ్సైట్",
|
||||
"gui_remove": "తొలగించు",
|
||||
"gui_file_selection_remove_all": "అన్నిటినీ తొలగించండి",
|
||||
"gui_new_tab_share_button": "దస్త్రాలను పంచుకో",
|
||||
"gui_new_tab_receive_button": "దస్త్రాలను స్వీకరించు",
|
||||
"gui_close_tab_warning_cancel": "రద్దు",
|
||||
"gui_quit_warning_cancel": "రద్దు",
|
||||
"mode_settings_receive_data_dir_browse_button": "విహరించండి",
|
||||
"gui_settings_theme_label": "అలంకారం",
|
||||
"gui_settings_theme_auto": "స్వయం",
|
||||
"gui_settings_bridge_none_radio_option": "బ్రిడ్జిలు వాడవద్దు",
|
||||
"gui_settings_bridge_custom_placeholder": "type address:port (one per line)",
|
||||
"mode_settings_title_label": "శీర్షికను అనుకూలపరుచు",
|
||||
"gui_main_page_share_button": "పంచుకోవడం మొదలుపెట్టు",
|
||||
"moat_captcha_reload": "Reload",
|
||||
"gui_settings_theme_light": "Light",
|
||||
"gui_stop_server_autostop_timer_tooltip": "స్వీయ నియంత్రణ సమయం అయిపోయినది",
|
||||
"gui_start_server_autostart_timer_tooltip": "స్వీయ నియంత్రణ సమయం అయిపోయినది"
|
||||
}
|
||||
|
@ -1 +1,27 @@
|
||||
{}
|
||||
{
|
||||
"gui_all_modes_history": "Kasaysayan",
|
||||
"gui_tab_name_share": "I-share",
|
||||
"gui_add": "Magdagdag",
|
||||
"gui_remove": "Tanggalin",
|
||||
"gui_choose_items": "Pumili",
|
||||
"gui_hide": "Itago",
|
||||
"gui_close_tab_warning_cancel": "Kanselahin",
|
||||
"gui_quit_warning_cancel": "Kanselahin",
|
||||
"mode_settings_receive_data_dir_browse_button": "Mag-browse",
|
||||
"moat_captcha_submit": "I-sumite",
|
||||
"gui_settings_theme_auto": "Awtomatik",
|
||||
"gui_settings_window_title": "Mga Setting",
|
||||
"gui_settings_button_help": "Tulong",
|
||||
"gui_settings_autoupdate_timestamp_never": "Di kailanman",
|
||||
"gui_settings_language_label": "Wika",
|
||||
"gui_settings_button_save": "I-save",
|
||||
"gui_settings_button_cancel": "Kanselahin",
|
||||
"gui_settings_theme_dark": "Madilim",
|
||||
"gui_general_settings_window_title": "Pangkalahatan",
|
||||
"gui_settings_authenticate_password_option": "Password",
|
||||
"gui_settings_password_label": "Password",
|
||||
"gui_settings_theme_light": "Maliwanag na tema",
|
||||
"gui_tab_name_website": "Pook-sapot",
|
||||
"gui_tor_connection_ask_open_settings": "Oo",
|
||||
"moat_captcha_reload": "Reload"
|
||||
}
|
||||
|
@ -1 +1,23 @@
|
||||
{}
|
||||
{
|
||||
"gui_settings_button_cancel": "ۋاز كەچ",
|
||||
"gui_settings_button_save": "ساقلاش",
|
||||
"gui_hide": "يوشۇرۇن",
|
||||
"gui_add": "قوش",
|
||||
"gui_remove": "ئۆچۈر",
|
||||
"gui_settings_window_title": "تەڭشەك",
|
||||
"gui_general_settings_window_title": "ئادەتتىكى",
|
||||
"gui_settings_theme_light": "ئاق",
|
||||
"gui_settings_theme_label": "ئۇسلۇب",
|
||||
"gui_settings_autoupdate_timestamp_never": "ھەرگىز",
|
||||
"gui_settings_authenticate_password_option": "پارول",
|
||||
"gui_settings_password_label": "پارول",
|
||||
"gui_tor_connection_ask_open_settings": "ھەئە",
|
||||
"gui_settings_language_label": "تىل",
|
||||
"gui_all_modes_history": "نەشىر تارىخى",
|
||||
"gui_tab_name_share": "ھەمبەھىر",
|
||||
"gui_tab_name_website": "تورتۇرا",
|
||||
"gui_close_tab_warning_cancel": "ۋاز كەچ",
|
||||
"gui_quit_warning_cancel": "ۋاز كەچ",
|
||||
"mode_settings_receive_data_dir_browse_button": "كۆرۈش",
|
||||
"gui_status_indicator_share_started": "ئورتاقلىشىش"
|
||||
}
|
||||
|
@ -203,7 +203,7 @@
|
||||
"gui_close_tab_warning_share_description": "Đóng tab đang gửi tập tin chứ?",
|
||||
"gui_close_tab_warning_receive_description": "Đóng tab đang nhận tập tin?",
|
||||
"gui_close_tab_warning_website_description": "Đóng tab đang lưu trữ host một trang web chứ?",
|
||||
"gui_close_tab_warning_close": "Đóng",
|
||||
"gui_close_tab_warning_close": "Đồng ý",
|
||||
"gui_close_tab_warning_cancel": "Huỷ bỏ",
|
||||
"gui_quit_warning_title": "Thoát OnionShare chứ?",
|
||||
"gui_quit_warning_description": "Thoát và đóng tất cả các tab, mặc dù tính năng chia sẻ vẫn đang hoạt động ở một số tab chứ?",
|
||||
|
@ -20,5 +20,15 @@
|
||||
"gui_remove": "Yokuro",
|
||||
"gui_add_folder": "S'afikun folda",
|
||||
"gui_add_files": "S'afikun faili",
|
||||
"incorrect_password": "Ashiko oro igbaniwole"
|
||||
"incorrect_password": "Ashiko oro igbaniwole",
|
||||
"gui_settings_language_label": "Èdè",
|
||||
"gui_tab_name_chat": "Chat",
|
||||
"gui_all_modes_history": "Ìtàn",
|
||||
"gui_settings_password_label": "Password",
|
||||
"gui_quit_warning_cancel": "Cancel",
|
||||
"gui_tor_connection_ask_open_settings": "Yes",
|
||||
"moat_captcha_submit": "Submit",
|
||||
"gui_close_tab_warning_cancel": "Cancel",
|
||||
"gui_settings_authenticate_password_option": "Password",
|
||||
"gui_settings_button_cancel": "Cancel"
|
||||
}
|
||||
|
@ -145,7 +145,7 @@
|
||||
"gui_quit_warning_description": "一些标签页还在共享,是否退出并关闭所有标签页?",
|
||||
"gui_quit_warning_title": "退出 OnionShare?",
|
||||
"gui_close_tab_warning_cancel": "取消",
|
||||
"gui_close_tab_warning_close": "关闭",
|
||||
"gui_close_tab_warning_close": "确定",
|
||||
"gui_close_tab_warning_website_description": "关闭正托管网站的标签页?",
|
||||
"gui_close_tab_warning_receive_description": "关闭正在接收文件的标签页?",
|
||||
"gui_close_tab_warning_share_description": "关闭正在发送文件的标签页?",
|
||||
|
@ -139,7 +139,7 @@
|
||||
"gui_quit_warning_cancel": "取消",
|
||||
"gui_quit_warning_title": "停止 OnionShare ?",
|
||||
"gui_close_tab_warning_cancel": "取消",
|
||||
"gui_close_tab_warning_close": "關閉",
|
||||
"gui_close_tab_warning_close": "好的",
|
||||
"gui_new_tab_receive_button": "接收檔案",
|
||||
"gui_new_tab": "新分頁",
|
||||
"gui_new_tab_tooltip": "開啟新分頁",
|
||||
@ -253,5 +253,6 @@
|
||||
"moat_captcha_error": "答案錯誤,請再試一次。",
|
||||
"moat_captcha_label": "回答機器人辨識碼以請求橋接器。",
|
||||
"waitress_web_server_error": "啟動網頁伺候器時出現問題",
|
||||
"gui_close_tab_warning_chat_description": "關閉使用聊天伺候器的分頁?"
|
||||
"gui_close_tab_warning_chat_description": "關閉使用聊天伺候器的分頁?",
|
||||
"gui_chat_mode_explainer": "聊天模式可以在 Tor 瀏覽器中與他人互動<br><br><b>OnionShare 不會儲存對話記錄,一旦關閉 Tor 瀏覽器它就會消失。</b>"
|
||||
}
|
||||
|
@ -22,7 +22,10 @@ import time
|
||||
import subprocess
|
||||
import os
|
||||
from datetime import datetime
|
||||
|
||||
from qtpy import QtCore, QtWidgets, QtGui
|
||||
from urllib.parse import unquote
|
||||
|
||||
|
||||
from ... import strings
|
||||
from ...widgets import Alert
|
||||
@ -464,7 +467,9 @@ class IndividualFileHistoryItem(HistoryItem):
|
||||
self.common = common
|
||||
|
||||
self.id = id
|
||||
self.path = path
|
||||
# Decode and sanitize the path to remove newlines
|
||||
decoded_path = unquote(path)
|
||||
self.path = decoded_path.replace("\r", "").replace("\n", "")
|
||||
self.total_bytes = 0
|
||||
self.downloaded_bytes = 0
|
||||
self.started = time.time()
|
||||
|
@ -24,6 +24,6 @@
|
||||
<update_contact>micah@micahflee.com</update_contact>
|
||||
<content_rating type="oars-1.1" />
|
||||
<releases>
|
||||
<release type="development" date="2024-02-20" version="2.6.1" />
|
||||
<release type="development" date="2024-03-18" version="2.6.2" />
|
||||
</releases>
|
||||
</component>
|
||||
|
2
desktop/poetry.lock
generated
2
desktop/poetry.lock
generated
@ -1018,7 +1018,7 @@ files = [
|
||||
|
||||
[[package]]
|
||||
name = "onionshare-cli"
|
||||
version = "2.6.1"
|
||||
version = "2.6.2"
|
||||
description = "OnionShare lets you securely and anonymously send and receive files. It works by starting a web server, making it accessible as a Tor onion service, and generating an unguessable web address so others can download files from you, or upload files to you. It does _not_ require setting up a separate server or using a third party file-sharing service."
|
||||
optional = false
|
||||
python-versions = ">=3.8,<3.12"
|
||||
|
@ -1,6 +1,6 @@
|
||||
[tool.poetry]
|
||||
name = "onionshare"
|
||||
version = "2.6.1"
|
||||
version = "2.6.2"
|
||||
description = "OnionShare lets you securely and anonymously send and receive files. It works by starting a web server, making it accessible as a Tor onion service, and generating an unguessable web address so others can download files from you, or upload files to you. It does _not_ require setting up a separate server or using a third party file-sharing service."
|
||||
authors = ["Micah Lee <micah@micahflee.com>"]
|
||||
license = "GPLv3+"
|
||||
|
@ -167,12 +167,15 @@ def cleanup_build():
|
||||
"QtWebEngineQuick",
|
||||
"QtWebEngineQuickDelegatesQml",
|
||||
]:
|
||||
shutil.rmtree(
|
||||
f"{app_path}/Contents/MacOS/lib/PySide6/Qt/lib/{framework}.framework"
|
||||
)
|
||||
print(
|
||||
f"Deleted: {app_path}/Contents/MacOS/lib/PySide6/Qt/lib/{framework}.framework"
|
||||
)
|
||||
try:
|
||||
shutil.rmtree(
|
||||
f"{app_path}/Contents/MacOS/lib/PySide6/Qt/lib/{framework}.framework"
|
||||
)
|
||||
print(
|
||||
f"Deleted: {app_path}/Contents/MacOS/lib/PySide6/Qt/lib/{framework}.framework"
|
||||
)
|
||||
except FileNotFoundError:
|
||||
pass
|
||||
try:
|
||||
os.remove(f"{app_path}/Contents/MacOS/lib/PySide6/{framework}.abi3.so")
|
||||
print(f"Deleted: {app_path}/Contents/MacOS/lib/PySide6/{framework}.abi3.so")
|
||||
|
@ -57,6 +57,86 @@ elif platform.system() == "Linux":
|
||||
print("Install the patchelf package")
|
||||
sys.exit()
|
||||
|
||||
|
||||
build_exe_options = {
|
||||
"packages": [
|
||||
"cffi",
|
||||
"engineio",
|
||||
"engineio.async_drivers.gevent",
|
||||
"engineio.async_drivers.gevent_uwsgi",
|
||||
"gevent",
|
||||
"jinja2.ext",
|
||||
"onionshare",
|
||||
"onionshare_cli",
|
||||
"PySide6",
|
||||
"shiboken6",
|
||||
"PySide6.QtCore",
|
||||
"PySide6.QtGui",
|
||||
"PySide6.QtWidgets",
|
||||
],
|
||||
"excludes": [
|
||||
"test",
|
||||
"tkinter",
|
||||
"PySide6.Qt3DAnimation",
|
||||
"PySide6.Qt3DCore",
|
||||
"PySide6.Qt3DExtras",
|
||||
"PySide6.Qt3DInput",
|
||||
"PySide6.Qt3DLogic",
|
||||
"PySide6.Qt3DRender",
|
||||
"PySide6.QtCharts",
|
||||
"PySide6.QtConcurrent",
|
||||
"PySide6.QtDataVisualization",
|
||||
"PySide6.QtHelp",
|
||||
"PySide6.QtLocation",
|
||||
"PySide6.QtMultimedia",
|
||||
"PySide6.QtMultimediaWidgets",
|
||||
"PySide6.QtNetwork",
|
||||
"PySide6.QtOpenGL",
|
||||
"PySide6.QtOpenGLFunctions",
|
||||
"PySide6.QtPositioning",
|
||||
"PySide6.QtPrintSupport",
|
||||
"PySide6.QtQml",
|
||||
"PySide6.QtQuick",
|
||||
"PySide6.QtQuickControls2",
|
||||
"PySide6.QtQuickWidgets",
|
||||
"PySide6.QtRemoteObjects",
|
||||
"PySide6.QtScript",
|
||||
"PySide6.QtScriptTools",
|
||||
"PySide6.QtScxml",
|
||||
"PySide6.QtSensors",
|
||||
"PySide6.QtSerialPort",
|
||||
"PySide6.QtSql",
|
||||
"PySide6.QtTest",
|
||||
"PySide6.QtTextToSpeech",
|
||||
"PySide6.QtUiTools",
|
||||
"PySide6.QtWebChannel",
|
||||
"PySide6.QtWebEngine",
|
||||
"PySide6.QtWebEngineCore",
|
||||
"PySide6.QtWebEngineWidgets",
|
||||
"PySide6.QtWebSockets",
|
||||
"PySide6.QtXml",
|
||||
"PySide6.QtXmlPatterns",
|
||||
],
|
||||
"include_files": include_files,
|
||||
"include_msvcr": include_msvcr,
|
||||
}
|
||||
|
||||
# If Mac Silicon, the dependencies need to be in zip_include_packages
|
||||
if platform.system() == "Darwin" and platform.processor() == "arm":
|
||||
build_exe_options["zip_include_packages"] = [
|
||||
"cffi",
|
||||
"engineio",
|
||||
"engineio.async_drivers.gevent",
|
||||
"engineio.async_drivers.gevent_uwsgi",
|
||||
"gevent",
|
||||
"jinja2.ext",
|
||||
"PySide6",
|
||||
"shiboken6",
|
||||
"PySide6.QtCore",
|
||||
"PySide6.QtGui",
|
||||
"PySide6.QtWidgets",
|
||||
]
|
||||
|
||||
setup(
|
||||
name="onionshare",
|
||||
version=version,
|
||||
@ -68,67 +148,7 @@ setup(
|
||||
),
|
||||
options={
|
||||
# build_exe, for Windows and macOS
|
||||
"build_exe": {
|
||||
"packages": [
|
||||
"cffi",
|
||||
"engineio",
|
||||
"engineio.async_drivers.gevent",
|
||||
"engineio.async_drivers.gevent_uwsgi",
|
||||
"gevent",
|
||||
"jinja2.ext",
|
||||
"onionshare",
|
||||
"onionshare_cli",
|
||||
"PySide6",
|
||||
"PySide6.QtCore",
|
||||
"PySide6.QtGui",
|
||||
"PySide6.QtWidgets",
|
||||
],
|
||||
"excludes": [
|
||||
"test",
|
||||
"tkinter",
|
||||
"PySide6.Qt3DAnimation",
|
||||
"PySide6.Qt3DCore",
|
||||
"PySide6.Qt3DExtras",
|
||||
"PySide6.Qt3DInput",
|
||||
"PySide6.Qt3DLogic",
|
||||
"PySide6.Qt3DRender",
|
||||
"PySide6.QtCharts",
|
||||
"PySide6.QtConcurrent",
|
||||
"PySide6.QtDataVisualization",
|
||||
"PySide6.QtHelp",
|
||||
"PySide6.QtLocation",
|
||||
"PySide6.QtMultimedia",
|
||||
"PySide6.QtMultimediaWidgets",
|
||||
"PySide6.QtNetwork",
|
||||
"PySide6.QtOpenGL",
|
||||
"PySide6.QtOpenGLFunctions",
|
||||
"PySide6.QtPositioning",
|
||||
"PySide6.QtPrintSupport",
|
||||
"PySide6.QtQml",
|
||||
"PySide6.QtQuick",
|
||||
"PySide6.QtQuickControls2",
|
||||
"PySide6.QtQuickWidgets",
|
||||
"PySide6.QtRemoteObjects",
|
||||
"PySide6.QtScript",
|
||||
"PySide6.QtScriptTools",
|
||||
"PySide6.QtScxml",
|
||||
"PySide6.QtSensors",
|
||||
"PySide6.QtSerialPort",
|
||||
"PySide6.QtSql",
|
||||
"PySide6.QtTest",
|
||||
"PySide6.QtTextToSpeech",
|
||||
"PySide6.QtUiTools",
|
||||
"PySide6.QtWebChannel",
|
||||
"PySide6.QtWebEngine",
|
||||
"PySide6.QtWebEngineCore",
|
||||
"PySide6.QtWebEngineWidgets",
|
||||
"PySide6.QtWebSockets",
|
||||
"PySide6.QtXml",
|
||||
"PySide6.QtXmlPatterns",
|
||||
],
|
||||
"include_files": include_files,
|
||||
"include_msvcr": include_msvcr,
|
||||
},
|
||||
"build_exe": build_exe_options,
|
||||
# bdist_mac, making the macOS app bundle
|
||||
"bdist_mac": {
|
||||
"iconfile": os.path.join("onionshare", "resources", "onionshare.icns"),
|
||||
|
@ -3,7 +3,7 @@
|
||||
import setuptools
|
||||
|
||||
# The version must be hard-coded because Snapcraft won't have access to ../cli
|
||||
version = "2.6.1"
|
||||
version = "2.6.2"
|
||||
|
||||
setuptools.setup(
|
||||
name="onionshare",
|
||||
|
@ -3,7 +3,7 @@
|
||||
VERSION=$(cat ../cli/onionshare_cli/resources/version.txt)
|
||||
|
||||
# Supported locales
|
||||
LOCALES="en fr de el pl ru es tr uk vi"
|
||||
LOCALES="en fr de el ja pl ru es tr uk vi"
|
||||
|
||||
# Generate English .po files
|
||||
make gettext
|
||||
|
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
@ -6,9 +6,9 @@
|
||||
#, fuzzy
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: OnionShare 2.6.1\n"
|
||||
"Project-Id-Version: OnionShare 2.6.2\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2023-09-05 11:30-0700\n"
|
||||
"POT-Creation-Date: 2024-03-15 13:52+0530\n"
|
||||
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
|
||||
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
|
||||
"Language-Team: LANGUAGE <LL@li.org>\n"
|
||||
|
@ -6,9 +6,9 @@
|
||||
#, fuzzy
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: OnionShare 2.6.1\n"
|
||||
"Project-Id-Version: OnionShare 2.6.2\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2023-09-05 11:30-0700\n"
|
||||
"POT-Creation-Date: 2024-03-15 13:52+0530\n"
|
||||
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
|
||||
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
|
||||
"Language-Team: LANGUAGE <LL@li.org>\n"
|
||||
|
@ -6,9 +6,9 @@
|
||||
#, fuzzy
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: OnionShare 2.6.1\n"
|
||||
"Project-Id-Version: OnionShare 2.6.2\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2023-09-05 11:30-0700\n"
|
||||
"POT-Creation-Date: 2024-03-15 13:52+0530\n"
|
||||
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
|
||||
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
|
||||
"Language-Team: LANGUAGE <LL@li.org>\n"
|
||||
|
@ -6,9 +6,9 @@
|
||||
#, fuzzy
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: OnionShare 2.6.1\n"
|
||||
"Project-Id-Version: OnionShare 2.6.2\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2023-09-05 11:30-0700\n"
|
||||
"POT-Creation-Date: 2024-03-15 13:52+0530\n"
|
||||
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
|
||||
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
|
||||
"Language-Team: LANGUAGE <LL@li.org>\n"
|
||||
|
@ -6,9 +6,9 @@
|
||||
#, fuzzy
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: OnionShare 2.6.1\n"
|
||||
"Project-Id-Version: OnionShare 2.6.2\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2023-09-05 11:30-0700\n"
|
||||
"POT-Creation-Date: 2024-03-15 13:52+0530\n"
|
||||
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
|
||||
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
|
||||
"Language-Team: LANGUAGE <LL@li.org>\n"
|
||||
|
@ -6,9 +6,9 @@
|
||||
#, fuzzy
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: OnionShare 2.6.1\n"
|
||||
"Project-Id-Version: OnionShare 2.6.2\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2023-09-05 11:51-0700\n"
|
||||
"POT-Creation-Date: 2024-03-15 13:52+0530\n"
|
||||
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
|
||||
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
|
||||
"Language-Team: LANGUAGE <LL@li.org>\n"
|
||||
@ -29,161 +29,273 @@ msgid "You can download OnionShare for Windows and macOS from the `OnionShare we
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:12
|
||||
msgid "Linux"
|
||||
msgid "Mobile"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:14
|
||||
msgid "There are various ways to install OnionShare for Linux, but the recommended way is to use either the `Flatpak <https://flatpak.org/>`_ or the `Snap <https://snapcraft.io/>`_ package. Flatpak and Snapcraft ensure that you'll always use the newest version and run OnionShare inside of a sandbox."
|
||||
msgid "You can download OnionShare for Mobile from the follow links"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:18
|
||||
msgid "Android"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:17
|
||||
msgid "Snapcraft support is built-in to Ubuntu and Fedora comes with Flatpak support, but which you use is up to you. Both work in all Linux distributions."
|
||||
msgid "Google Play: https://play.google.com/store/apps/details?id=org.onionshare.android"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:19
|
||||
msgid "**Install OnionShare using Flatpak**: https://flathub.org/apps/details/org.onionshare.OnionShare"
|
||||
#: ../../source/install.rst:18
|
||||
msgid "F-Droid: https://github.com/onionshare/onionshare-android-nightly"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:24
|
||||
msgid "iOS"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:21
|
||||
msgid "**Install OnionShare using Snapcraft**: https://snapcraft.io/onionshare"
|
||||
msgid "Apple App Store: https://apps.apple.com/app/onionshare/id1601890129"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:22
|
||||
msgid "Direct IPA download: https://github.com/onionshare/onionshare-ios/releases"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:23
|
||||
msgid "You can also download and install PGP-signed ``.flatpak`` or ``.snap`` packages from https://onionshare.org/dist/ if you prefer."
|
||||
msgid "Testflight: https://testflight.apple.com/join/ZCJeY65W"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:26
|
||||
msgid "Manual Flatpak Installation"
|
||||
#: ../../source/install.rst:27
|
||||
msgid "Linux"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:28
|
||||
msgid "If you'd like to install OnionShare manually with Flatpak using the PGP-signed `single-file bundle <https://docs.flatpak.org/en/latest/single-file-bundles.html>`_, you can do so like this:"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:30
|
||||
msgid "Install Flatpak by following the instructions at https://flatpak.org/setup/."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:31
|
||||
msgid "Add the Flathub repository by running ``flatpak remote-add --if-not-exists flathub https://flathub.org/repo/flathub.flatpakrepo``. Even though you won't be downloading OnionShare from Flathub, OnionShare depends on some packages that are only available there."
|
||||
#: ../../source/install.rst:29
|
||||
msgid "There are various ways to install OnionShare for Linux, but the recommended way is to use either the `Flatpak <https://flatpak.org/>`_ or the `Snap <https://snapcraft.io/>`_ package. Flatpak and Snapcraft ensure that you'll always use the newest version and run OnionShare inside of a sandbox."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:32
|
||||
msgid "Go to https://onionshare.org/dist/, choose the latest version of OnionShare, and download the ``.flatpak`` and ``.flatpak.asc`` files."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:33
|
||||
msgid "Verify the PGP signature of the ``.flatpak`` file. See :ref:`verifying_sigs` for more info."
|
||||
msgid "Snapcraft support is built-in to Ubuntu and Fedora comes with Flatpak support, but which you use is up to you. Both work in all Linux distributions."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:34
|
||||
msgid "Install the ``.flatpak`` file by running ``flatpak install OnionShare-VERSION.flatpak``. Replace ``VERSION`` with the version number of the file you downloaded."
|
||||
msgid "**Install OnionShare using Flatpak**: https://flathub.org/apps/details/org.onionshare.OnionShare"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:36
|
||||
msgid "You can run OnionShare with: `flatpak run org.onionshare.OnionShare`."
|
||||
msgid "**Install OnionShare using Snapcraft**: https://snapcraft.io/onionshare"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:39
|
||||
msgid "Manual Snapcraft Installation"
|
||||
#: ../../source/install.rst:38
|
||||
msgid "You can also download and install PGP-signed ``.flatpak`` or ``.snap`` packages from https://onionshare.org/dist/ if you prefer."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:41
|
||||
msgid "If you'd like to install OnionShare manually with Snapcraft using the PGP-signed Snapcraft package, you can do so like this:"
|
||||
msgid "Manual Flatpak Installation"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:43
|
||||
msgid "Install Snapcraft by following the instructions at https://snapcraft.io/docs/installing-snapd."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:44
|
||||
msgid "Go to https://onionshare.org/dist/, choose the latest version of OnionShare, and download the ``.snap`` and ``.snap.asc`` files."
|
||||
msgid "If you'd like to install OnionShare manually with Flatpak using the PGP-signed `single-file bundle <https://docs.flatpak.org/en/latest/single-file-bundles.html>`_, you can do so like this:"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:45
|
||||
msgid "Verify the PGP signature of the ``.snap`` file. See :ref:`verifying_sigs` for more info."
|
||||
msgid "Install Flatpak by following the instructions at https://flatpak.org/setup/."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:46
|
||||
msgid "Install the ``.snap`` file by running ``snap install --dangerous onionshare_VERSION_amd64.snap``. Replace ``VERSION`` with the version number of the file you downloaded. Note that you must use `--dangerous` because the package is not signed by the Snapcraft store, however you did verify its PGP signature, so you know it's legitimate."
|
||||
msgid "Add the Flathub repository by running ``flatpak remote-add --if-not-exists flathub https://flathub.org/repo/flathub.flatpakrepo``. Even though you won't be downloading OnionShare from Flathub, OnionShare depends on some packages that are only available there."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:47
|
||||
msgid "Go to https://onionshare.org/dist/, choose the latest version of OnionShare, and download the ``.flatpak`` and ``.flatpak.asc`` files."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:48
|
||||
msgid "You can run OnionShare with: `snap run onionshare`."
|
||||
msgid "Verify the PGP signature of the ``.flatpak`` file. See :ref:`verifying_sigs` for more info."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:53
|
||||
msgid "Command-line only"
|
||||
#: ../../source/install.rst:49
|
||||
msgid "Install the ``.flatpak`` file by running ``flatpak install OnionShare-VERSION.flatpak``. Replace ``VERSION`` with the version number of the file you downloaded."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:55
|
||||
msgid "You can install just the command-line version of OnionShare on any operating system using the Python package manager ``pip``. :ref:`cli` has more info."
|
||||
#: ../../source/install.rst:51
|
||||
msgid "You can run OnionShare with: `flatpak run org.onionshare.OnionShare`."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:54
|
||||
msgid "Manual Snapcraft Installation"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:56
|
||||
msgid "If you'd like to install OnionShare manually with Snapcraft using the PGP-signed Snapcraft package, you can do so like this:"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:58
|
||||
msgid "Install Snapcraft by following the instructions at https://snapcraft.io/docs/installing-snapd."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:59
|
||||
msgid "Go to https://onionshare.org/dist/, choose the latest version of OnionShare, and download the ``.snap`` and ``.snap.asc`` files."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:60
|
||||
msgid "Verifying PGP signatures"
|
||||
msgid "Verify the PGP signature of the ``.snap`` file. See :ref:`verifying_sigs` for more info."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:62
|
||||
msgid "You can verify that the package you download is legitimate and hasn't been tampered with by verifying its PGP signature. For Windows and macOS, this step is optional and provides defense in depth: the OnionShare binaries include operating system-specific signatures, and you can just rely on those alone if you'd like."
|
||||
#: ../../source/install.rst:61
|
||||
msgid "Install the ``.snap`` file by running ``snap install --dangerous onionshare_VERSION_amd64.snap``. Replace ``VERSION`` with the version number of the file you downloaded. Note that you must use `--dangerous` because the package is not signed by the Snapcraft store, however you did verify its PGP signature, so you know it's legitimate."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:66
|
||||
msgid "Signing key"
|
||||
#: ../../source/install.rst:63
|
||||
msgid "You can run OnionShare with: `snap run onionshare`."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:68
|
||||
msgid "Packages are signed by Micah Lee, the core developer, using his PGP public key with fingerprint ``927F419D7EC82C2F149C1BD1403C2657CD994F73``. You can download Micah's key `from the keys.openpgp.org keyserver <https://keys.openpgp.org/vks/v1/by-fingerprint/927F419D7EC82C2F149C1BD1403C2657CD994F73>`_."
|
||||
msgid "Command-line only"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:71
|
||||
msgid "You must have GnuPG installed to verify signatures. For macOS you probably want `GPGTools <https://gpgtools.org/>`_, and for Windows you probably want `Gpg4win <https://www.gpg4win.org/>`_."
|
||||
#: ../../source/install.rst:70
|
||||
msgid "You can install just the command-line version of OnionShare on any operating system using the Python package manager ``pip``. :ref:`cli` has more info."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:74
|
||||
msgid "Signatures"
|
||||
#: ../../source/install.rst:75
|
||||
msgid "FreeBSD"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:76
|
||||
msgid "You can find the signatures (as ``.asc`` files), as well as Windows, macOS, Flatpak, Snap, and source packages, at https://onionshare.org/dist/ in the folders named for each version of OnionShare. You can also find them on the `GitHub Releases page <https://github.com/onionshare/onionshare/releases>`_."
|
||||
#: ../../source/install.rst:77
|
||||
msgid "Althought not being officially developed for this platform, OnionShare can also be installed on `FreeBSD <https://freebsd.org/>`_. It's available via its ports collection or as pre-built package. Should you opt to install and use OnionShare on a FreeBSD operating system, please be aware that it's **NOT** officially supported by the OnionShare project."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:80
|
||||
msgid "Verifying"
|
||||
#: ../../source/install.rst:79
|
||||
msgid "Though not being offered and officially maintained by the OnionShare developers, the FreeBSD packages and ports do fetch and verifies the source codes from the official OnionShare repository (or its official release packages from `PyPI <https://pypi.org/project/onionshare-cli/>`_). Should you wish to check changes related to this platform, please refer to the following resources:"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:81
|
||||
msgid "https://cgit.freebsd.org/ports/log/www/onionshare"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:82
|
||||
msgid "Once you have imported Micah's public key into your GnuPG keychain, downloaded the binary and ``.asc`` signature, you can verify the binary in a terminal like this:"
|
||||
msgid "https://www.freshports.org/www/onionshare"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:84
|
||||
msgid "For Windows::"
|
||||
#: ../../source/install.rst:85
|
||||
msgid "Manual pkg Installation"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:88
|
||||
msgid "For macOS::"
|
||||
#: ../../source/install.rst:87
|
||||
msgid "To install the binary package, use ``pkg install pyXY-onionshare``, with ``pyXY`` specifying the version of Python the package was built for. So, in order to install OnionShare for Python 3.9, use::"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:92
|
||||
msgid "For Linux::"
|
||||
#: ../../source/install.rst:91
|
||||
msgid "There's also a **Command-line only** version of OnionShare available as pre-built package. Replace ``py39-onionshare`` by ``py39-onionshare-cli`` if you want to install that version."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:93
|
||||
msgid "For additional information and details about the FreeBSD pre-built packages, please refer to its `official Handbook section about pkg <https://docs.freebsd.org/en/books/handbook/ports/#pkgng-intro>`_."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:96
|
||||
msgid "Manual port Installation"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:98
|
||||
msgid "and for the source file::"
|
||||
msgid "To install the FreeBSD port, change directory to the `ports collection <https://freebsd.org/ports/>`_ you must have checked out before and run the following::"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:102
|
||||
msgid "The ports collection also offers a dedicated port for the **Command-line only** version of OnionShare. Replace ``www/onionshare`` by ``www/onionshare-cli`` if you want to install that version."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:104
|
||||
msgid "For additional information and details about the FreeBSD ports collection, please refer to its `official Handbook section about ports <https://docs.freebsd.org/en/books/handbook/ports/#ports-using>`_."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:109
|
||||
msgid "Verifying PGP signatures"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:111
|
||||
msgid "You can verify that the package you download is legitimate and hasn't been tampered with by verifying its PGP signature. For Windows and macOS, this step is optional and provides defense in depth: the OnionShare binaries include operating system-specific signatures, and you can just rely on those alone if you'd like."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:115
|
||||
msgid "Signing key"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:117
|
||||
msgid "Packages are signed by the core developer who is responsible for the particular release. Following are the informations of the core developers of OnionShare:"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:122
|
||||
msgid "Micah Lee:"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:121
|
||||
msgid "PGP public key fingerprint ``927F419D7EC82C2F149C1BD1403C2657CD994F73``."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:122
|
||||
msgid "You can download Micah's key `from the keys.openpgp.org keyserver <https://keys.openpgp.org/vks/v1/by-fingerprint/927F419D7EC82C2F149C1BD1403C2657CD994F73>`_."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:126
|
||||
msgid "Saptak Sengupta:"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:125
|
||||
msgid "PGP public key fingerprint ``2AE3D40A6905C8E4E8ED95ECE46A2B977C14666B``."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:126
|
||||
msgid "You can download Saptak's key `from the keys.openpgp.org keyserver <https://keys.openpgp.org/vks/v1/by-fingerprint/2AE3D40A6905C8E4E8ED95ECE46A2B977C14666B>`_."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:128
|
||||
msgid "You must have GnuPG installed to verify signatures. For macOS you probably want `GPGTools <https://gpgtools.org/>`_, and for Windows you probably want `Gpg4win <https://www.gpg4win.org/>`_."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:131
|
||||
msgid "Signatures"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:133
|
||||
msgid "You can find the signatures (as ``.asc`` files), as well as Windows, macOS, Flatpak, Snap, and source packages, at https://onionshare.org/dist/ in the folders named for each version of OnionShare. You can also find them on the `GitHub Releases page <https://github.com/onionshare/onionshare/releases>`_."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:137
|
||||
msgid "Verifying"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:139
|
||||
msgid "Once you have imported the core developers public keys into your GnuPG keychain, downloaded the binary and ``.asc`` signature, you can verify the binary in a terminal like this:"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:141
|
||||
msgid "For Windows::"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:145
|
||||
msgid "For macOS::"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:149
|
||||
msgid "For Linux::"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:155
|
||||
msgid "and for the source file::"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:159
|
||||
msgid "The expected output looks like this::"
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:112
|
||||
#: ../../source/install.rst:169
|
||||
msgid "If you don't see ``Good signature from``, there might be a problem with the integrity of the file (malicious or otherwise), and you should not install the package."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:114
|
||||
#: ../../source/install.rst:171
|
||||
msgid "The ``WARNING:`` shown above, is not a problem with the package, it only means you haven't defined a level of \"trust\" of Micah's (the core developer) PGP key."
|
||||
msgstr ""
|
||||
|
||||
#: ../../source/install.rst:116
|
||||
#: ../../source/install.rst:173
|
||||
msgid "If you want to learn more about verifying PGP signatures, the guides for `Qubes OS <https://www.qubes-os.org/security/verifying-signatures/>`_ and the `Tor Project <https://support.torproject.org/tbb/how-to-verify-signature/>`_ may be useful."
|
||||
msgstr ""
|
||||
|
@ -6,9 +6,9 @@
|
||||
#, fuzzy
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: OnionShare 2.6.1\n"
|
||||
"Project-Id-Version: OnionShare 2.6.2\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2023-09-05 11:30-0700\n"
|
||||
"POT-Creation-Date: 2024-03-15 13:52+0530\n"
|
||||
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
|
||||
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
|
||||
"Language-Team: LANGUAGE <LL@li.org>\n"
|
||||
|
@ -6,9 +6,9 @@
|
||||
#, fuzzy
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: OnionShare 2.6.1\n"
|
||||
"Project-Id-Version: OnionShare 2.6.2\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2023-09-05 11:30-0700\n"
|
||||
"POT-Creation-Date: 2024-03-15 13:52+0530\n"
|
||||
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
|
||||
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
|
||||
"Language-Team: LANGUAGE <LL@li.org>\n"
|
||||
|
@ -6,9 +6,9 @@
|
||||
#, fuzzy
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: OnionShare 2.6.1\n"
|
||||
"Project-Id-Version: OnionShare 2.6.2\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2023-09-05 11:30-0700\n"
|
||||
"POT-Creation-Date: 2024-03-15 13:52+0530\n"
|
||||
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
|
||||
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
|
||||
"Language-Team: LANGUAGE <LL@li.org>\n"
|
||||
|
@ -1,6 +1,6 @@
|
||||
project = "OnionShare"
|
||||
author = copyright = "Micah Lee, et al."
|
||||
version = release = "2.6.1"
|
||||
version = release = "2.6.2"
|
||||
|
||||
extensions = ["sphinx_rtd_theme"]
|
||||
templates_path = ["_templates"]
|
||||
@ -12,7 +12,7 @@ languages = [
|
||||
("Deutsch", "de"), # German
|
||||
("Ελληνικά", "el"), # Greek
|
||||
# ("Italiano", "it"), # Italian
|
||||
# ("日本語", "ja"), # Japanese
|
||||
("日本語", "ja"), # Japanese
|
||||
# ("ភាសាខ្មែរ", "km"), # Khmer (Central)
|
||||
# ("Norsk Bokmål", "nb_NO"), # Norwegian Bokmål
|
||||
("Polish", "pl"), # Polish
|
||||
@ -25,7 +25,7 @@ languages = [
|
||||
("Tiếng Việt", "vi"), # Vietnamese
|
||||
]
|
||||
|
||||
versions = ["2.3", "2.3.1", "2.3.2", "2.3.3", "2.4", "2.5", "2.6", "2.6.1"]
|
||||
versions = ["2.3", "2.3.1", "2.3.2", "2.3.3", "2.4", "2.5", "2.6", "2.6.1", "2.6.2"]
|
||||
|
||||
html_theme = "sphinx_rtd_theme"
|
||||
html_logo = "_static/logo.png"
|
||||
|
@ -15,7 +15,7 @@ You can download OnionShare for Mobile from the follow links
|
||||
|
||||
* Android
|
||||
* Google Play: https://play.google.com/store/apps/details?id=org.onionshare.android
|
||||
* F-Droid: https://github.com/onionshare/onionshare-android-nightly
|
||||
* F-Droid: https://github.com/onionshare/onionshare-android-nightly
|
||||
|
||||
* iOS
|
||||
* Apple App Store: https://apps.apple.com/app/onionshare/id1601890129
|
||||
@ -114,8 +114,16 @@ For Windows and macOS, this step is optional and provides defense in depth: the
|
||||
Signing key
|
||||
^^^^^^^^^^^
|
||||
|
||||
Packages are signed by Micah Lee, the core developer, using his PGP public key with fingerprint ``927F419D7EC82C2F149C1BD1403C2657CD994F73``.
|
||||
You can download Micah's key `from the keys.openpgp.org keyserver <https://keys.openpgp.org/vks/v1/by-fingerprint/927F419D7EC82C2F149C1BD1403C2657CD994F73>`_.
|
||||
Packages are signed by the core developer who is responsible for the particular release. Following are the
|
||||
informations of the core developers of OnionShare:
|
||||
|
||||
* Micah Lee:
|
||||
* PGP public key fingerprint ``927F419D7EC82C2F149C1BD1403C2657CD994F73``.
|
||||
* You can download Micah's key `from the keys.openpgp.org keyserver <https://keys.openpgp.org/vks/v1/by-fingerprint/927F419D7EC82C2F149C1BD1403C2657CD994F73>`_.
|
||||
|
||||
* Saptak Sengupta:
|
||||
* PGP public key fingerprint ``2AE3D40A6905C8E4E8ED95ECE46A2B977C14666B``.
|
||||
* You can download Saptak's key `from the keys.openpgp.org keyserver <https://keys.openpgp.org/vks/v1/by-fingerprint/2AE3D40A6905C8E4E8ED95ECE46A2B977C14666B>`_.
|
||||
|
||||
You must have GnuPG installed to verify signatures. For macOS you probably want `GPGTools <https://gpgtools.org/>`_, and for Windows you probably want `Gpg4win <https://www.gpg4win.org/>`_.
|
||||
|
||||
@ -128,7 +136,7 @@ You can also find them on the `GitHub Releases page <https://github.com/onionsha
|
||||
Verifying
|
||||
^^^^^^^^^
|
||||
|
||||
Once you have imported Micah's public key into your GnuPG keychain, downloaded the binary and ``.asc`` signature, you can verify the binary in a terminal like this:
|
||||
Once you have imported the core developers public keys into your GnuPG keychain, downloaded the binary and ``.asc`` signature, you can verify the binary in a terminal like this:
|
||||
|
||||
For Windows::
|
||||
|
||||
|
@ -7,7 +7,7 @@ msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: OnionShare 2.5\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2023-09-05 11:30-0700\n"
|
||||
"POT-Creation-Date: 2024-03-15 13:52+0530\n"
|
||||
"PO-Revision-Date: 2022-11-06 19:08+0000\n"
|
||||
"Last-Translator: Gideon Wentink <gjwentink@gmail.com>\n"
|
||||
"Language-Team: none\n"
|
||||
|
@ -7,7 +7,7 @@ msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: OnionShare 2.5\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2023-09-05 11:30-0700\n"
|
||||
"POT-Creation-Date: 2024-03-15 13:52+0530\n"
|
||||
"PO-Revision-Date: 2022-11-16 07:48+0000\n"
|
||||
"Last-Translator: Gideon Wentink <gjwentink@gmail.com>\n"
|
||||
"Language-Team: none\n"
|
||||
|
@ -7,7 +7,7 @@ msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: OnionShare 2.5\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2023-09-05 11:30-0700\n"
|
||||
"POT-Creation-Date: 2024-03-15 13:52+0530\n"
|
||||
"PO-Revision-Date: 2022-11-01 10:03+0000\n"
|
||||
"Last-Translator: Gideon Wentink <gjwentink@gmail.com>\n"
|
||||
"Language-Team: none\n"
|
||||
|
@ -7,7 +7,7 @@ msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: OnionShare 2.5\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2023-09-05 11:30-0700\n"
|
||||
"POT-Creation-Date: 2024-03-15 13:52+0530\n"
|
||||
"PO-Revision-Date: 2022-10-21 15:07+0000\n"
|
||||
"Last-Translator: Gideon Wentink <gjwentink@gmail.com>\n"
|
||||
"Language-Team: none\n"
|
||||
|
@ -7,7 +7,7 @@ msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: OnionShare 2.5\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2023-09-05 11:30-0700\n"
|
||||
"POT-Creation-Date: 2024-03-15 13:52+0530\n"
|
||||
"PO-Revision-Date: 2022-10-19 10:07+0000\n"
|
||||
"Last-Translator: Gideon Wentink <gjwentink@gmail.com>\n"
|
||||
"Language-Team: none\n"
|
||||
|
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue
Block a user