Captcha fail punishment according to group restriction config

pull/195/head
J-Rios 2023-12-27 14:05:02 +01:00
rodzic f1caf8099b
commit a9b9c3f6d9
Nie znaleziono w bazie danych klucza dla tego podpisu
29 zmienionych plików z 545 dodań i 253 usunięć

Wyświetl plik

@ -391,12 +391,9 @@ CMD = {
"RESTRICTION": {
"KEY": "restriction",
"ARGV": ["kick", "ban", "mute", "media", "mute24h", "media24h"],
"ARGV": ["kick", "mute", "media"],
"KICK": "kick",
"BAN": "ban",
"MUTE": "mute",
"MUTE24H": "mute24h",
"MEDIA": "media",
"MEDIA24H": "media24h"
}
}

Wyświetl plik

@ -13,7 +13,7 @@ Author:
Creation date:
09/09/2018
Last modified date:
25/12/2023
27/12/2023
Version:
1.30.0
'''
@ -148,7 +148,7 @@ class Globals():
to_delete_in_time_messages_list: list = []
new_users: dict = {}
connections: dict = {}
async_captcha_timeout_kick_user: Optional[CoroutineType] = None
async_captcha_timeout: Optional[CoroutineType] = None
async_auto_delete_messages: Optional[CoroutineType] = None
force_exit: bool = False
@ -760,30 +760,65 @@ async def restrict_user_media(bot, chat_id, user_id, until_date=None):
return restrict_success
async def captcha_fail_member(bot, chat_id, user_id, max_join_retries):
async def captcha_fail_member_mute(bot, chat_id, user_id, user_name):
'''
Kick/Ban a new member that has fail to solve the captcha.
Restrict the user to deny send any kind of message for 24h.
'''
lang = get_chat_config(chat_id, "Language")
user_name = Global.new_users[chat_id][user_id]["join_data"]["user_name"]
mute_until_24h = get_unix_epoch() + CONST["T_SECONDS_IN_A_DAY"]
logger.info("[%s] Captcha Fail - Mute - %s (%s)",
chat_id, user_name, user_id)
success = await restrict_user_mute(bot, chat_id, user_id, mute_until_24h)
if success:
msg_text = TEXT[lang]["CAPTCHA_FAIL_MUTE"].format(user_name)
else:
msg_text = TEXT[lang]["CAPTCHA_FAIL_CANT_RESTRICT"].format(user_name)
rm_result_msg = get_chat_config(chat_id, "Rm_Result_Msg")
await bot_send_msg(bot, chat_id, msg_text, rm_result_msg)
async def captcha_fail_member_no_media(bot, chat_id, user_id, user_name):
'''
Restrict the user to deny send media messages (images, video, audio,
etc.) for 24h.
'''
lang = get_chat_config(chat_id, "Language")
mute_until_24h = get_unix_epoch() + CONST["T_SECONDS_IN_A_DAY"]
logger.info("[%s] Captcha Fail - Media - %s (%s)",
chat_id, user_name, user_id)
success = await restrict_user_media(bot, chat_id, user_id, mute_until_24h)
if success:
msg_text = TEXT[lang]["CAPTCHA_FAIL_NO_MEDIA"].format(user_name)
else:
msg_text = TEXT[lang]["CAPTCHA_FAIL_CANT_RESTRICT"].format(user_name)
rm_result_msg = get_chat_config(chat_id, "Rm_Result_Msg")
await bot_send_msg(bot, chat_id, msg_text, rm_result_msg)
async def captcha_fail_member_kick(bot, chat_id, user_id, user_name):
'''
Kick or Ban the user from the group.
'''
banned = False
max_join_retries = CONST["MAX_FAIL_BAN_POLL"]
# Get parameters
lang = get_chat_config(chat_id, "Language")
rm_result_msg = get_chat_config(chat_id, "Rm_Result_Msg")
user_name = Global.new_users[chat_id][user_id]["join_data"]["user_name"]
join_retries = \
Global.new_users[chat_id][user_id]["join_data"]["join_retries"]
logger.info("[%s] %s join_retries: %d", chat_id, user_id, join_retries)
# Kick if user has fail to solve the captcha less than
# "max_join_retries"
if join_retries < max_join_retries:
logger.info(
"[%s] Captcha not solved, kicking %s (%s)...",
logger.info("[%s] Captcha Fail - Kick - %s (%s)",
chat_id, user_name, user_id)
# Try to kick the user
kick_result = await tlg_kick_user(bot, chat_id, user_id)
if kick_result["error"] == "":
# Kick success
join_retries = join_retries + 1
msg_text = TEXT[lang]["NEW_USER_KICK"].format(user_name)
msg_text = TEXT[lang]["CAPTCHA_FAIL_KICK"].format(user_name)
await bot_send_msg(bot, chat_id, msg_text, rm_result_msg)
else:
# Kick fail
@ -808,15 +843,14 @@ async def captcha_fail_member(bot, chat_id, user_id, max_join_retries):
# Ban if user has join "max_join_retries" times without solving
# the captcha
else:
logger.info(
"[%s] Captcha not solved, banning %s (%s)...",
logger.info("[%s] Captcha Fail - Ban - %s (%s)",
chat_id, user_name, user_id)
# Try to ban the user and notify Admins
ban_result = await tlg_ban_user(bot, chat_id, user_id)
if ban_result["error"] == "":
# Ban success
banned = True
msg_text = TEXT[lang]["NEW_USER_BAN"].format(
msg_text = TEXT[lang]["CAPTCHA_FAIL_BAN"].format(
user_name, max_join_retries)
else:
# Ban fail
@ -844,7 +878,30 @@ async def captcha_fail_member(bot, chat_id, user_id, max_join_retries):
Global.new_users[chat_id][user_id]["join_data"]["kicked_ban"] = True
Global.new_users[chat_id][user_id]["join_data"]["join_retries"] = \
join_retries
# Remove join messages
# Delete user join info if ban was success
if banned:
del Global.new_users[chat_id][user_id]
except KeyError:
logger.warning(
"[%s] %s (%d) not in new_users list (already solve captcha)",
chat_id, user_name, user_id)
async def captcha_fail_member(bot, chat_id, user_id):
'''
Restrict (Kick, Ban, mute, etc) a new member that has fail to solve
the captcha.
'''
user_name = Global.new_users[chat_id][user_id]["join_data"]["user_name"]
restriction = get_chat_config(chat_id, "Fail_Restriction")
if restriction == CMD["RESTRICTION"]["MUTE"]:
await captcha_fail_member_mute(bot, chat_id, user_id, user_name)
elif restriction == CMD["RESTRICTION"]["MEDIA"]:
await captcha_fail_member_no_media(bot, chat_id, user_id, user_name)
else: # restriction == CMD["RESTRICTION"]["KICK"]
await captcha_fail_member_kick(bot, chat_id, user_id, user_name)
# Remove join messages
try:
logger.info("[%s] Removing msgs from user %s...", chat_id, user_name)
join_msg = Global.new_users[chat_id][user_id]["join_msg"]
if join_msg is not None:
@ -855,15 +912,12 @@ async def captcha_fail_member(bot, chat_id, user_id, max_join_retries):
for msg in Global.new_users[chat_id][user_id]["msg_to_rm_on_kick"]:
await tlg_delete_msg(bot, chat_id, msg)
Global.new_users[chat_id][user_id]["msg_to_rm_on_kick"].clear()
# Delete user join info if ban was success
if banned:
if restriction != CMD["RESTRICTION"]["KICK"]:
del Global.new_users[chat_id][user_id]
except KeyError:
logger.warning(
"[%s] %s (%d) not in new_users list (already solve captcha)",
chat_id, user_name, user_id)
logger.info("[%s] Kick/Ban process completed", chat_id)
logger.info("")
###############################################################################
@ -1475,7 +1529,7 @@ async def text_msg_rx(update: Update, context: ContextTypes.DEFAULT_TYPE):
await tlg_delete_msg(bot, chat_id, msg_id)
# Send message solve message
bot_msg = TEXT[lang]["CAPTCHA_SOLVED"].format(user_name)
bot_send_msg(bot, chat_id, bot_msg, rm_result_msg)
await bot_send_msg(bot, chat_id, bot_msg, rm_result_msg)
# Check for custom welcome message and send it
welcome_msg = get_chat_config(chat_id, "Welcome_Msg").format(
escape_markdown(user_name, 2))
@ -1603,7 +1657,7 @@ async def poll_answer_rx(
await tlg_unrestrict_user(bot, chat_id, user_id)
# Send captcha solved message
bot_msg = TEXT[lang]["CAPTCHA_SOLVED"].format(user_name)
bot_send_msg(bot, chat_id, bot_msg, rm_result_msg)
await bot_send_msg(bot, chat_id, bot_msg, rm_result_msg)
del Global.new_users[chat_id][user_id]
# Check for custom welcome message and send it
if welcome_msg != "-":
@ -1630,12 +1684,11 @@ async def poll_answer_rx(
# Notify captcha fail
logger.info("[%s] User %s fail poll.", chat_id, user_name)
bot_msg = TEXT[lang]["CAPTCHA_POLL_FAIL"].format(user_name)
bot_send_msg(bot, chat_id, bot_msg, rm_result_msg)
await bot_send_msg(bot, chat_id, bot_msg, rm_result_msg)
# Wait 10s
await asyncio_sleep(10)
# Try to punish the user
await captcha_fail_member(
bot, chat_id, user_id, CONST["MAX_FAIL_BAN_POLL"])
await captcha_fail_member(bot, chat_id, user_id)
logger.info("[%s] Poll captcha process completed.", chat_id)
logger.info("")
@ -1794,7 +1847,7 @@ async def button_im_not_a_bot_press(bot, query):
await tlg_unrestrict_user(bot, chat_id, user_id)
# Send captcha solved message
bot_msg = TEXT[lang]["CAPTCHA_SOLVED"].format(user_name)
bot_send_msg(bot, chat_id, bot_msg, rm_result_msg)
await bot_send_msg(bot, chat_id, bot_msg, rm_result_msg)
# Check for custom welcome message and send it
welcome_msg = ""
welcome_msg = get_chat_config(chat_id, "Welcome_Msg").format(
@ -3611,7 +3664,7 @@ async def auto_delete_messages(bot):
# Handle captcha process timeout (time to kick/ban users) coroutine
###############################################################################
async def captcha_timeout_kick_user(bot):
async def captcha_timeout(bot):
'''
Check if the time for ban new users that has not completed the
captcha has arrived.
@ -3667,8 +3720,7 @@ async def captcha_timeout_kick_user(bot):
logger.info(
"[%s] Captcha reply timeout for user %s.",
chat_id, user_name)
await captcha_fail_member(
bot, chat_id, user_id, CONST["MAX_FAIL_BAN"])
await captcha_fail_member(bot, chat_id, user_id)
await asyncio_sleep(0.01)
except Exception:
logger.error(format_exc())
@ -3762,18 +3814,18 @@ def tlg_app_setup(token: str) -> Application:
cmd_remove_all_msg_kick_on)
tlg_add_cmd(app, CMD["REMOVE_ALL_MSG_KICK_OFF"]["KEY"],
cmd_remove_all_msg_kick_off)
tlg_add_cmd(CMD["URL_ENABLE"]["KEY"], cmd_url_enable)
tlg_add_cmd(CMD["URL_DISABLE"]["KEY"], cmd_url_disable)
tlg_add_cmd(CMD["ENABLE"]["KEY"], cmd_enable)
tlg_add_cmd(CMD["DISABLE"]["KEY"], cmd_disable)
tlg_add_cmd(CMD["CHATID"]["KEY"], cmd_chatid)
tlg_add_cmd(CMD["VERSION"]["KEY"], cmd_version)
tlg_add_cmd(CMD["ABOUT"]["KEY"], cmd_about)
tlg_add_cmd(app, CMD["URL_ENABLE"]["KEY"], cmd_url_enable)
tlg_add_cmd(app, CMD["URL_DISABLE"]["KEY"], cmd_url_disable)
tlg_add_cmd(app, CMD["ENABLE"]["KEY"], cmd_enable)
tlg_add_cmd(app, CMD["DISABLE"]["KEY"], cmd_disable)
tlg_add_cmd(app, CMD["CHATID"]["KEY"], cmd_chatid)
tlg_add_cmd(app, CMD["VERSION"]["KEY"], cmd_version)
tlg_add_cmd(app, CMD["ABOUT"]["KEY"], cmd_about)
if CONST["BOT_OWNER"] != "XXXXXXXXX":
tlg_add_cmd(CMD["CAPTCHA"]["KEY"], cmd_captcha)
tlg_add_cmd(CMD["ALLOWUSERLIST"]["KEY"], cmd_allowuserlist)
tlg_add_cmd(app, CMD["CAPTCHA"]["KEY"], cmd_captcha)
tlg_add_cmd(app, CMD["ALLOWUSERLIST"]["KEY"], cmd_allowuserlist)
if (CONST["BOT_OWNER"] != "XXXXXXXXX") and CONST["BOT_PRIVATE"]:
tlg_add_cmd(CMD["ALLOWGROUP"]["KEY"], cmd_allowgroup)
tlg_add_cmd(app, CMD["ALLOWGROUP"]["KEY"], cmd_allowgroup)
# Set to application handler for reception of text messages
app.add_handler(MessageHandler(filters.TEXT, text_msg_rx, block=False))
# Set to application not text messages handler
@ -3870,8 +3922,8 @@ async def tlg_app_start(app: Application) -> None:
This function is called at the startup of run_polling() or
run_webhook() functions.'''
# Launch delete messages and kick users coroutines
Global.async_captcha_timeout_kick_user = \
asyncio_create_task(captcha_timeout_kick_user(app.bot))
Global.async_captcha_timeout = \
asyncio_create_task(captcha_timeout(app.bot))
Global.async_auto_delete_messages = \
asyncio_create_task(auto_delete_messages(app.bot))
logger.info("Auto-delete messages and captcha timeout coroutines started.")
@ -3891,9 +3943,9 @@ async def tlg_app_exit(app: Application) -> None:
# Request to exit and wait to end coroutines
logger.info("Bot stopped. Releasing resources...")
Global.force_exit = True
if not Global.async_captcha_timeout_kick_user.done():
logger.info("Waiting end of coroutine: captcha_timeout_kick_user()")
await Global.async_captcha_timeout_kick_user
if not Global.async_captcha_timeout.done():
logger.info("Waiting end of coroutine: captcha_timeout()")
await Global.async_captcha_timeout
if not Global.async_auto_delete_messages.done():
logger.info("Waiting end of coroutine: async_auto_delete_messages()")
await Global.async_auto_delete_messages

Wyświetl plik

@ -6,7 +6,7 @@
"تعليمات الآلي:\n————————————————\n- أنا آلي أرسل تحققا لكل مستخدم جديد ينضم لمجموعة، وأطرد من لا يستطيع إنجاز التحقق خلال مدة معينة.\n\n- إذا كرر مستخدم ما محاولة الدخول خمس مرات متتالية دون إنجاز التحقق، سأفترض أن \"المستخدم\" هو آلي، وسيحظر.\n\n- أي رسالة ترسل من قبل \"مستخدم\" فبل إنجاز التحقق ستعتبر غثاء وستحذف.\n\n- عليك منحي صلاحيات إدارية لأستطيع طرد مستخدمين وحذف رسائل.\n\n- للحفاظ على المجموعة نظيفة، سأحذف آليا كل الرسائل المتعلقة بي إذا لم ينجز التحقق وسأطرد المستخدم.\n\n- الوقت المخصص لإنجاز التحقق هو 5 دقائق افتراضيا، لكن يمكنك ضبطه بالأمر /time.\n\n- يمكنك تفعيل/تعطيل التحقق بالأمر /enable و /disable.\n\n- أوامر الضبط محصورة بمدراء المجموعة.\n\n- يمكنك تغيير لغتي بالأمر /language.\n\n- يمكنك تغيير مستوى صعوبة التحقق بالأمر /difficulty.\n\n- يمكنك ضبط التحقق لاستخدام الحروف A–Z، أو الأرقام و الحروف A–F، أو مجرد أرقام (الافتراضي), or a math equation to be solved, or a custom poll, or just a button، أو مجرد ضغطة زر بالأمر /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- يمكنك ضبط رسالة ترحيب مخصصة بالأمر /welcome_msg.\n\n- يمكنك تفعيل حظر على إرسال المستخدمين الجدد لرسائل غير نصية بالأمر /restrict_non_text.\n\n- إن كان الآلي خاصاً، اسمح بالمجموعات بالأمر /allowgroup.\n\n- يمكنك ضبط مجموعة عبر المحادثة الخاصة للآلي باستخدام أمر /connect .\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- انظر /commands للحصول على قائمة بكل الأوامر الممكنة، ووصف مخصر لكل منهم.",
"COMMANDS":
"قائمة الأوامر:\n————————————————\n/start - يظهر المعلومات الابتدائية عن الآلي.\n\n/help - يظهر معلومات المساعدة.\n\n/commands - يظهر هذه الرسالة. معلومات عن كل الأوامر المتاحة ووصفها.\n\n/language - يمكنك من تغيير لغة رسائل الآلي.\n\n/time - يمكنك من تغيير مدة إنجاز التحقق.\n\n/difficulty - يمكن تغيير مستوى صعوبة التحقق (من 1 إلى 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - يمكن من تغيير نمط التحقق (nums: أرقام، hex: أرقام ومحارف A-F ، ascii: أرقام وأحرف من A-Z، math: معادلة رياضية، button: مجرد زر ، poll: استفتاءات خاصة يمكن ضبطها.\n\n/captcha_poll - ضبط استفتاء مخصص وخيارات للأحجية في نمط الاستفتاء.\n\n/welcome_msg - يمكن من ضبط رسالة ترحيب ترسل بعد إنجاز التحقق.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - بعد حل مستخدم جديد للأحجية، ضع شرطا بمنعه من إرسال رسائل غير نصية (صور, فيديو, صوتيات) ليوم كامل (أو للأبد, مستخدما مفتاح \"forever\" ).\n\n/add_ignore - لا يتحقق من المستخدم في قائمة التجاهل.\n\n/remove_ignore - ألغ تجاهل مستخدم ما.\n\n/ignore_list - عرض معرفات المستخدمين المتجاهلين.\n\n/remove_solve_kick_msg - ضبط فيما إذا كانت رسائل الحل والطرد والحظر ستحذف بعد فترة.\n\n/remove_welcome_msg - ضبط فيما إذا كانت رسائل الترحيب ستحذف بعد فترة.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - اسمح لمجموعة باستخدام الآلي (إذا كان الآلي خاصاً).\n\n/enable - فعل حماية التحقق على مجموعة.\n\n/disable - يعطل حماية التحقق على مجموعة.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - اتصل بمجموعة لضبطها عبر المحادثة الخاصة للآلي.\n\n/disconnect - افصل مجموعة مرتبطة كان يجري اعدادها عبر المحادثة الخاصة للآلي.\n\n/version - أظهر إصدار الآلي.\n\n/about - أظهر معلومات حول الآلي.",
"قائمة الأوامر:\n————————————————\n/start - يظهر المعلومات الابتدائية عن الآلي.\n\n/help - يظهر معلومات المساعدة.\n\n/commands - يظهر هذه الرسالة. معلومات عن كل الأوامر المتاحة ووصفها.\n\n/language - يمكنك من تغيير لغة رسائل الآلي.\n\n/time - يمكنك من تغيير مدة إنجاز التحقق.\n\n/difficulty - يمكن تغيير مستوى صعوبة التحقق (من 1 إلى 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - يمكن من تغيير نمط التحقق (nums: أرقام، hex: أرقام ومحارف A-F ، ascii: أرقام وأحرف من A-Z، math: معادلة رياضية، button: مجرد زر ، poll: استفتاءات خاصة يمكن ضبطها.\n\n/captcha_poll - ضبط استفتاء مخصص وخيارات للأحجية في نمط الاستفتاء.\n\n/welcome_msg - يمكن من ضبط رسالة ترحيب ترسل بعد إنجاز التحقق.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - بعد حل مستخدم جديد للأحجية، ضع شرطا بمنعه من إرسال رسائل غير نصية (صور, فيديو, صوتيات) ليوم كامل (أو للأبد, مستخدما مفتاح \"forever\" ).\n\n/add_ignore - لا يتحقق من المستخدم في قائمة التجاهل.\n\n/remove_ignore - ألغ تجاهل مستخدم ما.\n\n/ignore_list - عرض معرفات المستخدمين المتجاهلين.\n\n/remove_solve_kick_msg - ضبط فيما إذا كانت رسائل الحل والطرد والحظر ستحذف بعد فترة.\n\n/remove_welcome_msg - ضبط فيما إذا كانت رسائل الترحيب ستحذف بعد فترة.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - اسمح لمجموعة باستخدام الآلي (إذا كان الآلي خاصاً).\n\n/enable - فعل حماية التحقق على مجموعة.\n\n/disable - يعطل حماية التحقق على مجموعة.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - اتصل بمجموعة لضبطها عبر المحادثة الخاصة للآلي.\n\n/disconnect - افصل مجموعة مرتبطة كان يجري اعدادها عبر المحادثة الخاصة للآلي.\n\n/version - أظهر إصدار الآلي.\n\n/about - أظهر معلومات حول الآلي.",
"CMD_NOT_ALLOW":
"هذا الأمر محصور بالمدراء.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"عدلت رسالة الترحيب بنجاح.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"مرحبا {}، إهلا بك في {}. رجاء اضغط الزر أسفله للتأكد من أنك إنسان. إن لم تفعل ذلك خلال {}، ستُخرج آليا من المجموعة.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"تم التحقق، تحققت من المستخدم.\nمرحبا في المجموعة {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"هذا ليس الحل الصحيح. تحقق أكثر، عليك حل المعادلة الرياضية...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} لم يكتمل التحقق بنجاح. تم حظر \"المستخدم\".",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"حاولت حذف هذه الرسالة، لكني لا أملك صلاحية إدارية لحذف الرسائل المرسلة من قبل الآخرين.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"وجدت رسالة مع رابط (أو معرّف) من {}، وهو لم ينجز التحقق. حُذفت الرسالة للحفاظ على تلغرام نظيفا من الغثاء :)",

Wyświetl plik

@ -6,7 +6,7 @@
"Даведка:\n————————————————\n- Я бот, які адпраўляе выяву з капчай кожнаму новаму карыстальніку, які далучаецца да суполкі, і выдаляю таго, хто не можа ўвесці звесткі з выявы на працягу пазначанага часу.\n\n- Калі нехта далучаецца 5 разоў і ніводнага разу не ўводзіць патрэбнае значэнне, то я лічу, што гэта бот і блакую яго.\n\n- Любое паведамленне з URL-адрасам, якое адправіць новы карыстальнік да таго, як пройдзе праверку, будзе лічыцца спамам і будзе выдаляцца.\n\n- Мне патрэбныя правы адміністратара, каб блакаваць карыстальнікаў і выдаляць паведамленні.\n\n- Каб не засмечваць суполку, я выдаляю ўсе звязаныя са мною паведамленні, якія выводзяцца, калі карыстальнік не можа ўвесці звесткі або выдаляецца (праз 5 хвілін).\n\n- Карыстальніку даецца 5 хвілін, каб увесці звесткі. Гэты час можна змяніць з дапамогай загада /time.\n\n- Вы можаце ўключаць і адключаць абарону загадамі /enable і /disable.\n\n- Загадамі могуць карыстацца толькі адміністратары.\n\n- Вы можаце змяніць мову з дапамогай загада /language.\n\n- Вы можаце змяніць узровень складанасці капчы з дапамогай загада /difficulty.\n\n- Вы можаце змяніць рэжым капчы з дапамогай загада /captcha_mode. Гэта могуць быць толькі лічбы, толькі літары, лічбы і літары, матэматычныя раўнанні або проста кнопкі.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Вы можаце наладзіць вітальнае паведамленне з дапамогай загада /welcome_msg.\n\n- Вы можаце ўключыць параметр, які дазволіць мне абмяжоўваць новым карыстальнікам магчымасць адпраўляць нетэкставыя паведамленні. Гэта можна зрабіць з дапамогай загада /restrict_non_text.\n\n- Калі бот прыватны, дазвольце суполкі з дапамогай загада /allowgroup.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- З дапамогай загада /commands можна вывесці спіс усіх даступных загадаў са сціслым апісаннем.",
"COMMANDS":
"Спіс загадаў:\n————————————————\n/start - паказвае агульныя звесткі пра бота.\n\n/help - паказвае даведку.\n\n/commands - паказвае гэтае паведамленне пра ўсе даступныя загады.\n\n/language - дазваляе змяніць мову паведамленняў бота.\n\n/time - дазваляе змяніць час на ўвод звестак з выявы.\n\n/difficulty - дазваляе змяніць узровень складанасці (ад 1 да 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - дазваляе змяніць рэжым капчы (nums: лічбы, hex: лічбы і літары A-F, ascii: лічбы і літары A-Z, math: раўнанне, poll: наладжвальнае апытанне, button: кнопка).\n\n/captcha_poll - дазваляе наладзіць пытанне для апытання і параметры апытання.\n\n/welcome_msg - дазваляе наладзіць вітальнае паведамленне пасля ўводу звестак з выявы.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - пасля таго, як новы карыстальнік уводзіць звесткі, абмяжоўвае яму магчымасць адпраўляць нетэкставыя паведамленні на працягу аднаго дня (або назаўсёды з ключом \"forever\").\n\n/add_ignore - не выводзіць капчу карыстальніку.\n\n/remove_ignore - перастаць ігнараваць карыстальніка.\n\n/ignore_list - спіс карыстальнікаў, якія ігнаруюцца.\n\n/remove_solve_kick_msg - дазваляе наладзіць аўтаматычнае выдаленне службовых паведамленняў.\n\n/remove_welcome_msg - дазваляе наладзіць аўтаматычнае выдаленне вітальнага паведамлення.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - дазваляе суполцы выкарыстоўваць бота (калі бот прыватны).\n\n/enable - уключыць абарону ў суполцы.\n\n/disable - адключыць абарону ў суполцы.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - паказвае ідэнтыфікатар чата.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - паказвае версію бота.\n\n/about - паказвае звесткі пра бота.",
"Спіс загадаў:\n————————————————\n/start - паказвае агульныя звесткі пра бота.\n\n/help - паказвае даведку.\n\n/commands - паказвае гэтае паведамленне пра ўсе даступныя загады.\n\n/language - дазваляе змяніць мову паведамленняў бота.\n\n/time - дазваляе змяніць час на ўвод звестак з выявы.\n\n/difficulty - дазваляе змяніць узровень складанасці (ад 1 да 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - дазваляе змяніць рэжым капчы (nums: лічбы, hex: лічбы і літары A-F, ascii: лічбы і літары A-Z, math: раўнанне, poll: наладжвальнае апытанне, button: кнопка).\n\n/captcha_poll - дазваляе наладзіць пытанне для апытання і параметры апытання.\n\n/welcome_msg - дазваляе наладзіць вітальнае паведамленне пасля ўводу звестак з выявы.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - пасля таго, як новы карыстальнік уводзіць звесткі, абмяжоўвае яму магчымасць адпраўляць нетэкставыя паведамленні на працягу аднаго дня (або назаўсёды з ключом \"forever\").\n\n/add_ignore - не выводзіць капчу карыстальніку.\n\n/remove_ignore - перастаць ігнараваць карыстальніка.\n\n/ignore_list - спіс карыстальнікаў, якія ігнаруюцца.\n\n/remove_solve_kick_msg - дазваляе наладзіць аўтаматычнае выдаленне службовых паведамленняў.\n\n/remove_welcome_msg - дазваляе наладзіць аўтаматычнае выдаленне вітальнага паведамлення.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - дазваляе суполцы выкарыстоўваць бота (калі бот прыватны).\n\n/enable - уключыць абарону ў суполцы.\n\n/disable - адключыць абарону ў суполцы.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - паказвае ідэнтыфікатар чата.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - паказвае версію бота.\n\n/about - паказвае звесткі пра бота.",
"CMD_NOT_ALLOW":
"Толькі адміністратары могуць выкарыстоўваць гэты загад.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Вітальнае паведамленне паспяхова наладжана.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Вітаю {}, дзякуй, што далучыліся да суполкі {}. Калі ласка, націсніце на кнопку ніжэй, каб пацвердзіць, што вы чалавек. Калі вы не зробіце гэтага на працягу {}, я выдалю вас з суполкі.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Вы пацвердзілі, што вы чалавек.\nПрыемна бачыць вас у суполцы, {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"Гэта няправільны код. Вам патрэбна рашыць раўнанне...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} не ўдаецца вырашыць капчу. \"Карыстальнік\" быў выгнаны.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Я паспрабаваў выдаліць гэтае паведамленне, але ў мяне няма правоў на выдаленне паведамленняў.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Выяўлена паведамленне з URL (або псеўданімам) ад карыстальніка {}, які яшчэ не ўвёў звесткі з выявы. Паведамленне выдалена.",

Wyświetl plik

@ -6,7 +6,7 @@
"Ajuda sobre el bot:\n————————————————\n- Sóc un bot que envia un captcha a cada usuari nou que s'uneix al grup, i expulso (kick) als que no resolen el captcha en un temps determinat.\n\n- Si un usuari ha intentat unir-se al grup 5 vegades i mai no ha resolt el captcha, suposaré que aquell \"usuari\" és un bot i el bandejaré (ban).\n\n- Qualsevol missatge que contingui un URL i hagi estat enviat per un \"usuari\" nou abans que aquest hagi resolt el captcha, serà considerat un missatge brossa (SPAM) i l'esborraré.\n\n- Heu de donar-me permisos d'administració per a expulsar usuaris i eliminar missatges.\n\n- Per tal de mantenir net el grup, elimino aquells missatges que tinguin relació amb mi quan no s'hagi resolt el captcha i l'usuari hagi estat expulsat (kick) (transcorreguts 5 minuts).\n\n- El temps del que disposen els usuaris per a resoldre el captcha són 5 minuts, però es pot canviar mitjançant l'ordre /time.\n\n- Podeu activar o desactivar la protecció captcha mitjançant les ordres /enable i /disable.\n\n- Les ordres de configuració només les poden utilitzar els administradors del grup.\n\n- Podeu canviar l'idioma en el que parlo mitjançant l'ordre /language.\n\n- Podeu configurar el nivell de dificultat del captcha mitjançant l'ordre /difficulty.\n\n- Podeu establir que els captcha només continguin números (per defecte), o números i lletres, or a math equation to be solved, or a custom poll, or just a button, a través de l'ordre /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Podeu configurar un missatge de benvinguda personalitzat amb ordre /welcome_msg.\n\n- You can enable an option to let me apply restriction to new joined users to send non-text messages using command /restrict_non_text.\n\n- If the Bot is Private, allow groups with command /allowgroup.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- Doneu un cop d'ull a l'ordre /commands per a veure un llistat amb totes les ordres disponibles i una breu descripció de cadascuna.",
"COMMANDS":
"Llistat d'ordres:\n————————————————\n/start - Mostra la informació inicial sobre el bot.\n\n/help - Mostra la informació d'ajuda.\n\n/commands - Mostra el missatge actual: informació sobre totes les ordres disponibles i la seva descripció.\n\n/language - Permet canviar l'idioma en que parla el bot.\n\n/time - Permet canviar el temps disponible per a resoldre un captcha.\n\n/difficulty - Permet canviar el nivell de dificultat del captcha (d'1 a 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Permet canviar el mode-caràcter del captcha (nums: només números, hex: números i lletres A-F, ascii: números i lletres A-Z, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Permet configurar un missatge de benvinguda que senvia després de resoldre el captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Do not ask an ignored user the captcha.\n\n/remove_ignore - Stop ignoring an user.\n\n/ignore_list - list of ignored users' IDs.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Allow a group to use the Bot (if Bot is Private).\n\n/enable - Activa la protecció per captcha en el grup.\n\n/disable - Desactiva la protecció per captcha en el grup.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Consulta la versió del bot.\n\n/about - Mostra la informació \"Quant a...\" del bot.",
"Llistat d'ordres:\n————————————————\n/start - Mostra la informació inicial sobre el bot.\n\n/help - Mostra la informació d'ajuda.\n\n/commands - Mostra el missatge actual: informació sobre totes les ordres disponibles i la seva descripció.\n\n/language - Permet canviar l'idioma en que parla el bot.\n\n/time - Permet canviar el temps disponible per a resoldre un captcha.\n\n/difficulty - Permet canviar el nivell de dificultat del captcha (d'1 a 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Permet canviar el mode-caràcter del captcha (nums: només números, hex: números i lletres A-F, ascii: números i lletres A-Z, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Permet configurar un missatge de benvinguda que senvia després de resoldre el captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Do not ask an ignored user the captcha.\n\n/remove_ignore - Stop ignoring an user.\n\n/ignore_list - list of ignored users' IDs.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Allow a group to use the Bot (if Bot is Private).\n\n/enable - Activa la protecció per captcha en el grup.\n\n/disable - Desactiva la protecció per captcha en el grup.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Consulta la versió del bot.\n\n/about - Mostra la informació \"Quant a...\" del bot.",
"CMD_NOT_ALLOW":
"Aquesta ordre només la pot utilitar un administrador.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"El missatge de benvinguda s'ha configurat correctament.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Hello {}, welcome to {}. Please press the button below to verify that you are a human. If you don't do this in {}, you will be automatically kicked out of the group.\n\n[This text needs translate to actual configured language]",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Heu resolt el captcha correctament. Ja sou un usuari verificat.\nBenvingut/da al grup, {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"That is not the correct number. Check closely, you need to solve the math equation...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} no aconsegueixen resoldre el captcha. L'\"usuari\" ha estat expulsat.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"He intentat esborrar aquest missatge, però no se m'han donat els permisos d'administració necessaris per tal d'eliminar els missatges que no són meus.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"S'ha detectat un missatge que conté un URL (o àlies) enviat per {}, que encara no ha resolt el captcha. He eliminat el missatge per tal de tenir el grup net de brossa:)",

Wyświetl plik

@ -6,7 +6,7 @@
"Bot Hilfe:\n————————————————\n- Ich bin ein Bot, der für jeden neuen Benutzer der einer Gruppe beitritt ein Captcha sendet und ihn kickt, wenn das Captcha nicht innerhalb einer bestimmten Zeit gelöst kann.\n\n- Wenn ein Benutzer 5 Mal hintereinander versucht der Gruppe beizutreten und das Captcha nie löst, gehe ich davon aus, dass der Benutzer ein Bot ist, und er wird gesperrt.\n\n- Jede Nachricht, die eine URL enthält, die von einem neuen Benutzer gesendet wurde, bevor das Captcha abgeschlossen wurde, wird als Spam eingestuft und gelöscht.\n\n- Sie müssen mir Administratorrechte erteilen um Benutzer sperren und Nachrichten entfernen zu können.\n\n- Um eine saubere Gruppe beizubehalten, entferne ich automatisch alle Nachrichten die sich auf mich beziehen, wenn ein Captcha nicht gelöst wurde und der Benutzer gekickt wurde (nach 5 Minuten).\n\n- Die Zeit die neue Benutzer benötigen um das Captcha zu lösen beträgt standardmäßig 5 Minuten, kann jedoch mit dem Befehl /time konfiguriert werden.\n\n- Sie können den Captcha-Schutz mit den Befehlen /enable und /disable ein- und ausschalten.\n\n- Konfigurationsbefehle können nur von Gruppenadministratoren verwendet werden.\n\n- Sie können die Sprache die ich spreche mit dem Befehl /language ändern.\n\n- Sie können den Captcha-Schwierigkeitsgrad mit dem Befehl /difficulty konfigurieren.\n\n- Sie können das Captcha mit dem Befehl /captcha_mode so einstellen, dass nur Zahlen (Standard), eine mathematische Gleichung, eine benutzerdefinierte Frage und Antworten, ein Knopf, oder ganze Zahlen und Buchstaben verwendet werden.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Sie können eine benutzerdefinierte Willkommensnachricht mit dem Befehl /welcome_msg konfigurieren.\n\n- Sie können mit dem Befehl /restrict_non_text neue Benutzer restriktieren, dass nur Textnachrichten gesendet werden können.\n\n- Ist der Bot privat, erlauben Sie Gruppen mit dem Befehl /allowgroup.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- Benutzen Sie /commands, um eine Liste aller verfügbaren Befehle und eine kurze Beschreibung aller Befehle zu erhalten.",
"COMMANDS":
"Liste der Befehle:\n————————————————\n/start - Zeigt die anfänglichen Informationen zum Bot an.\n\n/help - Zeigt die Hilfeinformationen an.\n\n/commands - Zeigt diese Nachricht an. Informationen zu allen verfügbaren Befehlen und deren Beschreibung.\n\n/language - Ermöglicht das ändern der Sprache der Bot-Nachrichten.\n\n/time - Ermöglicht das ändern der verfügbaren Zeit zum lösen eines Captchas.\n\n/difficulty - Ermöglicht das ändern des Captcha-Schwierigkeitsgrades (von 1 bis 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Ermöglicht das Ändern des Captchamodus (nums: nur Zahlen, hex: Zahlen und A-F-Zeichen, ascii: Zahlen und A-Z-Zeichen, math: mathematische Gleichung, poll: benutzerdefinierte Frage und Antworten, button: ein Knopf).\n\n/captcha_poll - Erstellen Sie eine benutzerdefinierte Frage und Antworten.\n\n/welcome_msg - Ermöglicht die Konfiguration einer Willkommensnachricht, die nach dem lösen des Captcha gesendet wird.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Nachdem ein neuer Benutzer das Captcha löst, kann dieser für 1 Tag (oder für immer, wenn sie das Schlagwort \"forever\" verwenden) nur Textnachrichten senden.\n\n/add_ignore - Ein ignorierter Benutzer muss das Captcha nicht lösen.\n\n/remove_ignore – Stoppt das ignorieren eines Benutzers.\n\n/ignore_list – Liste ignorierter Benutzer.\n\n/remove_solve_kick_msg - Stellen Sie ein, ob Captcha Lösungsnachrichten bzw Kick/Bann-Nachrichten nach einiger Zeit automatisch entfernt werden.\n\n/remove_welcome_msg - Stellen Sie ein, ob die Willkommensnachricht nach einiger Zeit automatisch entfernt wird.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Erlauben Sie einer Gruppe den Bot zu benutzen (wenn der Bot privat ist).\n\n/enable - Aktivieren Sie den Captcha-Schutz der Gruppe.\n\n/disable - Deaktivieren Sie den Captcha-Schutz der Gruppe.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Zeigt Chat ID des Chats an.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Zeigen Sie die Version des Bot an.\n\n/about - About info anzeigen.",
"Liste der Befehle:\n————————————————\n/start - Zeigt die anfänglichen Informationen zum Bot an.\n\n/help - Zeigt die Hilfeinformationen an.\n\n/commands - Zeigt diese Nachricht an. Informationen zu allen verfügbaren Befehlen und deren Beschreibung.\n\n/language - Ermöglicht das ändern der Sprache der Bot-Nachrichten.\n\n/time - Ermöglicht das ändern der verfügbaren Zeit zum lösen eines Captchas.\n\n/difficulty - Ermöglicht das ändern des Captcha-Schwierigkeitsgrades (von 1 bis 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Ermöglicht das Ändern des Captchamodus (nums: nur Zahlen, hex: Zahlen und A-F-Zeichen, ascii: Zahlen und A-Z-Zeichen, math: mathematische Gleichung, poll: benutzerdefinierte Frage und Antworten, button: ein Knopf).\n\n/captcha_poll - Erstellen Sie eine benutzerdefinierte Frage und Antworten.\n\n/welcome_msg - Ermöglicht die Konfiguration einer Willkommensnachricht, die nach dem lösen des Captcha gesendet wird.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Nachdem ein neuer Benutzer das Captcha löst, kann dieser für 1 Tag (oder für immer, wenn sie das Schlagwort \"forever\" verwenden) nur Textnachrichten senden.\n\n/add_ignore - Ein ignorierter Benutzer muss das Captcha nicht lösen.\n\n/remove_ignore – Stoppt das ignorieren eines Benutzers.\n\n/ignore_list – Liste ignorierter Benutzer.\n\n/remove_solve_kick_msg - Stellen Sie ein, ob Captcha Lösungsnachrichten bzw Kick/Bann-Nachrichten nach einiger Zeit automatisch entfernt werden.\n\n/remove_welcome_msg - Stellen Sie ein, ob die Willkommensnachricht nach einiger Zeit automatisch entfernt wird.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Erlauben Sie einer Gruppe den Bot zu benutzen (wenn der Bot privat ist).\n\n/enable - Aktivieren Sie den Captcha-Schutz der Gruppe.\n\n/disable - Deaktivieren Sie den Captcha-Schutz der Gruppe.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Zeigt Chat ID des Chats an.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Zeigen Sie die Version des Bot an.\n\n/about - About info anzeigen.",
"CMD_NOT_ALLOW":
"Nur ein Administrator kann diesen Befehl verwenden.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Willkommensnachricht erfolgreich konfiguriert.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Hallo {}, willkommen bei {}, bitte drück den Knopf um zu bestätigen, dass du ein Mensch bist. Wenn du das Captcha in {} nicht löst, wirst du automatisch aus der Gruppe gekickt.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Captcha gelöst, Benutzer verifiziert.\nWillkommen in der Gruppe {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"Das ist nicht die richtige Zahl. Schauen Sie genau hin, Sie müssen die mathematische Gleichung lösen...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} hat das Captcha nicht gelöst. \"User\" wurde gekickt.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Ich habe versucht, diese Nachricht zu löschen, habe jedoch keine Administratorrechte zum entfernen von Nachrichten, die nicht von mir gesendet wurden.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Es wurde eine Nachricht mit einer URL (oder einem Alias) von {} gefunden, die das Captcha noch nicht gelöst hat. Die Nachricht wurde entfernt, um Telegram frei von Spam zu halten:)",

Wyświetl plik

@ -6,7 +6,7 @@
"Bot help:\n————————————————\n- Είμαι ένα bot που θα στείλει μια εικόνα γρίφο-captcha για κάθε νέο χρήστη που μπαίνει σε ένα group, και απομακρύνει οποιονδήποτε δεν μπορεί να λύσει τον γρίφο captcha στο συγκεκριμένο χρονικό διάστημα.\n\n- Αν κάποιος χρήστης προσπαθήσει να μπει στο γκρουπ 5 συνεχόμενες φορές και δεν καταφέρει να λύσει τον γρίφο-captcha, θα υποθέσω ότι αυτός ο \"user\" είναι bot και αυτός ο χρήστης θα απομακρυνθεί.\n\n- οποιοδήποτε μήνυμα περιέχει κάποιο url και έχει σταλεί από νέο \"user\" πριν λύσει τον γρίφο-captcha θα θεωρηθεί spam και θα διαγραφεί.\n\n- Πρέπει να μου δώσεις δικαιώματα διαχειριστή ώστε να μπορώ να διώχνω χρήστες και να διαγράφω μηνύματα.\n\n- Για να κρατήσω ένα group καθαρό, διαγράφω αυτόματα όλα τα μηνύματα που σχετίζονται με εμένα όταν ένας γρίφος- captcha δεν λύνεται και ο χρήστης έχει απομακρυνθεί (ύστερα από 5 λεπτά). \n\n- O χρόνος που έχουν οι νέοι χρήστες να λύσουν τον γρίφο-captcha είναι 5 λεπτά από προεπιλογή αλλά μπορεί να αλλάξει χρησιμοποιώντας την εντολή /time.\n\n- Μπορείς να απενεργοποιήσεις την προστασία του γρίφου captcha χρησιμοποιώντας τις εντολές /enable και /disable.\n\n- Εντολές παραμετροποίησης μπορούν μόνο να χρησιμοποιηθούν από τους διαχειριστές ενός group.\n\n- Μπορείς να αλλάξεις την γλώσσα που επικοινωνώ, χρησιμοποιώντας την εντολή /language.\n\n- Μπορείς να παραμετροποιήσεις την δυσκολία του γρίφου captcha χρησιμοποιώντας την εντολή /difficulty.\n\n- Μπορείς να σετάρεις τον γρίφο captcha ώστε να χρησιμοποιεί ολόκληρους αριθμούς και γράμματα A-Z ή αριθμούς και γράμματα Α-F ή απλά αριθμούς (προεπιλογή), or a math equation to be solved, ή κάποια προσαρμοσμένη ψηφοφορία ή κάποιο κουμπί, χρησιμοποιώντας την εντολή /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Μπορείτε να διαμορφώσετε ένα προσαρμοσμένο μήνυμα καλωσορίσματος με την εντολή /welcome_msg.\n\n- Μπορείτε να ενεργοποιήσετε μια επιλογή για να μου επιτρέψετε να εφαρμόσω περιορισμούς σε νέους συνδεδεμένους χρήστες για την αποστολή μηνυμάτων κειμένου χρησιμοποιώντας την εντολή /restrict_non_text.\n\n- Εάν το Bot είναι ιδιωτικό, επιτρέψτε ομάδες με την εντολή /allowgroup.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- Ελέγξτε την εντολή /commands για να λάβετε μια λίστα με όλες τις διαθέσιμες εντολές και μια σύντομη περιγραφή όλων αυτών.",
"COMMANDS":
"List of commands:\n————————————————\n/start - Εμφανίζει τις αρχικές πληροφορίες σχετικά με το bot.\n\n/help - Εμφανίζει τις πληροφορίες της βοήθειας.\n\n/commands - Εμφανίζει αυτό το μήνυμα. Πληροφορίες σχετικά με όλες τις διαθέσιμες εντολές και την περιγραφή τους.\n\n/language - Επιτρέπει την αλλαγή της γλώσσας των μηνυμάτων του bot.\n\n/time - Επιτρέπει την αλλαγή του διαθέσιμου χρόνου για την επίλυση ενός captcha.\n\n/difficulty - Επιτρέπει την αλλαγή του επιπέδου δυσκολίας captcha (από 1 έως 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Επιτρέπει την αλλαγή της λειτουργίας captcha (nums: αριθμοί, hex: αριθμοί και χαρακτήρες A-F, ascii: αριθμοί και χαρακτήρες A-F, math: math equation, poll: προσαρμοσμένη και διαμορφώσιμη δημοσκόπηση, button: απλώς ένα κουμπί).\n\n/captcha_poll - Διαμόρφωση προσαρμοσμένης ερώτησης δημοσκόπησης και επιλογές για captcha σε λειτουργία δημοσκόπησης.\n\n/welcome_msg - Επιτρέπει τη διαμόρφωση ενός μηνύματος καλωσορίσματος που αποστέλλεται μετά την επίλυση του captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Αφού ο νέος χρήστης επιλύσει το captha, εφαρμόστε έναν περιορισμό για να μην τους αφήσετε να στέλνουν μηνύματα εκτός κειμένου (εικόνες, βίντεο, ήχους) για 1 ημέρα (ή για πάντα, χρησιμοποιώντας \"forever\" τη λέξη-κλειδί).\n\n/add_ignore - Μην ρωτάτε για επίλυση του captcha σε έναν αγνοημένο χρήστη.\n\n/remove_ignore - Σταματήστε να αγνοείτε έναν χρήστη. \n\n/ignore_list - Λίστα με χρήστες που έχουν αγνοηθεί.\n\n/remove_solve_kick_msg - Διαμορφώστε εάν τα μηνύματα επίλυσης του captcha και απομάκρυνσης/ban θα πρέπει να διαγραφούν αυτόματα μετά από λίγο.\n\n/remove_welcome_msg - Επιλέξτε εάν το μήνυμα καλωσορίσματος θα πρέπει να διαγραφεί αυτόματα μετά από λίγο.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Να επιτρέπεται σε μια ομάδα να χρησιμοποιεί το Bot (αν το Bot είναι ιδιωτικό). \n\n/enable - Ενεργοποιήστε την προστασία με χρήση captcha της ομάδας.\n\n/disable - Απενεργοποιήστε την προστασία με χρήση captcha της ομάδας.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Εμφανίζει το Chat ID του συγκεκριμένου chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Εμφανίζει την έκδοση του Bot.\n\n/about - Εμφανίζει τις πληροφορίες του about",
"List of commands:\n————————————————\n/start - Εμφανίζει τις αρχικές πληροφορίες σχετικά με το bot.\n\n/help - Εμφανίζει τις πληροφορίες της βοήθειας.\n\n/commands - Εμφανίζει αυτό το μήνυμα. Πληροφορίες σχετικά με όλες τις διαθέσιμες εντολές και την περιγραφή τους.\n\n/language - Επιτρέπει την αλλαγή της γλώσσας των μηνυμάτων του bot.\n\n/time - Επιτρέπει την αλλαγή του διαθέσιμου χρόνου για την επίλυση ενός captcha.\n\n/difficulty - Επιτρέπει την αλλαγή του επιπέδου δυσκολίας captcha (από 1 έως 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Επιτρέπει την αλλαγή της λειτουργίας captcha (nums: αριθμοί, hex: αριθμοί και χαρακτήρες A-F, ascii: αριθμοί και χαρακτήρες A-F, math: math equation, poll: προσαρμοσμένη και διαμορφώσιμη δημοσκόπηση, button: απλώς ένα κουμπί).\n\n/captcha_poll - Διαμόρφωση προσαρμοσμένης ερώτησης δημοσκόπησης και επιλογές για captcha σε λειτουργία δημοσκόπησης.\n\n/welcome_msg - Επιτρέπει τη διαμόρφωση ενός μηνύματος καλωσορίσματος που αποστέλλεται μετά την επίλυση του captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Αφού ο νέος χρήστης επιλύσει το captha, εφαρμόστε έναν περιορισμό για να μην τους αφήσετε να στέλνουν μηνύματα εκτός κειμένου (εικόνες, βίντεο, ήχους) για 1 ημέρα (ή για πάντα, χρησιμοποιώντας \"forever\" τη λέξη-κλειδί).\n\n/add_ignore - Μην ρωτάτε για επίλυση του captcha σε έναν αγνοημένο χρήστη.\n\n/remove_ignore - Σταματήστε να αγνοείτε έναν χρήστη. \n\n/ignore_list - Λίστα με χρήστες που έχουν αγνοηθεί.\n\n/remove_solve_kick_msg - Διαμορφώστε εάν τα μηνύματα επίλυσης του captcha και απομάκρυνσης/ban θα πρέπει να διαγραφούν αυτόματα μετά από λίγο.\n\n/remove_welcome_msg - Επιλέξτε εάν το μήνυμα καλωσορίσματος θα πρέπει να διαγραφεί αυτόματα μετά από λίγο.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Να επιτρέπεται σε μια ομάδα να χρησιμοποιεί το Bot (αν το Bot είναι ιδιωτικό). \n\n/enable - Ενεργοποιήστε την προστασία με χρήση captcha της ομάδας.\n\n/disable - Απενεργοποιήστε την προστασία με χρήση captcha της ομάδας.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Εμφανίζει το Chat ID του συγκεκριμένου chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Εμφανίζει την έκδοση του Bot.\n\n/about - Εμφανίζει τις πληροφορίες του about",
"CMD_NOT_ALLOW":
"Μόνο ένας διαχειριστής μπορεί να χρησιμοποιήσει αυτή την εντολή.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Το μήνυμα καλωσορίσματος άλλαξε επιτυχώς.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Γεια σου {}, καλωσήρθες στο κανάλι {}. Σε παρακαλώ πάτα το παρακάτω κουμπί για να επαληθεύσεις ότι είσαι όντως άνθρωπος και όχι κάποιο bot. Αν δεν το κάνεις αυτό μέσα σε {}, θα απομακρυνθείς από το γκρουπ. Στις 5 αποτυχημένες προσπάθειες θα θεωρηθείς κακόβουλο bot και θα μπαναριστείς.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Ο γρίφος (Captcha) λύθηκε και ο χρήστης επαληθεύθηκε.\nΚαλώς ήρθες, {}!",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"That is not the correct number. Check closely, you need to solve the math equation...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"Ο/Η {} αποτυγχάνουν να λύσουν το captcha. Ο/Η \"User\" απομακρύνθηκε από το γκρουπ.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Προσπάθησα να διαγράψω αυτό το μήνυμα, αλλά δεν έχω τα δικαιώματα διαχείρισης για την κατάργηση μηνυμάτων που δεν έχουν σταλεί από εμένα.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Εντοπίστηκε ένα μήνυμα με URL (ή alias) από {}, που δεν έχει λύσει το γρίφο captcha ακόμα. Το μήνυμα διαγράφηκε για να διατηρήσουμε το Telegram καθαρό από Spam :)",

Wyświetl plik

@ -6,7 +6,7 @@
"Bot help:\n————————————————\n- I am a Bot that sends a captcha for each new user that joins a group, and kick any of them that can't solve the captcha within a specified time.\n\n- If a user tries to join the group 5 times in a row and never solves the captcha, I will assume that the \"user\" is a bot, and it will be banned.\n\n- Any message that contains an URL that has been sent by a new \"user\" before captcha is completed will be considered spam and will be deleted.\n\n- You need to grant me Administration rights so I can kick users and remove messages.\n\n- To preserve a clean group, I auto-remove all messages related to me when a captcha is not solved and the user was kicked.\n\n- The time that new users have to solve the captcha is 5 minutes by default, but it can be configured using the command /time.\n\n- You can turn captcha protection on/off using the commands /enable and /disable.\n\n- Configuration commands can only be used by group Administrators.\n\n- You can change the language that I speak, using the command /language.\n\n- You can configure captcha difficulty level using command /difficulty.\n\n- You can set different types of captcha modes using /captcha_mode, from images with numbers (default), letters, a math equation to be solved, a custom poll, a button to be pressed, etc.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- You can configure a custom welcome message with command /welcome_msg.\n\n- You can enable an option to let me apply restriction to new joined users to send non-text messages using command /restrict_non_text.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- Check /commands to get a list of all available commands, and a short description of all of them.",
"COMMANDS":
"List of commands:\n————————————————\n/start - Shows the initial information about the bot.\n\n/help - Shows the help information.\n\n/commands - Shows this message. Information about all the available commands and their description.\n\n/language - Allows to change the language of the bot's messages.\n\n/time - Allows changing the time available to solve a captcha.\n\n/difficulty - Allows changing captcha difficulty level (from 1 to 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Allows changing captcha mode (nums: numbers, hex: numbers and A-F chars, ascii: numbers and A-Z chars, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Allows to configure a welcome message that is sent after solving the captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Do not ask an ignored user the captcha.\n\n/remove_ignore - Stop ignoring an user.\n\n/ignore_list - list of ignored users' IDs.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Allow a group to use the Bot (if Bot is Private).\n\n/enable - Enable the captcha protection of the group.\n\n/disable - Disable the captcha protection of the group.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Show the version of the Bot.\n\n/about - Show about info.",
"List of commands:\n————————————————\n/start - Shows the initial information about the bot.\n\n/help - Shows the help information.\n\n/commands - Shows this message. Information about all the available commands and their description.\n\n/language - Allows to change the language of the bot's messages.\n\n/time - Allows changing the time available to solve a captcha.\n\n/difficulty - Allows changing captcha difficulty level (from 1 to 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Allows changing captcha mode (nums: numbers, hex: numbers and A-F chars, ascii: numbers and A-Z chars, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Allows to configure a welcome message that is sent after solving the captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Do not ask an ignored user the captcha.\n\n/remove_ignore - Stop ignoring an user.\n\n/ignore_list - list of ignored users' IDs.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Allow a group to use the Bot (if Bot is Private).\n\n/enable - Enable the captcha protection of the group.\n\n/disable - Disable the captcha protection of the group.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Show the version of the Bot.\n\n/about - Show about info.",
"CMD_NOT_ALLOW":
"Only an Admin can use this command.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Welcome message successfully configured.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Hello {}, welcome to {}. Please press the button below to verify that you are not a robot. If you don't do this in {}, you will be automatically kicked out of the group.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Captcha solved, user verified.\nWelcome to the group, {}",
@ -137,8 +146,8 @@
"CAPTCHA_INCORRECT_MATH":
"That is not the correct number. Check closely, you need to solve the math equation...",
"NEW_USER_KICK":
"{} fail to solve the captcha. \"User\" was kicked out.",
"CAPTCHA_FAIL_KICK":
"The user {} failed to resolve the captcha. The \"user\" was kicked out.",
"NEW_USER_KICK_NOT_RIGHTS":
"I tried to kick out \"User\" {}, but I don't have administration rights to kick out users from the group.",
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"I tried to delete this message, but I don't have the administration rights to remove messages that have not been sent by me.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Detected a message with an URL (or alias) from {}, who has not solved the captcha yet. The message has been removed for the sake of keeping Telegram free of Spam :)",

Wyświetl plik

@ -6,7 +6,7 @@
"Helpo:\n————————————————\n- Mi estas roboto kiu sendas CAPTCHA-teston por ĉiu nova uzanto kiu eniras en grupon, kaj forigas ĉiujn post specifa tempo.\n\n- Se uzanto provas eniri en la grupon 5 fojojn kaj ne kapablas solvi ĝin, mi supozos ke tiu \"uzanto\" estas roboto, kaj ĝi estos blokita. Memoru ke mi bezonas esti estro (administranto) en la grupo por bloki uzantojn kaj forviŝi mesaĝojn. Por ke la grupo restos pura, mi forigos la mesaĝojn rilatitajn al mi se la testo ne estas solvita, kaj la uzanto estis forigita.\n\nUzantoj havas defaŭlte 5 minutojn por solvi la teston, sed tiu tempo estas agordebla per la komando /time.\n\nVi povas mal/ŝalti la CAPTCHAan protekton per komandoj /enable kaj /disable.\n\n- La agordaj komandoj povas esti uzitaj nur de administrantoj.\n\n- Vi povas ŝanĝi mian lingvon per komando /language.\n\n- Vi povas agordi la malfacileco de la CAPTCHA-testo per komando /difficulty.\n\nVi povas agordi CAPTCHA-teston por uzi nur ciferojn (defaŭlte), or a math equation to be solved, or a custom poll, or just a button, aŭ ankaŭ literojn per komando /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Vi povas agordi bonvenigan mesaĝon per komando /welcome_msg.\n\n- Vi povas aktivigi eblon por permesi min limigi al novaj uzantoj sendi netekstajn mesaĝojn per komando /restrict_non_text.\n\n- Se la roboto estas privata, permesu grupojn per komando /allowgroup.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- Tajpu /commands por vidi liston de ĉiuj eblaj komandoj, kaj mallongan priskribon de ili ĉiuj.",
"COMMANDS":
"Listo de komandoj:\n————————————————\n/start - Montras la komencigan informon pri la roboto.\n\n/help - Montras helpan informon.\n\n/commands - Montras ĉi tiun mesaĝon. Informon pri ĉiuj disponeblaj komandoj kaj iliaj priskriboj.\n\n/language - Permesas ŝanĝi la lingvo de la robotaj mesaĝoj.\n\n/time - Permesas ŝanĝi la tempon por solvi la CAPTCHA-teston.\n\n/difficulty - Permesas ŝanĝi la malfacilecon (niveloj el 1 al 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Permesas ŝanĝi la modon (nums: nur nombroj, hex: nombroj kaj A-F literojn, ascii: nombroj kaj A-Z literoj, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Permesas agordi bonvenigan mesaĝon por sendi post solvi la CAPTCHA-teston.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Ne demandu CAPTCHA-teston al ignorita uzanto.\n\n/remove_ignore - Ne plu ignoru uzanton.\n\n/ignore_list - listo de ID de ignoritaj uzantoj.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Permesi grupon uzi la roboton (se ĝi estas privata).\n\n/enable - Ebligas la CAPTCHA-teston en la grupo.\n\n/disable - Malebligas la CAPTCHA-teston en la grupo.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Montras la version de la roboto.\n\n/about - Montras \"pri\" informon.",
"Listo de komandoj:\n————————————————\n/start - Montras la komencigan informon pri la roboto.\n\n/help - Montras helpan informon.\n\n/commands - Montras ĉi tiun mesaĝon. Informon pri ĉiuj disponeblaj komandoj kaj iliaj priskriboj.\n\n/language - Permesas ŝanĝi la lingvo de la robotaj mesaĝoj.\n\n/time - Permesas ŝanĝi la tempon por solvi la CAPTCHA-teston.\n\n/difficulty - Permesas ŝanĝi la malfacilecon (niveloj el 1 al 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Permesas ŝanĝi la modon (nums: nur nombroj, hex: nombroj kaj A-F literojn, ascii: nombroj kaj A-Z literoj, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Permesas agordi bonvenigan mesaĝon por sendi post solvi la CAPTCHA-teston.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Ne demandu CAPTCHA-teston al ignorita uzanto.\n\n/remove_ignore - Ne plu ignoru uzanton.\n\n/ignore_list - listo de ID de ignoritaj uzantoj.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Permesi grupon uzi la roboton (se ĝi estas privata).\n\n/enable - Ebligas la CAPTCHA-teston en la grupo.\n\n/disable - Malebligas la CAPTCHA-teston en la grupo.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Montras la version de la roboto.\n\n/about - Montras \"pri\" informon.",
"CMD_NOT_ALLOW":
"Nur Administranto rajtas uzi tiun ĉi komandon",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Bonveniga mesaĝo ŝangita.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Hello {}, welcome to {}. Please press the button below to verify that you are a human. If you don't do this in {}, you will be automatically kicked out of the group.\n\n[This text needs translate to actual configured language]",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Solvite.\nBonvenon en la grupon {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"That is not the correct number. Check closely, you need to solve the math equation...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} ne sukcesis solvi la captcha-testo. \"Uzanto\" estis forigita.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Mi provis forviŝi ĉi tiun mesaĝon, sed mi ne estas administranto en la grupo, do mi rajtas forviŝi nur miajn proprajn mesaĝojn.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Mi trovis mesaĝon kun URL (aŭ \"alias\") de {}, kiu ankoraŭ ne solvis la CAPTCHA-teston. La mesaĝo estis forviŝita por teni la grupon sen spamo.",

Wyświetl plik

@ -6,7 +6,7 @@
"Ayuda sobre el Bot:\n————————————————\n- Soy un Bot que envía un captcha a cada nuevo usuario que se une al grupo, y expulso (kick) a los que no resuelvan el captcha en un tiempo determinado.\n\n- Si un usuario ha intentado unirse al grupo 5 veces y nunca consiguió resolver el captcha, supondré que ese \"usuario\" es un Bot y, tras expulsarlo, lo bloquearé (ban) para que no pueda volver a entrar en el grupo.\n\n- Cualquier mensaje que contenga una URL y haya sido enviado por un nuevo \"usuario\" antes de que este haya resuelto el captcha, será considerado un mensaje de Spam y será borrado.\n\n- Debes darme permisos de Administración para suspender usuarios y eliminar mensajes.\n\n- Para mantener limpio el grupo, elimino aquellos mensajes que tengan relación conmigo cuando no se haya resuelto el captcha y el usuario haya sido expulsado (transcurridos 5 minutos).\n\n- El tiempo que disponen los usuarios para resolver el captcha son 5 minutos, pero este tiempo puede ser cambiado mediante el comando /time.\n\n- Puedes activar o desactivar la protección captcha mediante los comandos /enable y /disable.\n\n- Los comandos de configuraciones solo pueden ser usados por los Administradores del grupo.\n\n- Puedes cambiar el idioma en el que hablo mediante el comando /language.\n\n- Puedes configurar el nivel de dificultad del captcha mediante el comando /difficulty.\n\n- Puedes establecer el tipo de captcha a utilizar, y si el captcha de imagen solo contendrá números (por defecto), números y letras, una ecuación matemática que deba resolverse, o si el captcha será una encuesta o simplemente un botón que presionar, todo ello a través del comando /captcha_mode.\n\n- Puedes configurar diferentes tipos de restricciones para castigar a los usuarios que fallan el captcha mediante el comando /restriction, desde expulsar (kick) del grupo (por defecto), expulsar para siempre (banear), impedir que escriban mensajes (mute), etc.\n\n- Puedes configurar un mensaje de bienvenida personalizado con el comando /welcome_msg.\n\n- Puedes configurarme para que restrinja a los nuevos usuarios para que no puedan enviar mensajes que no sean de texto mediante el comando /restrict_non_text.\n\n- Si el Bot es Privado, habilita grupos donde usar el Bot con el comando /allowgroup.\n\n- Puedes configurar un grupo desde un chat privado con el Bot mediante el comando /connect.\n\n- Puedes evitar que los miembros de un grupo envíen mensajes con enlaces a sitios web (URLs) mediante el comando /url_disable command.\n\n- Echa un vistazo al comando /commands para ver una lista con todos los comandos disponibles y una breve descripción de cada uno de ellos.",
"COMMANDS":
"Lista de comandos:\n————————————————\n/start - Muestra la información inicial sobre el Bot.\n\n/help - Muestra la información de ayuda.\n\n/commands - Muestra el mensaje actual. Información sobre todos los comandos disponibles y su descripción.\n\n/language - Permite cambiar el idioma en el que habla el Bot.\n\n/time - Permite cambiar el tiempo disponible para resolver un captcha.\n\n/difficulty - Permite cambiar el nivel de dificultad del captcha (de 1 a 5).\n\n/restriction - Permite establecer el tipo de castigo a aplicar a los usuarios que fallan el captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Permite cambiar el tipo/modo de los captchas (nums: solo números, hex: números y letras A-F, ascii: números y letras A-Z, math: ecuación matemática, button: captcha de presionar un botón).\n\n/captcha_poll - Permite configurar, de forma personalizada, la pregunta y opciones de respuesta para la encuesta que se presenta cuando se utiliza el modo de captcha de encuesta.\n\n/welcome_msg - Permite configurar un mensaje de bienvenida que se envía tras resolver el captcha.\n\n/welcome_msg_time - Permite configurar el tiempo de borrado automático del mensaje de bienvenida.\n\n/restrict_non_text - Activa la restricción de nuevos usuarios para que, tras resolver el captcha, no puedan enviar mensajes que no sean de texto (imágenes, videos, audios) durante 1 día (o para siempre, si se usa la palabra clave \"forever\").\n\n/add_ignore - Añadir a un usuario a la lista de ignorados para que el Bot no le pida resolver el captcha en este grupo.\n\n/remove_ignore - Elimina a un usuario de la lista de ignorados en este chat.\n\n/ignore_list - Muestra la lista de IDs de usuarios ignorados en este chat.\n\n/remove_solve_kick_msg - Configurar si los mensajes de captcha resuelto y los mensajes de usuario expulsado deben, o no, ser eliminados de forma automática después de un tiempo.\n\n/remove_welcome_msg - Configurar si los mensajes de bienvenida deben, o no, ser eliminados de forma automática después de un tiempo.\n\n/url_disable - Impedir que los miembros del grupo puedan enviar mensajes con enlaces a sitios web (URLs).\n\n/url_enable - Permitir que los miembros del grupo puedan enviar mensajes con enlaces a sitios web (URLs).\n\n/remove_all_msg_kick_off - Configurar al Bot para que no elimine los mensajes de texto que enviaron los usuarios que no resolvieron el captcha.\n\n/remove_all_msg_kick_on - Configurar al Bot para que elimine todos los mensajes enviados por los usuarios que no resolvieron el captcha.\n\n/allowgroup - Permitir que un grupo pueda usar al Bot (si el Bot es Privado).\n\n/enable - Activa la protección captcha en el grupo.\n\n/disable - Desactiva la protección captcha en el grupo.\n\n/checkcfg - Consulta las configuraciones captcha del grupo.\n\n/chatid - Muestra el Chat ID del chat actual.\n\n/connect - Conectarse a un grupo para configurarlo desde el chat privado con el Bot.\n\n/disconnect - Desconectarse del grupo al que se está conectado para configurarlo desde el chat privado con el Bot.\n\n/version - Consulta la versión del Bot.\n\n/about - Muestra la información \"acerca de...\" del Bot.",
"Lista de comandos:\n————————————————\n/start - Muestra la información inicial sobre el Bot.\n\n/help - Muestra la información de ayuda.\n\n/commands - Muestra el mensaje actual. Información sobre todos los comandos disponibles y su descripción.\n\n/language - Permite cambiar el idioma en el que habla el Bot.\n\n/time - Permite cambiar el tiempo disponible para resolver un captcha.\n\n/difficulty - Permite cambiar el nivel de dificultad del captcha (de 1 a 5).\n\n/restriction - Permite establecer el tipo de castigo a aplicar a los usuarios que fallan el captcha (kick, mute, etc.).\n\n/captcha_mode - Permite cambiar el tipo/modo de los captchas (nums: solo números, hex: números y letras A-F, ascii: números y letras A-Z, math: ecuación matemática, button: captcha de presionar un botón).\n\n/captcha_poll - Permite configurar, de forma personalizada, la pregunta y opciones de respuesta para la encuesta que se presenta cuando se utiliza el modo de captcha de encuesta.\n\n/welcome_msg - Permite configurar un mensaje de bienvenida que se envía tras resolver el captcha.\n\n/welcome_msg_time - Permite configurar el tiempo de borrado automático del mensaje de bienvenida.\n\n/restrict_non_text - Activa la restricción de nuevos usuarios para que, tras resolver el captcha, no puedan enviar mensajes que no sean de texto (imágenes, videos, audios) durante 1 día (o para siempre, si se usa la palabra clave \"forever\").\n\n/add_ignore - Añadir a un usuario a la lista de ignorados para que el Bot no le pida resolver el captcha en este grupo.\n\n/remove_ignore - Elimina a un usuario de la lista de ignorados en este chat.\n\n/ignore_list - Muestra la lista de IDs de usuarios ignorados en este chat.\n\n/remove_solve_kick_msg - Configurar si los mensajes de captcha resuelto y los mensajes de usuario expulsado deben, o no, ser eliminados de forma automática después de un tiempo.\n\n/remove_welcome_msg - Configurar si los mensajes de bienvenida deben, o no, ser eliminados de forma automática después de un tiempo.\n\n/url_disable - Impedir que los miembros del grupo puedan enviar mensajes con enlaces a sitios web (URLs).\n\n/url_enable - Permitir que los miembros del grupo puedan enviar mensajes con enlaces a sitios web (URLs).\n\n/remove_all_msg_kick_off - Configurar al Bot para que no elimine los mensajes de texto que enviaron los usuarios que no resolvieron el captcha.\n\n/remove_all_msg_kick_on - Configurar al Bot para que elimine todos los mensajes enviados por los usuarios que no resolvieron el captcha.\n\n/allowgroup - Permitir que un grupo pueda usar al Bot (si el Bot es Privado).\n\n/enable - Activa la protección captcha en el grupo.\n\n/disable - Desactiva la protección captcha en el grupo.\n\n/checkcfg - Consulta las configuraciones captcha del grupo.\n\n/chatid - Muestra el Chat ID del chat actual.\n\n/connect - Conectarse a un grupo para configurarlo desde el chat privado con el Bot.\n\n/disconnect - Desconectarse del grupo al que se está conectado para configurarlo desde el chat privado con el Bot.\n\n/version - Consulta la versión del Bot.\n\n/about - Muestra la información \"acerca de...\" del Bot.",
"CMD_NOT_ALLOW":
"Solo un Admin puede utilizar este comando.",
@ -69,7 +69,7 @@
"El comando requiere el tipo de restricción a establecer.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Tipos de restricciones disponibles para castigar a un usuario que falló el captcha:\n\n/restriction kick - Expulsar al usuario del grupo (por defecto).\n\n/restriction ban - Expulsar al usuario del grupo (no podrá volver a unirse).\n\n/restriction mute - No permitir que el usuario escriba mensajes en el grupo.\n\n/restriction media - No permitir que el usuario escriba mensajes multimedia (imágenes, videos, audios, etc) en el grupo.\n\n/restriction mute24h - No permitir que el usuario escriba mensajes en el grupo durante 24h (pasado este tiempo, la restricción será eliminada automáticamente).\n\n/restriction media24h - No permitir que el usuario escriba mensajes multimedia (imágenes, videos, audios, etc) en el grupo durante 24h (pasado este tiempo, la restricción será eliminada automáticamente).",
"Tipos de restricciones disponibles para castigar a un usuario que falló el captcha:\n\n/restriction kick - Expulsar al usuario del grupo (por defecto; trás multiples fallos, el usuario será baneado).\n\n/restriction mute - No permitir que el usuario escriba mensajes en el grupo durante 24h (pasado este tiempo, la restricción será eliminada automáticamente).\n\n/restriction media - No permitir que el usuario escriba mensajes multimedia (imágenes, videos, audios, etc) en el grupo durante 24h (pasado este tiempo, la restricción será eliminada automáticamente).",
"WELCOME_MSG_SET":
"Mensaje de bienvenida configurado correctamente.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Hola {}, te damos la bienvenida al grupo {}. Por favor, presiona el botón de abajo para verificar que eres humano. Si no resuelves este captcha en {}, se te expulsará (kick) del grupo automáticamente.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Atención: El usuario {} falló al resolver el captcha, pero no soy capaz de restringir/expulsar al usuario.",
"CAPTCHA_FAIL_MUTE":
"El usuario {} falló al resolver el captcha. El \"usuario\" fué silenciado y no podrá enviar mensajes durante 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"El usuario {} falló al resolver el captcha. El \"usuario\" no podrá enviar mensajes multimedia (imagen, audio, video, etc.) durante 24h.",
"CAPTCHA_SOLVED":
"Captcha resuelto, usuario verificado.\nDisfruta del grupo, {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"Ese no es el número correcto. Fíjate bien, tienes que resolver la operación matemática...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} falló al resolver el captcha. El \"usuario\" fue expulsado (kick).",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,7 +161,7 @@
"CANT_DEL_MSG":
"He intentado borrar este mensaje pero no se me han dado los privilegios de administración necesarios para eliminar mensajes que no son míos.",
"NEW_USER_BAN":
"CAPTCHA_FAIL_BAN":
"Atención: El usuario {} ha fallado {} veces al intentar resolver el captcha. El \"usuario\" fue expulsado y bloqueado (ban). Para permitir que intente entrar nuevamente al grupo, un Admin debe de quitar la restricción del usuario de forma manual en las opciones de administración del grupo.",
"NEW_USER_BAN_NOT_IN_CHAT":

Wyświetl plik

@ -6,7 +6,7 @@
"Botari buruzko laguntza:\n————————————————\n- Bot bat naiz eta captcha irudi bat bidaltzen diot taldera elkartzen den erabiltzaile berri bakoitzari, baina denbora jakin batean captcha asmatzen ez dutenak kanporatzen (kick) ditut ere.\n\nErabiltzaileren bat 5 aldiz ahalegintzen bada taldera batzen eta ez badu captcha asmatzea lortzen, \"erabiltzaile\" hori Bot bat dela suposatuko dut eta kanporatu ostean blokeatu (ban) egingo dut ezin dezan berriz taldera batu. Gainera, captcha asmatu aurretik \"erabiltzaile\" berri batek URL-rik duen mezurik bidaliko balu, hau Spam bezala tratatuko da eta beraz ezabatua izango da.\n\nGogoratu era egoki batean funtzionatzeko administrazio baimenak eman behar dizkidazula, erabiltzaileak eten eta mezuak taldetik ezabatzeko.\n\n- Taldea garbi mantentzeko nirekin zer ikusia duten mezuak ezabatzen ditut, captcha ez denean asmatu eta erabiltzailea kanporatua izan denean (5 minutu pasa ostean).\n\n- Erabiltzaileek 5 minutu dituzte captcha asmatzeko baina denbora tarte hori /timer komandoaz alda daiteke.\n\n- Captcha bidezko babesa /enable eta /disable komandoen bidez aktibatu eta desaktibatu dezakezu.\n\n- Konfigurazio komandoak taldeko administratzaileek soilik erabili ditzakete.\n\n- Erabiltzen dudan hizkuntza /language komandoaren bitartez alda dezakezu.\n\n- Captcha-ren zailtasun maila /difficulty komandoaren bidez aldatu dezakezu.\n\n- Captcha-ek zenbakiak soilik (defektuz) edo zenbaki eta letrak, or a math equation to be solved, or a custom poll, or just a button, izatea konfiguratu dezakezu /captcha_mode komandoaren bidez.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Ongietorri mezu pertsonalizatua konfigura dezakezu komandoarekin /welcome_msg.\n\n- You can enable an option to let me apply restriction to new joined users to send non-text messages using command /restrict_non_text.\n\n- If the Bot is Private, allow groups with command /allowgroup.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- Erabili /commands komandoa erabilgarri dauden komandoen zerrenda eta hauen deskribatpen txiki bat ikusteko.",
"COMMANDS":
"Komando zerrenda:\n————————————————\n/start - Botaren hasierako informazioa erakusten du.\n\n/help - Laguntza informazioa erakusten du.\n\n/commands - Mezu hau erakusten du. Erabilgarri dauden komando guztien informazioa eta deskribapena .\n\n/language - Boak hitz egingo duen hizkuntza aldatzen uzten du.\n\n/time - Captcha asmatzeko uzten den denbora aldatzen uzten du.\n\n/difficulty - Captcharen zailtasun maila aldatzen uzten du (1etik 5era).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Captchen karaktere-modua aldatzen uzten du (nums: zenbakiak soilik, hex: zenbakiak eta A-F tarteko letrak, ascii: zenbakiak eta A-Z tarteko letrak, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Aukera ematen du captcha ebatzi ondoren bidaltzen den harrera mezu bat konfiguratzeko.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Do not ask an ignored user the captcha.\n\n/remove_ignore - Stop ignoring an user.\n\n/ignore_list - list of ignored users' IDs.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Allow a group to use the Bot (if Bot is Private).\n\n/enable - Captcha babesa aktibatzen du taldean.\n\n/disable - Captcha babesa desaktibatzen du taldean.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Botaren bertsioa kontsultatu.\n\n/about - Botaren \"Honi buruz...\" informazioa erakusten du.",
"Komando zerrenda:\n————————————————\n/start - Botaren hasierako informazioa erakusten du.\n\n/help - Laguntza informazioa erakusten du.\n\n/commands - Mezu hau erakusten du. Erabilgarri dauden komando guztien informazioa eta deskribapena .\n\n/language - Boak hitz egingo duen hizkuntza aldatzen uzten du.\n\n/time - Captcha asmatzeko uzten den denbora aldatzen uzten du.\n\n/difficulty - Captcharen zailtasun maila aldatzen uzten du (1etik 5era).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Captchen karaktere-modua aldatzen uzten du (nums: zenbakiak soilik, hex: zenbakiak eta A-F tarteko letrak, ascii: zenbakiak eta A-Z tarteko letrak, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Aukera ematen du captcha ebatzi ondoren bidaltzen den harrera mezu bat konfiguratzeko.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Do not ask an ignored user the captcha.\n\n/remove_ignore - Stop ignoring an user.\n\n/ignore_list - list of ignored users' IDs.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Allow a group to use the Bot (if Bot is Private).\n\n/enable - Captcha babesa aktibatzen du taldean.\n\n/disable - Captcha babesa desaktibatzen du taldean.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Botaren bertsioa kontsultatu.\n\n/about - Botaren \"Honi buruz...\" informazioa erakusten du.",
"CMD_NOT_ALLOW":
"Admin batek soilik erabili dezake komando hau.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Ongi etorri mezua ongi konfiguratuta.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Hello {}, welcome to {}. Please press the button below to verify that you are a human. If you don't do this in {}, you will be automatically kicked out of the group.\n\n[This text needs translate to actual configured language]",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Captcha asmatuta, erabiltzailea egiaztatua.\nOngi etorri {} taldera",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"That is not the correct number. Check closely, you need to solve the math equation...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{}-k ez du captcha konpondu. \"Erabiltzailea\" kanporatua (kick) izan da.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Mezu hau ezabatzen saiatu naiz baina ez zaizkit eman beharrezko administrazio baimenak nireak ez diren mezuak ezabatu ahal izateko.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"{}-k bidalitako URL (edo alias) bat duen mezua detektatu da eta oraindik ez du captcha asmatu. Mezua ezabatua izan da Spam gabeko Telegram baten alde:)",

Wyświetl plik

@ -6,7 +6,7 @@
"راهنمای ربات:\n————————————————\n- من یه رباتم که یه کپچا میفرستم برای هر کسی که تو گروه جوین بده, و هرکی نتونه تو یه زمان خاصی جوابش بده رو از گروه کیک میکنم.\n\n- اگه یکی 5 بار بیاد تو گروه و نتونه حلش کنه, من \"کاربر\" رو ربات تشخیص میدم, و بنش میکنم.\n\n- هر پیامی که توش لینک باشه و از یه \"کاربر\" جدید قبل از حل کردن کپچا ببینم رو پاک میکنم.\n\n- شما باید منو ادمین کنید و قابلیت های کیک و بن کردن کاربرا و حذف پیام ها رو بهم بدید.\n\n- برای اینکه گروه رو شلوغ نکنم, من پیام کپچاهایی که حل نمیشن رو پاک میکنم.\n\n- زمانی که یک فرد مجازه کپچا رو جواب بده به صورت پیشفرض روی 5 دقیقست, ولی با دستور /time قابل عوض شدنه.\n\n- شما میتونید قابلیت کپچا رو با دستور /enable و /disable روشن و خاموش کنید.\n\n- دستورات تنظیمات فقط مخصوص ادمیناست.\n\n- شما میتونید زبانی که دارم صحبت میکنم باهاش رو, با دستور /language عوض کنید.\n\n- همچنین میتونید درجه سختی کپچا رو با دستور /difficulty عوض کنید.\n\n- شما میتونید تنظیم کنید که از همه اعداد و حروف A–Z استفاده کنه, یا اعداد و حروف A–F, یا فقط اعداد (پیشفرض), یا سوالات ریاضی که باید حل بشن, یا یه نظرسنجی شخصی سازی شده, یا یه دکمه که باید بزننش, با دستور /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- و میتونید با دستور /welcome_msg یه پیام مخصوص برای خوش آمد گویی تنظیم کنید.\n\n- شما میتونید با دستور /restrict_non_text تنظیم کنید که اگه کاربر جدیدی اومد من نزارم بجز پیام های متنی چیز دیگه ای بفرسته.\n\n- اگه ربات شخصیه, میتونید با دستور /allowgroup اجازه گروه رو صادر کنید.\n\n- شما میتونید با دستور /connect تنظیمات یک گروه رو از پیوی ربات عوض کنید.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- دستور /commands رو برای دیدن همه دستورات, و یه توضیح کوچیک در مورد همشون چک کنید.",
"COMMANDS":
"لیست همه دستورات:\n————————————————\n/start - مشاهده یک سری اطلاعات در مورد ربات.\n\n/help - مشاهده راهنمای ربات.\n\n/commands - مشاهده این پیام. توضیحات در مورد همه دستورات ربات.\n\n/language - برای تغییر زبان ربات.\n\n/time - برای عوض کردن زمان حل کردن کپچا.\n\n/difficulty - برای عوض کردن درجه سختی کپچا (از 1 تا 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - برای عوض کردن نوع کپچا (nums: اعداد, hex: اعداد و حروف A-F, ascii: اعداد و حروف A-Z, math: مساله ریاضی, poll: نظرسنجی شخصی سازی شده و شخصی سازی آن, button: فقط یه دکمه).\n\n/captcha_poll - تنظیمات نظرسنجی شخصی سازی شده.\n\n/welcome_msg - برای تنظیم پیام خوش آمدگویی بعد از حل کپچا.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - بعد از اینکه کسی وارد گروه بشه بجز پیام های متنی چیزی نمیتونه بفرسته (عکس, ویدیو, آهنگ) برای یک روز (یا برای همیشه, با نوشتن \"forever\").\n\n/add_ignore - از کاربر کپچا نمیخواد.\n\n/remove_ignore - از کاربر کپچت میخواد.\n\n/ignore_list - ایدی' لیست کاربرانی که ازشون کپچا نمیخواد.\n\n/remove_solve_kick_msg - تنظیم کنید که پیام کپچا و کیک و بن بعد از حل نشدن پاک بشه یا نه.\n\n/remove_welcome_msg - تنظیم کنید که پیام خوش آمد گویی بعد از مدتی پاک بشه.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - اجازه بدید که یه گروه از ربات استفاده کنه (اگه ربات شخصیه).\n\n/enable - روشن کردن کپچا در گروه.\n\n/disable - خاموش کردن کپچا در گروه.\n\n/checkcfg - دیدن تنظیمات کپچا.\n\n/chatid - دیدن چت ایدی چت فعلی.\n\n/connect - وصل شدن به یک گروه برای تنظیمش تو پیوی.\n\n/disconnect - قطع کردن گروهی که تو پیوی درحال تنظیم هستید chat.\n\n/version - دیدن ورژن ربات.\n\n/about - درباره ربات.",
"لیست همه دستورات:\n————————————————\n/start - مشاهده یک سری اطلاعات در مورد ربات.\n\n/help - مشاهده راهنمای ربات.\n\n/commands - مشاهده این پیام. توضیحات در مورد همه دستورات ربات.\n\n/language - برای تغییر زبان ربات.\n\n/time - برای عوض کردن زمان حل کردن کپچا.\n\n/difficulty - برای عوض کردن درجه سختی کپچا (از 1 تا 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - برای عوض کردن نوع کپچا (nums: اعداد, hex: اعداد و حروف A-F, ascii: اعداد و حروف A-Z, math: مساله ریاضی, poll: نظرسنجی شخصی سازی شده و شخصی سازی آن, button: فقط یه دکمه).\n\n/captcha_poll - تنظیمات نظرسنجی شخصی سازی شده.\n\n/welcome_msg - برای تنظیم پیام خوش آمدگویی بعد از حل کپچا.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - بعد از اینکه کسی وارد گروه بشه بجز پیام های متنی چیزی نمیتونه بفرسته (عکس, ویدیو, آهنگ) برای یک روز (یا برای همیشه, با نوشتن \"forever\").\n\n/add_ignore - از کاربر کپچا نمیخواد.\n\n/remove_ignore - از کاربر کپچت میخواد.\n\n/ignore_list - ایدی' لیست کاربرانی که ازشون کپچا نمیخواد.\n\n/remove_solve_kick_msg - تنظیم کنید که پیام کپچا و کیک و بن بعد از حل نشدن پاک بشه یا نه.\n\n/remove_welcome_msg - تنظیم کنید که پیام خوش آمد گویی بعد از مدتی پاک بشه.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - اجازه بدید که یه گروه از ربات استفاده کنه (اگه ربات شخصیه).\n\n/enable - روشن کردن کپچا در گروه.\n\n/disable - خاموش کردن کپچا در گروه.\n\n/checkcfg - دیدن تنظیمات کپچا.\n\n/chatid - دیدن چت ایدی چت فعلی.\n\n/connect - وصل شدن به یک گروه برای تنظیمش تو پیوی.\n\n/disconnect - قطع کردن گروهی که تو پیوی درحال تنظیم هستید chat.\n\n/version - دیدن ورژن ربات.\n\n/about - درباره ربات.",
"CMD_NOT_ALLOW":
"فقط یک ادمین میتونه از این استفاده کنه.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"پیام خوش آمدگویی تنظیم شد.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"سلام {}, خوش اومدی به {}. لطفا دکمه زیر رو بزن که تایید بشه که ربات نیستی. اگه نتونی توی {} این کپچا رو حل کنی, به صورت اتوماتیک از گروه کیک میشی.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"کپچا حل شد, کاربر تایید شد.\nبه گروه خوش آمدید, {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"عدد درست نیست. با دقت چک کنید, شما باید مساله ریاضی را حل کنید...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} نتوانست کپچا را حل کند. \"کاربر\" کیک شد.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"من سعی کردم این پیام رو پاک کنم, ولی من دسترسی پاک کردن پیام رو ندارم.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"یک پیام با لینک از {} ارسال شد, و هنوز کپچا رو حل نکرده. پیام پاک شد :)",

Wyświetl plik

@ -6,7 +6,7 @@
"Botin ohje:\n————————————————\n- Olen Botti, joka lähettää kuvallisen captchan jokaiselle ryhmään liittyvälle uudelle käyttäjälle ja potkin kaikki, ketkä eivät ratkaise captchaa määritetyssä ajassa.\n\nJos käyttäjä yrittää liittyä ryhmään viidesti peräkkäin ratkaisematta captchaa koskaan, oletan tämän \"käyttäjän\" olevan botti ja annan sille porttikiellon. Lisäksi pidän kaikkia uusien \"käyttäjien\" ennen captchan ratkaisua lähettämiä linkkejä spämminä ja poistan ne.\n\n- Tarvitsen ylläpito-oikeudet potkiakseni käyttäjiä ja poistaakseni viestejä.\n\n- Pitääkseni ryhmän puhtaana, poistan automaattisesti kaikki minuun liittyvät viestit captchan ollessa ratkaisematon ja potkiessani käyttäjän.\n\n- Uusilla käyttäjillä on oletuksena viisi minuuttia aikaa ratkaista captcha, mutta se voidaan määrittää komennolla /time.\n\n- Captcha-suojauksen saa päälle komennoilla /enable ja /disable.\n\n- Vain ryhmän ylläpitäjät voivat antaa asetuskomentoja.\n\n- Puhumani kielen voi vaihtaa kommennolla /language.\n\n- Captchani vaikeustason voi määrittää komennolla /difficulty.\n\n- Voit asettaa captchan käyttämään kaikkia numeroita ja kirjaimia A–Z, tai numeroita ja kirjaimia A–F, tai vain numeroita (oletus), tai matemaattisen yhtälön ratkaisua, tai mukautettua kyselyä, tai näppäintä painettavaksi komennolla /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Mukautetun tervetuloviestin voi asettaa komennolla /welcome_msg.\n\n- Minut voi asettaa sisällyttämään rajoitukset uusien käyttäjien ei-teksti-sisältöihin komennolla /restrict_non_text.\n\n- Jos Botti on Yksiotyinen, ryhmät voi sallia komennolla /allowgroup.\n\n- Ryhmän asetuksia voi määrittää yksityisviestillä käyttämällä ryhmässä komentoa /connect .\n\n- Käyttäjiä voi estää lähettämästä URLeja/linkkejä komennolla /url_disable command.\n\n- Vilkaise /commands saadaksesi listan kaikista komennoista lyhyine kuvauksineen.",
"COMMANDS":
"Lista komennoista:\n————————————————\n/start - Näyttää alustavat tiedot botista.\n\n/help - Näyttää ohjeen.\n\n/commands - Näyttää tämän viestin. Kertoo komennoista ja niiden käytöstä.\n\n/language - Botin kielen vaihtaminen.\n\n/time - Määrittää captchan ratkaisun aikarajan.\n\n/difficulty - Määrittää captchan vaikeustason (1:stä 5:teen).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Vaihtaa captcha-tilan (nums: numerot, hex: numerot ja kirjaimet A-F, ascii: numerot ja kirjaimet A-Z, math: matemaattinen yhtälö, poll: mukautettu ja määritettävä kysely, button: vain painike).\n\n/captcha_poll - Määrittää mukautetun kyselyn kysymyksen ja vastausvaihtoehdot poll-tilan captchaan.\n\n/welcome_msg - Määrittää captchan ratkaisun jälkeisen mukautetun tervetuloviestin.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Käyttäjän ratkaistessa captchan, toimeenpane rajoitus estääksesi muun-kuin-tekstin lähettäminen (kuvat, videot, audio) 1 päiväksi (tai ikuisesti, käyttämällä avainsanaa \"forever\").\n\n/add_ignore - Älä kysy huomiotta jätetyltä käyttäjältä captchaa.\n\n/remove_ignore - Lopeta käyttäjän huomiotta jättäminen.\n\n/ignore_list - lista huomioitta jätettyjen käyttäjien ID:istä.\n\n/remove_solve_kick_msg - Määritä poistetaanko potkimis/bannaus viestit automaattisesti hetken kuluttua.\n\n/remove_welcome_msg - Määritä poistetaanko tervetuloviesti hetken kuluttua.\n\n/url_disable - Kiellä ryhmän jäseniä lähettämästä viestejä, jotka sisältävät linkkejä verkkosivuille (URL-osoitteita).\n\n/url_enable - Salli ryhmän jäsenten lähettää viestejä, jotka sisältävät linkkejä verkkosivuille (URL-osoitteita).\n\n/remove_all_msg_kick_off - Aseta botti olemaan poistamatta viestejä käyttäjiltä, jotka eivät ratkaisseet captchaa.\n\n/remove_all_msg_kick_on - Aseta botti poistamaan kaikki viestit käyttäjiltä, jotka eivät ratkaisseet captchaa.\n\n/allowgroup - Salli ryhmän käyttää Bottia (jos botti on Yksityinen).\n\n/enable - Ota käyttöön ryhmän captcha-suojaus.\n\n/disable - Poista käytöstä ryhmän captcha-suojaus.\n\n/checkcfg - Hae ryhmän nykyiset captcha-asetukset.\n\n/chatid - Näytä nykyisen ryhmän ChatID.\n\n/connect - Yhdistä ryhmään hallitaksesi sitä yksityisviestillä.\n\n/disconnect - Katkaise yhteys ryhmään, jota hallitaan botin kanssa käytävästä yksityiskeskustelusta.\n\n/version - Näytä Botin versio.\n\n/about - Näytä tietoa botista.",
"Lista komennoista:\n————————————————\n/start - Näyttää alustavat tiedot botista.\n\n/help - Näyttää ohjeen.\n\n/commands - Näyttää tämän viestin. Kertoo komennoista ja niiden käytöstä.\n\n/language - Botin kielen vaihtaminen.\n\n/time - Määrittää captchan ratkaisun aikarajan.\n\n/difficulty - Määrittää captchan vaikeustason (1:stä 5:teen).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Vaihtaa captcha-tilan (nums: numerot, hex: numerot ja kirjaimet A-F, ascii: numerot ja kirjaimet A-Z, math: matemaattinen yhtälö, poll: mukautettu ja määritettävä kysely, button: vain painike).\n\n/captcha_poll - Määrittää mukautetun kyselyn kysymyksen ja vastausvaihtoehdot poll-tilan captchaan.\n\n/welcome_msg - Määrittää captchan ratkaisun jälkeisen mukautetun tervetuloviestin.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Käyttäjän ratkaistessa captchan, toimeenpane rajoitus estääksesi muun-kuin-tekstin lähettäminen (kuvat, videot, audio) 1 päiväksi (tai ikuisesti, käyttämällä avainsanaa \"forever\").\n\n/add_ignore - Älä kysy huomiotta jätetyltä käyttäjältä captchaa.\n\n/remove_ignore - Lopeta käyttäjän huomiotta jättäminen.\n\n/ignore_list - lista huomioitta jätettyjen käyttäjien ID:istä.\n\n/remove_solve_kick_msg - Määritä poistetaanko potkimis/bannaus viestit automaattisesti hetken kuluttua.\n\n/remove_welcome_msg - Määritä poistetaanko tervetuloviesti hetken kuluttua.\n\n/url_disable - Kiellä ryhmän jäseniä lähettämästä viestejä, jotka sisältävät linkkejä verkkosivuille (URL-osoitteita).\n\n/url_enable - Salli ryhmän jäsenten lähettää viestejä, jotka sisältävät linkkejä verkkosivuille (URL-osoitteita).\n\n/remove_all_msg_kick_off - Aseta botti olemaan poistamatta viestejä käyttäjiltä, jotka eivät ratkaisseet captchaa.\n\n/remove_all_msg_kick_on - Aseta botti poistamaan kaikki viestit käyttäjiltä, jotka eivät ratkaisseet captchaa.\n\n/allowgroup - Salli ryhmän käyttää Bottia (jos botti on Yksityinen).\n\n/enable - Ota käyttöön ryhmän captcha-suojaus.\n\n/disable - Poista käytöstä ryhmän captcha-suojaus.\n\n/checkcfg - Hae ryhmän nykyiset captcha-asetukset.\n\n/chatid - Näytä nykyisen ryhmän ChatID.\n\n/connect - Yhdistä ryhmään hallitaksesi sitä yksityisviestillä.\n\n/disconnect - Katkaise yhteys ryhmään, jota hallitaan botin kanssa käytävästä yksityiskeskustelusta.\n\n/version - Näytä Botin versio.\n\n/about - Näytä tietoa botista.",
"CMD_NOT_ALLOW":
"Vain Ylläpitäjä voi käyttää tätä komentoa.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Tervetuloviesti määritetty onnistuneesti.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Hei {}, tervetuloa ryhmään {}. Painathan alla olevaa painiketta vahvistaaksesi ihmisyytesi. Jollet tee tätä ajassa {}, tulet automaattisesti poistetuksi ryhmästä..",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Captcha ratkaistu, käyttäjä vahvistettu.\nTervetuloa ryhmään, {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"Tuo ei ollut oikea numero. Katso tarkemmin, sinun tulee ratkaista matemaattinen yhtälö...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} captcha ei onnistunut ratkaisemaan. \"Käyttäjä\" poistettiin ryhmästä.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Yritin poistaa tämän viestin, mutta minulla ei ole ylläpito-oikeutta poistaakseni muiden, kuin itseni, lähettämiä viestejä.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Havaittiin URLin (tai aliaksen) sisältävä viesti \"käyttäjältä\" {}, joka ei ole vielä ratkaissut captchaa. Viesti poistettiin Telegrammin spämmivapaana vyöhykkeenä pitämisen vuoksi :)",

Wyświetl plik

@ -6,7 +6,7 @@
"Aide:\n————————————————\n- Je suis un bot qui envoie un captcha à chaque nouvel utilisateur qui rejoint un groupe, et qui éjecte toute personne qui ne le résout pas dans le temps imparti.\n\n- Si un utilisateur essaye de rejoindre le groupe plus de 5 fois d'affilé sans résoudre le captcha, je vais en déduire que l'utilisateur est un bot, et il sera alors banni.\n\n- De plus, si un nouvel utilisateur envoie un message contenant une adresse URL avant de résoudre le captcha, cela sera considéré comme un message indésirable et il sera supprimé.\n\n- N'oubliez pas de me rajouter les droits d'administrations afin que je puisse bannir les personnes et supprimer les messages.\n\n- Afin d'obtenir une discussion claire, je supprime automatiquement les messages ayant un rapport avec le captcha lorsqu'il n'a pas été résolu, ainsi que que les utilisateur qui ont été banni (au bout de 5 minutes).\n\n- Le temps pour résoudre un captcha est par défaut réglé à 5 minutes, mais vous pouvez changer cette valeur avec la commande /time.\n\n- Vous pouvez activer/désactiver le captcha en utilisant les commandes /enable et /disable.\n\n- Les commandes de configurations peuvent seulement être utilisées par un administrateur.\n\n- Vous pouvez changer ma langue avec la commande /language.\n\n- Vous pouvez choisir la difficulté du captcha avec la commande /difficulty.\n\n- Vous pouvez configuer le captcha pour qu'il n'utilise uniquement les chiffres (option par défaut) ou bien les chiffres et les lettres, or a math equation to be solved, or a custom poll, or just a button, à l'aider de la commande /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Vous pouvez modifier le message de bienvenue avec la commande /welcome_msg.\n\n- You can enable an option to let me apply restriction to new joined users to send non-text messages using command /restrict_non_text.\n\n- If the Bot is Private, allow groups with command /allowgroup.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- Pour obtenir plus d'informations sur les commandes, ou la liste complète de toutes les commandes, utilisez la commande /commands.",
"COMMANDS":
"Liste des commandes:\n————————————————\n/start - Montre les informations initiales du bot.\n\n/help - Affiche les informations d'aide.\n\n/commands - Affiche ce message. Informations sur toutes les commandes disponibles et leur description.\n\n/language - Permet de changer la langue du bot.\n\n/time - Permet de changer le temps disponible pour résoudre le captcha.\n\n/difficulty - Permet de choisir le niveau de difficulté (de 1 à 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Permet de choisir le mode de caractère du captcha (nums: nombres uniquement, hex: nombres et A-F, ascii: nombres et A-Z, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Permet de configurer le message de bienvenue qui est envoyé après avoir résolu le captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Après qu'un nouvel utilisateur ait résolu la captha, appliquez une restriction pour ne pas lui permettre d'envoyer des messages non-textuels (images, vidéos, audios) pendant 1 jour (ou pour toujours, en utilisant le mot clé \"forever\").\n\n/add_ignore - Ne pas demander le captcha à un utilisateur ignoré.\n\n/remove_ignore - Cessez d'ignorer un utilisateur.\n\n/ignore_list - Liste des utilisateurs ignorés.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Permet à un groupe d'utiliser le Bot (si le Bot est privé).\n\n/enable - Active le captcha sur ce groupe.\n\n/disable - Désactive le captcha sur ce groupe.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Affiche l'id du chat en cours.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Affiche la version du bot.\n\n/about - Affiche le \"À propos\"",
"Liste des commandes:\n————————————————\n/start - Montre les informations initiales du bot.\n\n/help - Affiche les informations d'aide.\n\n/commands - Affiche ce message. Informations sur toutes les commandes disponibles et leur description.\n\n/language - Permet de changer la langue du bot.\n\n/time - Permet de changer le temps disponible pour résoudre le captcha.\n\n/difficulty - Permet de choisir le niveau de difficulté (de 1 à 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Permet de choisir le mode de caractère du captcha (nums: nombres uniquement, hex: nombres et A-F, ascii: nombres et A-Z, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Permet de configurer le message de bienvenue qui est envoyé après avoir résolu le captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Après qu'un nouvel utilisateur ait résolu la captha, appliquez une restriction pour ne pas lui permettre d'envoyer des messages non-textuels (images, vidéos, audios) pendant 1 jour (ou pour toujours, en utilisant le mot clé \"forever\").\n\n/add_ignore - Ne pas demander le captcha à un utilisateur ignoré.\n\n/remove_ignore - Cessez d'ignorer un utilisateur.\n\n/ignore_list - Liste des utilisateurs ignorés.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Permet à un groupe d'utiliser le Bot (si le Bot est privé).\n\n/enable - Active le captcha sur ce groupe.\n\n/disable - Désactive le captcha sur ce groupe.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Affiche l'id du chat en cours.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Affiche la version du bot.\n\n/about - Affiche le \"À propos\"",
"CMD_NOT_ALLOW":
"Seul les administrateurs peuvent utiliser cette commande.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Le message de bienvenue a été correctement configuré.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Bonjour {}, et bienvenue dans le groupe {}. Afin de vérifier que vous n'êtes pas un robot, veuillez appuyer sur le bouton. Si cette action n'est pas réalisée dans {}, vous serez automatiquement prélevé à la source.\n\n",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Captcha résolu, utilisateur vérifié\nBienvenue dans le groupe {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"That is not the correct number. Check closely, you need to solve the math equation...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} n'a pas réussi à résoudre le captcha. l'utilisateur a été éjecté.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Jai essayé de supprimer ce message mais je n'ai pas les droits d'administrations nécessaire pour supprimer un message qui n'est pas le mien.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Un message avec une adresse URL (ou lien) envoyé par {} a été détecté alors quil na toujours pas résolu le captcha. Ce message a été enlevé pour permettre à Telegram de rester loin des contenus indésirables:)",

Wyświetl plik

@ -6,7 +6,7 @@
"Axuda sobre o Bot:\n————————————————\n- Son un Bot que envía un captcha a cada novo usuario que se une ó grupo, e expulso (kick) ós que no resolvan o captcha nun tempo determinado.\n\n- Se un usuario tentou unirse ó grupo 5 veces e nunca conseguiu resolver o captcha, suporei que ese \"usuario\" é un Bot e, tras expulsalo, bloqueareino (ban) para que non poida volver entrar no grupo.\n\n- Calquera mensaxe que conteña unha URL e fora enviada por un novo \"usuario\" antes de que este resolvera o captcha, será considerada unha mensaxe de Spam e será eliminada.\n\n- Tes que darme permisos de administración para poder suspender usuarios e eliminar mensaxes.\n\n- Para manter limpo o grupo, elimino aquelas mensaxes que teñan relación comigo cando non se resolva o captcha e o usuario sexa expulsado (transcorridos 5 minutos).\n\n- O tempo que dispón os usuarios para resolver o captcha son 5 minutos, pero este tempo pode ser mudado mediante o comando /time.\n\n- Podes activar ou desactivar a protección captcha mediante os comandos /enable e /disable.\n\n- Os comandos de configuracións só poden ser empregados polos administradores do grupo.\n\n- Podes mudar a lingua na que falo mediante o comando /language.\n\n- Podes configurar o nivel de dificultade do captcha mediante o comando /difficulty.\n\n- Podes estabelecer que os captchas só conteñan números (por defecto), ou números e letras, or a math equation to be solved, or a custom poll, or just a button, a través do comando /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Podes configurar unha mensaxe de benvida personalizada co comando /welcome_msg.\n\n- You can enable an option to let me apply restriction to new joined users to send non-text messages using command /restrict_non_text.\n\n- If the Bot is Private, allow groups with command /allowgroup.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- Bota unha ollada ó comando /commands para ver unha listaxe con todos os comandos dispoñíbeis e unha breve descrición de cada un deles.",
"COMMANDS":
"Listaxe de comandos:\n————————————————\n/start - Amosa a información inicial sobre o Bot.\n\n/help - Amosa a información de axuda.\n\n/commands - Amosa a mensaxe actual. Información sobre todos os comandos dispoñíbeis e a súa descrición.\n\n/language - Permite mudar a lingua na que fala o Bot.\n\n/time - Permite mudar o tempo dispoñíbel para resolver un captcha.\n\n/difficulty - Permite mudar o nivel de dificultade do captcha (do 1 ó 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Permite mudar o modo-caracter dos captchas (nums: só números, hex: números e letras A-F, ascii: números e letras A-Z, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Permite configurar unha mensaxe de benvida que se envía após resolver o captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Do not ask an ignored user the captcha.\n\n/remove_ignore - Stop ignoring an user.\n\n/ignore_list - list of ignored users' IDs.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Allow a group to use the Bot (if Bot is Private).\n\n/enable - Activa a protección captcha no grupo.\n\n/disable - Desactiva a protección captcha no grupo.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Consulta a versión do Bot.\n\n/about - Amosa a información \"acerca do...\" do Bot.",
"Listaxe de comandos:\n————————————————\n/start - Amosa a información inicial sobre o Bot.\n\n/help - Amosa a información de axuda.\n\n/commands - Amosa a mensaxe actual. Información sobre todos os comandos dispoñíbeis e a súa descrición.\n\n/language - Permite mudar a lingua na que fala o Bot.\n\n/time - Permite mudar o tempo dispoñíbel para resolver un captcha.\n\n/difficulty - Permite mudar o nivel de dificultade do captcha (do 1 ó 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Permite mudar o modo-caracter dos captchas (nums: só números, hex: números e letras A-F, ascii: números e letras A-Z, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Permite configurar unha mensaxe de benvida que se envía após resolver o captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Do not ask an ignored user the captcha.\n\n/remove_ignore - Stop ignoring an user.\n\n/ignore_list - list of ignored users' IDs.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Allow a group to use the Bot (if Bot is Private).\n\n/enable - Activa a protección captcha no grupo.\n\n/disable - Desactiva a protección captcha no grupo.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Consulta a versión do Bot.\n\n/about - Amosa a información \"acerca do...\" do Bot.",
"CMD_NOT_ALLOW":
"Só un administrador pode empregar este comando.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"A mensaxe de benvida configurouse de xeito correcto.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Hello {}, welcome to {}. Please press the button below to verify that you are a human. If you don't do this in {}, you will be automatically kicked out of the group.\n\n[This text needs translate to actual configured language]",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Captcha resolto, usuario verificado.\nBenvido ó grupo {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"That is not the correct number. Check closely, you need to solve the math equation...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} non conseguiu resolver o captcha. O \"usuario\" foi expulsado (kick).",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Tentei eliminar esta mensaxe pero non se me deron os privilexios de administración necesarios para eliminar mensaxes que non son meus.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Detectouse unha mensaxe que contén unha URL (ou alcume) enviado por {}, quen aínda non resolveu o captcha. A mensaxe foi eliminada para manter un Telegram libre de Spam :)",

Wyświetl plik

@ -6,7 +6,7 @@
"עזרה לבוטים:\n————————————————\n- אני בוט ששולח captcha עבור כל משתמש חדש שמצטרף לקבוצה, ולבעוט בכל אחד מהם שאינו יכול לפתור את captcha בתוך זמן שצוין.\n\n- אם משתמש מנסה להצטרף לקבוצה 5 פעמים ברציפות ולעולם לא פותר את captcha, אני מניח כי \"user\" הוא בוט, והוא יחסם.\n\n- כל הודעה המכילה כתובת URL שנשלחה על-ידי \"user\" חדש לפני השלמת captcha תיחשב לספאם ותמחק.\n\n- אתה צריך להעניק לי זכויות ניהול כדי שאוכל לבעוט במשתמשים ולהסיר הודעות.\n\n- כדי לשמר קבוצה נקייה, אני מסיר באופן אוטומטי את כל ההודעות הקשורות אליי כאשר captcha לא נפתר והמשתמש בעט.\n\n- הזמן שמשתמשים חדשים צריכים לפתור את captcha הוא 5 דקות כברירת מחדל, אך ניתן לקבוע את תצורתו באמצעות הפקודה /time.\n\n- באפשרותך להפעיל/לבטל את הגנת captcha באמצעות הפקודות /enable ו- /disable.\n\n- מנהלי קבוצות יכולים להשתמש בפקודות תצורה בלבד.\n\n- באפשרותך לשנות את השפה בה אני מדבר, באמצעות הפקודה /השפה.\n\n- באפשרותך לקבוע את התצורה של רמת הקושי של captcha באמצעות הפקודה /קושי.\n\n- באפשרותך להגדיר captcha לשימוש במספרים מלאים ואותיות A-Z, או במספרים ובאותיות A-F, או רק במספרים (ברירת מחדל), או במשוואה מתמטית שיש לפתור, או בסקר מותאם אישית, או בלחצן שיש ללחוץ עליו באמצעות הפקודה /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- באפשרותך לקבוע תצורה של הודעת הפתיחה המותאמת אישית באמצעות הפקודה /welcome_msg.\n\n- באפשרותך לאפשר לי להחיל הגבלה על משתמשים מצטרפים חדשים כדי לשלוח הודעות שאינן טקסט באמצעות הפקודה /restrict_non_text.\n\n- אם הבוט הוא פרטי, אפשר קבוצות עם הפקודה /allowgroup.\n\n- באפשרותך להגדיר קבוצה מצ'אט פרטי של בוטים באמצעות הפקודה /connect.\n\n- באפשרותך לחסום משתמשים כדי לשלוח כל הודעה המכילה כתובת URL/קישור בקבוצה על-ידי הפקודה /url_disable.\n\n- בדוק /פקודות כדי לקבל רשימה של כל הפקודות הניתנות לערמות, ותיאור קצר של כולן.",
"COMMANDS":
"רשימת פקודות:\n————————————————\n/start - מציג את המידע ההתחלתי אודות הבוט.\n\n/help - הצגת פרטי העזרה.\n\n/commands - הצגת הודעה זו. מידע אודות כל הפקודות הזמינות והתיאור שלהן.\n\n/language - מאפשר לשנות את שפת ההודעות של הבוט.\n\n/time - מאפשר לשנות את הזמן הזמין לפתרון captcha.\n\n/difficulty - מאפשר שינוי רמת קושי captcha (מ 1 עד 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - מאפשר שינוי מצב captcha (nums: מספרים, hex: מספרים ותורות A-F, ascii: מספרים ותורים A-Z, מתמטיקה: משוואה מתמטית, תשאול: תשאול מותאם אישית ותצורה, לחצן: רק לחצן).\n\n/captcha_poll - קבע תצורה של שאלת תשאול מותאמת אישית ואפשרויות עבור captcha במצב תשאול.\n\n/welcome_msg - מאפשר להגדיר הודעת הפתיחה הנשלחת לאחר פתרון captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - לאחר שמשתמש חדש פותר את הקפטה, החל הגבלה כדי לא לאפשר לו לשלוח הודעות שאינן טקסט (תמונות, קטעי וידאו, שמע) למשך יום אחד (או לנצח, באמצעות \"forever\" מילת מפתח).\n\n/add_ignore - אל תשאל משתמש שהתעלם ממנו את captcha.\n\n/remove_ignore - הפסק להתעלם ממשתמש.\n\n/ignore_list - רשימת מזהי המשתמשים שהתעלמו מהם'.\n\n/remove_solve_kick_msg - קבע את תצורת אם יש למחוק הודעות לפתור ולבעוט/לאסור באופן אוטומטי לאחר זמן מה.\n\n/remove_welcome_msg - קבע את תצורת אם יש למחוק באופן אוטומטי את הודעת הפתיחה לאחר זמן מה.\n\n/url_disable - מנע מחברי הקבוצה לשלוח הודעות המכילות קישורים לאתרי אינטרנט (כתובות URL).\n\n/url_enable - מתן אפשרות לחברי הקבוצה לשלוח הודעות המכילות קישורים לאתרי אינטרנט (כתובות URL).\n\n/remove_all_msg_kick_off - קבע את תצורת הבוט כך שלא יסיר הודעות טקסט שנשלחו על-ידי משתמשים שלא פתרו את captcha.\n\n/remove_all_msg_kick_on - קבע את תצורת הבוט כך שיסיר את כל ההודעות שנשלחו על-ידי משתמשים שלא פתרו את captcha.\n\n/allowgroup - אפשר לקבוצה להשתמש בבוט (אם Bot הוא פרטי).\n\n/enable - הפוך את הגנת captcha לזמינה של הקבוצה.\n\n/disable - בטל את הגנת captcha של הקבוצה.\n\n/checkcfg - קבל תצורות captcha של הקבוצה הנוכחית.\n\n/chatid - מציג מזהה צ'אט של הצ'אט הנוכחי.\n\n/connect - התחבר לקבוצה כדי להגדיר אותו מצ'אט בוטים פרטי.\n\n/disconnect - התנתק מקבוצה מחוברת שתצורתה נקבעה מצ'אט פרטי של בוטים.\n\n/version - הצג את גירסת הבוט.\n\n/אודות - הצג אודות מידע.",
"רשימת פקודות:\n————————————————\n/start - מציג את המידע ההתחלתי אודות הבוט.\n\n/help - הצגת פרטי העזרה.\n\n/commands - הצגת הודעה זו. מידע אודות כל הפקודות הזמינות והתיאור שלהן.\n\n/language - מאפשר לשנות את שפת ההודעות של הבוט.\n\n/time - מאפשר לשנות את הזמן הזמין לפתרון captcha.\n\n/difficulty - מאפשר שינוי רמת קושי captcha (מ 1 עד 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - מאפשר שינוי מצב captcha (nums: מספרים, hex: מספרים ותורות A-F, ascii: מספרים ותורים A-Z, מתמטיקה: משוואה מתמטית, תשאול: תשאול מותאם אישית ותצורה, לחצן: רק לחצן).\n\n/captcha_poll - קבע תצורה של שאלת תשאול מותאמת אישית ואפשרויות עבור captcha במצב תשאול.\n\n/welcome_msg - מאפשר להגדיר הודעת הפתיחה הנשלחת לאחר פתרון captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - לאחר שמשתמש חדש פותר את הקפטה, החל הגבלה כדי לא לאפשר לו לשלוח הודעות שאינן טקסט (תמונות, קטעי וידאו, שמע) למשך יום אחד (או לנצח, באמצעות \"forever\" מילת מפתח).\n\n/add_ignore - אל תשאל משתמש שהתעלם ממנו את captcha.\n\n/remove_ignore - הפסק להתעלם ממשתמש.\n\n/ignore_list - רשימת מזהי המשתמשים שהתעלמו מהם'.\n\n/remove_solve_kick_msg - קבע את תצורת אם יש למחוק הודעות לפתור ולבעוט/לאסור באופן אוטומטי לאחר זמן מה.\n\n/remove_welcome_msg - קבע את תצורת אם יש למחוק באופן אוטומטי את הודעת הפתיחה לאחר זמן מה.\n\n/url_disable - מנע מחברי הקבוצה לשלוח הודעות המכילות קישורים לאתרי אינטרנט (כתובות URL).\n\n/url_enable - מתן אפשרות לחברי הקבוצה לשלוח הודעות המכילות קישורים לאתרי אינטרנט (כתובות URL).\n\n/remove_all_msg_kick_off - קבע את תצורת הבוט כך שלא יסיר הודעות טקסט שנשלחו על-ידי משתמשים שלא פתרו את captcha.\n\n/remove_all_msg_kick_on - קבע את תצורת הבוט כך שיסיר את כל ההודעות שנשלחו על-ידי משתמשים שלא פתרו את captcha.\n\n/allowgroup - אפשר לקבוצה להשתמש בבוט (אם Bot הוא פרטי).\n\n/enable - הפוך את הגנת captcha לזמינה של הקבוצה.\n\n/disable - בטל את הגנת captcha של הקבוצה.\n\n/checkcfg - קבל תצורות captcha של הקבוצה הנוכחית.\n\n/chatid - מציג מזהה צ'אט של הצ'אט הנוכחי.\n\n/connect - התחבר לקבוצה כדי להגדיר אותו מצ'אט בוטים פרטי.\n\n/disconnect - התנתק מקבוצה מחוברת שתצורתה נקבעה מצ'אט פרטי של בוטים.\n\n/version - הצג את גירסת הבוט.\n\n/אודות - הצג אודות מידע.",
"CMD_NOT_ALLOW":
"רק מנהל מערכת יכול להשתמש בפקודה זו.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"תצורת הודעת הפתיחה נקבעה בהצלחה.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"שלום {}, ברוכים הבאים אל {}. נא לחץ על הכפתור שלהלן כדי לוודא שאינך רובוט. אם לא תעשה זאת ב- {}, יזרקו אותך באופן אוטומטי מהקבוצה.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Captcha נפתר, המשתמש אומת.\nהתנוה לקבוצה, {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"זה לא המספר הנכון. בדוק מקרוב, אתה צריך לפתור את המשוואה המתמטית...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} לא הצליח לפתור את ה-captcha. \"User\" סולק.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"ניסיתי למחוק הודעה זו, אך אין לי את זכויות הניהול להסיר הודעות שלא נשלחו על-ידי.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"זהה הודעה עם כתובת URL (או כינוי) מ- {}, שעדיין לא פתרה את captcha. ההודעה הוסרה למען שמירה על טלגרם ללא ספאם :)",

Wyświetl plik

@ -6,7 +6,7 @@
"Bantuan Bot:\n————————————————\n- Aku adalah bot yang akan mengirimkan verifikasi captcha untuk setiap pengguna yang bergabung ke grup, dan akan mengeluarkannya bila tidak menyelesaikan captcha dalam waktu yang ditentukan.\n\n- If Pengguna yang mencoba bergabung dengan grup sebanyak 5 kali dan tidak menyelesaikan captcha, saya akan mengasumsikan \"user\" adalah bot, dan akan dibanned.\n\n- setiap pesan yang terdapat URL dikirim oleh \"user\" sebelum menyelesaikan verifikasi captcha, akan dianggap spam dan akan dihapus.\n\n- berikan saya hak istimewa administrator untuk mengkick-banned pengguna dan menghapus pesannya.\n\n- Untuk meciptakan grup yang bersih, saya akan otomatis menghapus semua pesan yang dikirimkan kepadaku ketika pengguna tidak menyelesaikan captcha dan pengguna telah dikeluarkan (setelah 5 menit).\n\n- Tenggat waktu yang diberikan kepada pengguna baru untuk menyelesaikan captcha adalah 5 menit, dan bisa dikonfigurasikan ulang menggunakan perintah /time.\n\n- Kamu bisa mematikan/menyalakan perlindungan captcha dengan menggunakan perintah /enable dan /disable.\n\n- Perintah konfigurasi hanya bisa digunakan oleh Administrator grup.\n\n- Kamu bisa mengganti bahasa yang aku gunakan, dengan menggunakan perintah /language.\n\n- Kamu bisa mengatur tingkat kesulitan captcha dengan menggunakan perintah /difficulty.\n\n- Kamu bisa mengatur captcha agar hanya menggunakan angka (bawaannya) atau kombinasi angka dan huruf, or a math equation to be solved, or a custom poll, or just a button, dengan menggunakan perintah /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Kamu bisa mengatur pesan selamat datang khusus dengan perintah /welcome_msg.\n\n- You can enable an option to let me apply restriction to new joined users to send non-text messages using command /restrict_non_text.\n\n- If the Bot is Private, allow groups with command /allowgroup.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- Cek /commands untuk mendapatkan daftar semua perintah yang tersedia, dan penjelasan singkatnya.",
"COMMANDS":
"Daftar Perintah:\n————————————————\n/start - Menampilkan informasi awal tentang bot.\n\n/help - Menampilkan informasi yang berguna.\n\n/commands - Menampilkan pesan ini. Informasi tentang semua perintah yang tersedia dan penjelasannya.\n\n/language - Mengganti bahasa dalam pesan bot.\n\n/time - Mengganti waktu yang tersedia untuk menyelesaikan captcha.\n\n/difficulty - Mengganti tingkat kesulitan captcha (dari 1 sampai 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Mengganti mode karakter captcha (nums: hanya angka, hex: angka dan huruf A-F, ascii: Angka dan huruf A-Z, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Mengatur pesan selamat datang yang dikirimkan setelah pengguna menyelesaikan captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Setelah pengguna baru memecahkan captha, terapkan batasan untuk tidak mengizinkan mereka mengirim pesan non-teks (gambar, video, audio) selama 1 hari (atau selamanya, menggunakan kata kunci \"forever\").\n\n/add_ignore - Jangan meminta captcha kepada pengguna yang diabaikan.\n\n/remove_ignore - Berhenti mengabaikan pengguna.\n\n/ignore_list - daftar ID pengguna yang diabaikan.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Izinkan grup untuk menggunakan Bot (jika Bot bersifat Pribadi).\n\n/enable - Mengaktifkan proteksi captcha dalam grup.\n\n/disable - Menonaktifkan proteksi captcha dalam grup.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Menampilkan versi Bot.\n\n/about - Menampilkan info tentang saya.",
"Daftar Perintah:\n————————————————\n/start - Menampilkan informasi awal tentang bot.\n\n/help - Menampilkan informasi yang berguna.\n\n/commands - Menampilkan pesan ini. Informasi tentang semua perintah yang tersedia dan penjelasannya.\n\n/language - Mengganti bahasa dalam pesan bot.\n\n/time - Mengganti waktu yang tersedia untuk menyelesaikan captcha.\n\n/difficulty - Mengganti tingkat kesulitan captcha (dari 1 sampai 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Mengganti mode karakter captcha (nums: hanya angka, hex: angka dan huruf A-F, ascii: Angka dan huruf A-Z, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Mengatur pesan selamat datang yang dikirimkan setelah pengguna menyelesaikan captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Setelah pengguna baru memecahkan captha, terapkan batasan untuk tidak mengizinkan mereka mengirim pesan non-teks (gambar, video, audio) selama 1 hari (atau selamanya, menggunakan kata kunci \"forever\").\n\n/add_ignore - Jangan meminta captcha kepada pengguna yang diabaikan.\n\n/remove_ignore - Berhenti mengabaikan pengguna.\n\n/ignore_list - daftar ID pengguna yang diabaikan.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Izinkan grup untuk menggunakan Bot (jika Bot bersifat Pribadi).\n\n/enable - Mengaktifkan proteksi captcha dalam grup.\n\n/disable - Menonaktifkan proteksi captcha dalam grup.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Menampilkan versi Bot.\n\n/about - Menampilkan info tentang saya.",
"CMD_NOT_ALLOW":
"Hanya admin yang dapat menggunakan perintah ini!.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Pesan selamat datang berhasil diatur.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Halo {}, selamat datang di {}. Harap tekan tombol di bawah untuk memverifikasi bahwa Anda adalah manusia. Jika anda tidak melakukan ini dalam {}, anda akan dikeluarkan dari grup secara otomatis.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Captcha selesai, Pengguna telah diverifikasi.\nSelamat datang di grup {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"That is not the correct number. Check closely, you need to solve the math equation...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} gagal memecahkan captcha. \"User\" Telah dikeluarkan.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Saya mencoba menghapus pesan ini, tetapi saya tidak memiliki hak istimewa administrator untuk menghapus pesan yang belum dikirimkan oleh saya.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Mendeteksi pesan dengan URL (atau alias) dari {}, yang belum menyelesaikan captcha. Pesan telah dihapus untuk menjaga telegram tetap bebas dari spam:)",

Wyświetl plik

@ -6,7 +6,7 @@
"Aiuto bot:\n————————————————\n- Sono un Bot che invia un captcha per ogni nuovo utente che si unisce a un gruppo ed espelle quelli che non possono risolvere il captcha entro un tempo specificato.\n\n- Se un utente tenta di unirsi al gruppo per 5 volte di seguito e non risolve il captcha, supporrò che \"utente\" sia un bot e verrà espulso.\n\n- Qualsiasi messaggio che contiene un URL che è stato inviato da un nuovo \"utente\", prima del completamento del captcha, verrà considerato spam e verrà eliminato.\n\n- Devi concedermi i privilegi di amministratore per poter espellere gli utenti e cancellare i relativi messaggi.\n\n- Per preservare un gruppo pulito, rimuovo automaticamente tutti i messaggi che mi riguardano quando un captcha non viene risolto e l'utente viene espulso (dopo 5 minuti).\n\n- Il tempo necessario ai nuovi utenti per risolvere captcha è di 5 minuti per impostazione predefinita, ma può essere configurato utilizzando il comando /time.\n\n- È possibile attivare e disattivare la protezione captcha utilizzando i comandi /enable e /disable.\n\n- I comandi di configurazione possono essere utilizzati solo da amministratori.\n\n- Puoi cambiare la lingua che parlo, usando il comando /language.\n\n- Puoi configurare il livello di difficoltà captcha usando il comando /difficulty.\n\n- Puoi impostare captcha da usare con solo numeri (impostazione predefinita), numeri e lettere completi, operazione matematica da risolvere, domanda personalizzata o anche solo un pulsante, usando il comando /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Puoi configurare un messaggio di benvenuto personalizzato con il comando /welcome_msg.\n\n- Puoi abilitare l'opzione di lasciarmi applicare restrizioni a nuovi utenti nell'invio di messaggi non testuali usando il comando /restrict_non_text.\n\n- Se il Bot è privato, puoi abilitare gruppi con il comando /allowgroup.\n\n- Puoi configurare un gruppo da una chat privata del Bot tramite il comando /connect.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- Controlla con /commands per ottenere l'elenco e una breve descrizione di tutti i comandi disponibili. ",
"COMMANDS":
"Elenco dei comandi:\n————————————————\n/start - Mostra le informazioni iniziali sul Bot.\n\n/help - Mostra le informazioni di aiuto.\n\n/commands - Mostra questo messaggio. Informazioni su tutti i comandi disponibili e la loro descrizione.\n\n/language - Permette di cambiare la lingua dei messaggi del Bot.\n\n/time - Consente di modificare il tempo disponibile per risolvere un captcha.\n\n/difficulty - Consente di modificare il livello di difficoltà captcha (da 1 a 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Consente di modificare la modalità carattere captcha (num:solo numeri, esadecimale:numeri e caratteri A-F, ascii:numeri e caratteri A-Z, math: operazione matematica, poll: domanda personalizzata, button: solo un pulsante).\n\n/captcha_poll - Configura una domanda personalizzata e le opzioni di risposta per il captcha.\n\n/welcome_msg - Consente di configurare un messaggio di benvenuto che viene inviato dopo aver risolto il captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Dopo che un nuovo utente ha risolto il captche, applica una restrizione e non consente l'invio di messaggi non testuali (immagini, video, audio) per un giorno (o per sempre, usando \"forever\").\n\n/add_ignore - Ignora un utente.\n\n/remove_ignore - Rimuove l'ignora utente.\n\n/ignore_list - Mostra una lista degli utenti ignorati'.\n\n/remove_solve_kick_msg - Configura se i messaggi del captcha debbano essere rimossi dopo un tempo prestabilito.\n\n/remove_welcome_msg - Configura se i messaggi di benvenuto debbano essere rimossi dopo un tempo prestabilito.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Permette ad un gruppo di usare questo Bot (se il Bot è privato).\n\n/enable - Abilita la protezione captcha del gruppo.\n\n/disable - Disabilita la protezione captcha del gruppo.\n\n/checkcfg - Mostra la configurazione corrente del captcha nel gruppo.\n\n/chatid - Mostra l'ID della chat corrente.\n\n/connect - Connette una chat privata del Bot per configurare un gruppo.\n\n/disconnect - Disconnette una chat privata del Bot usata per configurare un gruppo.\n\n/version - Mostra la versione del Bot.\n\n/about - Mostra informazioni.",
"Elenco dei comandi:\n————————————————\n/start - Mostra le informazioni iniziali sul Bot.\n\n/help - Mostra le informazioni di aiuto.\n\n/commands - Mostra questo messaggio. Informazioni su tutti i comandi disponibili e la loro descrizione.\n\n/language - Permette di cambiare la lingua dei messaggi del Bot.\n\n/time - Consente di modificare il tempo disponibile per risolvere un captcha.\n\n/difficulty - Consente di modificare il livello di difficoltà captcha (da 1 a 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Consente di modificare la modalità carattere captcha (num:solo numeri, esadecimale:numeri e caratteri A-F, ascii:numeri e caratteri A-Z, math: operazione matematica, poll: domanda personalizzata, button: solo un pulsante).\n\n/captcha_poll - Configura una domanda personalizzata e le opzioni di risposta per il captcha.\n\n/welcome_msg - Consente di configurare un messaggio di benvenuto che viene inviato dopo aver risolto il captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Dopo che un nuovo utente ha risolto il captche, applica una restrizione e non consente l'invio di messaggi non testuali (immagini, video, audio) per un giorno (o per sempre, usando \"forever\").\n\n/add_ignore - Ignora un utente.\n\n/remove_ignore - Rimuove l'ignora utente.\n\n/ignore_list - Mostra una lista degli utenti ignorati'.\n\n/remove_solve_kick_msg - Configura se i messaggi del captcha debbano essere rimossi dopo un tempo prestabilito.\n\n/remove_welcome_msg - Configura se i messaggi di benvenuto debbano essere rimossi dopo un tempo prestabilito.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Permette ad un gruppo di usare questo Bot (se il Bot è privato).\n\n/enable - Abilita la protezione captcha del gruppo.\n\n/disable - Disabilita la protezione captcha del gruppo.\n\n/checkcfg - Mostra la configurazione corrente del captcha nel gruppo.\n\n/chatid - Mostra l'ID della chat corrente.\n\n/connect - Connette una chat privata del Bot per configurare un gruppo.\n\n/disconnect - Disconnette una chat privata del Bot usata per configurare un gruppo.\n\n/version - Mostra la versione del Bot.\n\n/about - Mostra informazioni.",
"CMD_NOT_ALLOW":
"Solo un amministratore può utilizzare questo comando.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Messaggio di benvenuto configurato correttamente.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Ciao {}, benvenuto in {}. Premi il pulsante in basso per verificare che sei un essere umano. Se non procedi entro {}, verrai automaticamente espulso dal gruppo",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Captcha risolto, verificato dall'utente.\nBenvenuto nel gruppo {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"Questo non è il numero corretto. Controlla attentamente, devi risolvere l'operazione matematica...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} non è riuscito a risolvere il captcha. \"L'utente\"è stato espulso.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Ho provato a eliminare questo messaggio, ma non ho i diritti amministrativi per rimuovere i messaggi che non sono stati inviati da me.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Rilevato un messaggio con un URL (o alias) da {}, che non ha ancora risolto il captcha. Il messaggio è stato rimosso per mantenere Telegram libero dallo spam.",

File diff suppressed because one or more lines are too long

Wyświetl plik

@ -6,7 +6,7 @@
"봇 도움말:\n————————————————\n- 캡차 봇은 그룹에 방문한 새 사용자에게 캡차 이미지를 보여주고, 정해진 시간 안에 캡차 답안을 제출하지 않은 사용자를 추방하는 기능을 제공합니다.\n\n- 특정 사용자가 그룹에 다섯 차례 방문하면서 캡차를 풀지 못한 경우, 이 \"user\"를 봇이라고 가정하고 제한 조치를 취할 것입니다.\n\n- 신규 \"user\"가 캡차를 풀기 전에 URL이 포함된 메시지를 입력한 경우 스팸 메시지로 간주하고 이 메시지를 자동으로 지울 것입니다.\n\n- 사용자 추방, 메시지 삭제를 하려면 관리자 그룹에 캡차 봇을 추가해야 합니다.\n\n- 캡차를 풀지 못한 사용자가 쫓겨나면 채팅방을 깔끔하게 하기 위해 봇과 관련된 모든 메시지는 5분 뒤에 자동으로 지울 것입니다. \n\n- 새 사용자가 캡차를 입력해야 하는 시간은 5분으로 기본 설정되어 있으며, /time 명령어로 시간은 조정할 수 있습니다.\n\n- 캡차 기능은 /enable 과 /disable 명령어로 활성화/비활성화 여부를 설정할 수 있습니다.\n\n- 설정과 관련된 명령어는 관리자들만 쓸 수 있습니다.\n\n- 봇에서 제공하는 언어는 /language 명령어를 이용해 다른 언어로 바꿀 수 있습니다.\n\n- 캡차 난이도는 /difficulty 명령어로 조정할 수 있습니다.\n\n- 캡차는 기본적으로 숫자로만 제공되며 숫자와 문자 A-Z가 결합된 형태 또는 숫자와 문자 A-F, or a math equation to be solved, 객관식 문제 풀기, 버튼 등의 형태로 제공할 수 있으며 /captcha_mode 명령어로 모드를 변경하실 수 있습니다.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- /welcome_msg 명령어로 환영 메시지를 바꿀 수 있습니다.\n\n- /restrict_non_text 명령어는 새 사용자가 텍스트가 아닌 메시지는 입력하지 못하게 제한하는 명령어 입니다.\n\n- 봇이 비공개라면 /allowgroup 명령어로 그룹을 허용할 수 있습니다.\n\n- /connect 명령으로 비공개 봇 채팅에서 그룹을 구성할 수 있습니다.\n\n- URL/링크가 포함된 메시지를 그룹에서 보내지 못하도록 차단하는 명령어는 /url_disable 입니다.\n\n- /commands 명령어를 입력하면 이용 가능한 명령어 목록을 짧은 설명과 함께 확인하실 수 있습니다.",
"COMMANDS":
"명령어 목록:\n————————————————\n/start - 봇에 관한 초기 정보를 보여줍니다.\n\n/help - 도움말 정보를 보여줍니다.\n\n/commands - 이 메시지를 보여줍니다. 이용할 수 있는 모든 명령어 정보를 보여줍니다.\n\n/language - 봇 메시지에서 제공되는 언어를 바꿀 수 있습니다.\n\n/time - 캡차 입력 제한 시간을 바꿀 수 있습니다.\n\n/difficulty - 캡차 난이도(1부터 5까지)를 바꿀 수 있습니다.\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - 캡차 모드를 바꿀 수 있습니다. (nums: 숫자, hex: 숫자와 A~F까지 문자, ascii: 숫자와 A~Z까지 문자, math: 수학 등식, poll: 객관식 문제 풀기, button: 버튼).\n\n/captcha_poll - 객관식 모드에서 질물과 캡차 관련 설정을 할 수 있습니다.\n\n/welcome_msg - 캡차를 푼 사용자에게 보여줄 환영 메시지를 설정할 수 있습니다.\n\n/welcome_msg_time - 환영 메시지가 자동으로 제거되는 시간을 구성할 수 있습니다.\n\n/restrict_non_text - 새 사용자가 캡차를 둔 뒤 하루 동안(또는 \"forever\" 키워드로 영원히) 텍스트가 아닌 메시지(이미지, 비디오, 오디오 등)를 보낼 수 없도록 제한할 수 있습니다.\n\n/add_ignore - 캡차 예외 사용자를 추가합니다.\n\n/remove_ignore - 사용자 예외를 중단합니다.\n\n/ignore_list - 예외 목록에 등록된 사용자 ID 확인.\n\n/remove_solve_kick_msg - 캡차 완료, 추방, 제한 메시지를 자동으로 삭제할 수 있도록 구성합니다.\n\n/remove_welcome_msg - 일정 시간이 지난 뒤 환영 메시지를 자동으로 삭제할 수 있도록 구성합니다.\n\n/url_disable - 그룹 구성원이 웹사이트 링크(URL)가 포함된 메시지를 보내지 못하도록 합니다.\n\n/url_enable - 그룹 구성원이 웹사이트 링크(URL)가 포함된 메시지를 보낼 수 있도록 허용합니다.\n\n/remove_all_msg_kick_off - 캡차를 풀지 않은 사용자가 보낸 문자 메시지를 지우지 않도록 구성합니다.\n\n/remove_all_msg_kick_on - 캡차를 풀지 않은 사용자가 보낸 문자 메시지를 지우도록 구성합니다.\n\n/allowgroup - 그룹에서 봇을 쓸 수 있도록 허용합니다.(봇이 비공개인 경우)\n\n/enable - 캡차 기능 활성화.\n\n/disable - 캡차 기능 비활성화\n\n/checkcfg - 그룹의 현재 캡차 구성을 보여줍니다.\n\n/chatid - 현재 채팅의 Chat ID 보기.\n\n/connect - 그룹에 연결하여 비공개 봇 채팅에서 그룹을 구성할 수 있습니다.\n\n/disconnect - 비공개 봇 채팅에서 구성한 연결된 그룹을 끊습니다.\n\n/version - 봇 버전 보기.\n\n/about - 봇 정보 보기.",
"명령어 목록:\n————————————————\n/start - 봇에 관한 초기 정보를 보여줍니다.\n\n/help - 도움말 정보를 보여줍니다.\n\n/commands - 이 메시지를 보여줍니다. 이용할 수 있는 모든 명령어 정보를 보여줍니다.\n\n/language - 봇 메시지에서 제공되는 언어를 바꿀 수 있습니다.\n\n/time - 캡차 입력 제한 시간을 바꿀 수 있습니다.\n\n/difficulty - 캡차 난이도(1부터 5까지)를 바꿀 수 있습니다.\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - 캡차 모드를 바꿀 수 있습니다. (nums: 숫자, hex: 숫자와 A~F까지 문자, ascii: 숫자와 A~Z까지 문자, math: 수학 등식, poll: 객관식 문제 풀기, button: 버튼).\n\n/captcha_poll - 객관식 모드에서 질물과 캡차 관련 설정을 할 수 있습니다.\n\n/welcome_msg - 캡차를 푼 사용자에게 보여줄 환영 메시지를 설정할 수 있습니다.\n\n/welcome_msg_time - 환영 메시지가 자동으로 제거되는 시간을 구성할 수 있습니다.\n\n/restrict_non_text - 새 사용자가 캡차를 둔 뒤 하루 동안(또는 \"forever\" 키워드로 영원히) 텍스트가 아닌 메시지(이미지, 비디오, 오디오 등)를 보낼 수 없도록 제한할 수 있습니다.\n\n/add_ignore - 캡차 예외 사용자를 추가합니다.\n\n/remove_ignore - 사용자 예외를 중단합니다.\n\n/ignore_list - 예외 목록에 등록된 사용자 ID 확인.\n\n/remove_solve_kick_msg - 캡차 완료, 추방, 제한 메시지를 자동으로 삭제할 수 있도록 구성합니다.\n\n/remove_welcome_msg - 일정 시간이 지난 뒤 환영 메시지를 자동으로 삭제할 수 있도록 구성합니다.\n\n/url_disable - 그룹 구성원이 웹사이트 링크(URL)가 포함된 메시지를 보내지 못하도록 합니다.\n\n/url_enable - 그룹 구성원이 웹사이트 링크(URL)가 포함된 메시지를 보낼 수 있도록 허용합니다.\n\n/remove_all_msg_kick_off - 캡차를 풀지 않은 사용자가 보낸 문자 메시지를 지우지 않도록 구성합니다.\n\n/remove_all_msg_kick_on - 캡차를 풀지 않은 사용자가 보낸 문자 메시지를 지우도록 구성합니다.\n\n/allowgroup - 그룹에서 봇을 쓸 수 있도록 허용합니다.(봇이 비공개인 경우)\n\n/enable - 캡차 기능 활성화.\n\n/disable - 캡차 기능 비활성화\n\n/checkcfg - 그룹의 현재 캡차 구성을 보여줍니다.\n\n/chatid - 현재 채팅의 Chat ID 보기.\n\n/connect - 그룹에 연결하여 비공개 봇 채팅에서 그룹을 구성할 수 있습니다.\n\n/disconnect - 비공개 봇 채팅에서 구성한 연결된 그룹을 끊습니다.\n\n/version - 봇 버전 보기.\n\n/about - 봇 정보 보기.",
"CMD_NOT_ALLOW":
"이 명령어는 관리자만 쓸 수 있습니다.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"환영 메시지가 설정되었습니다.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"{} 님 안녕하세요. {} 방문을 환영합니다. 원활한 채널 운영을 위해 방문 계정이 봇인지 사람인지 확인하고 있습니다. 사람이라면 아래 버튼을 클릭해주세요. {} 안에 캡차봇이 보여주는 문구를 제대로 입력하지 않으면 그룹에서 자동으로 추방될 것입니다.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"캡차 답안 제출이 완료되어 사용자가 인증되었습니다.\n{} 방문을 환영합니다",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"That is not the correct number. Check closely, you need to solve the math equation...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} 보안 문자를 해결하지 못했습니다. \"User\" 님은 추방되었습니다.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"이 메시지를 삭제하고 했으나 봇에 관리자 권한이 부여되지 않아 메시지를 삭제하지 못했습니다.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"캡차를 아직 풀지 않는 {} 로부터 URL (또는 alias)이 포함된 메시지가 감지되었습니다. 깔끔한 채팅방 유지를 위해 메시지는 삭제되었습니다.:)",

Wyświetl plik

@ -6,7 +6,7 @@
"Bot help:\n————————————————\n- Ik ben een bot die een captcha afbeelding stuurt voor elke nieuwe gebruiker die lid wordt van een groep, en ik kick iedereen die de captcha niet binnen een bepaalde tijd kan oplossen.\n\n- Als een gebruiker 5 keer achter elkaar probeert lid te worden van de groep en de captcha niet oplost, neem ik aan dat deze \"user\" een bot is en zal worden gebanned.\n\n- Elk bericht dat een URL bevat die door een nieuwe \"user\" is verzonden voordat de captcha is voltooid, wordt als spam beschouwd en zal worden verwijderd.\n\n- Je moet mij adminrechten geven om gebruikers te kicken en berichten te verwijderen.\n\n- Om de groep schoon te houden verwijder ik automatisch alle berichten die aan mij gerelateerd zijn, wanneer een captcha niet is opgelost en de gebruiker is gekickt (na 5 minuten).\n\n- De tijd die nieuwe gebruikers hebben om de captcha op te lossen is standaard 5 minuten, maar dit kan worden geconfigureerd met het commando /time.\n\n- Je kunt de captcha-bescherming aan/uit zetten met de commando's /enable en /disable.\n\n- Configuratie commando's kunnen alleen uitgevoerd worden door de groep Administrators.\n\n- Je kunt de taal die ik spreek wijzigen met de opdracht /language.\n\n- Je kunt het moeilijkheidsniveau van de captcha configureren met de opdracht /difficulty.\n\n- Je kunt de captcha instellen door complete cijfers en letters A-Z te gebruiken, of cijfers en letters A-F, of alleen cijfers (standaard), or a math equation to be solved, of a custom poll, of alleen een knop, met het commando /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Je kunt een aangepast welkomstbericht configureren met het commando /welcome_msg.\n\n- Je kunt een optie inschakelen zodat ik een restrictie kan toepassen voor nieuwe gebruikers om niet-tekstberichten te verzenden met de opdracht /restrict_non_text.\n\n- Als de bot privé is, sta dan groepen toe met het commando /allowgroup.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- Typ /commands om een lijst te krijgen van alle beschikbare commando's en een korte beschrijving daarvan.",
"COMMANDS":
"Lijst met commando's:\n————————————————\n/start - Toont de initiele informatie over de bot.\n\n/help - Toont de helpinformatie.\n\n/commands - Toont dit bericht. Informatie over alle beschikbare commando's en hun beschrijving.\n\n/language - Hiermee kan de berichtentaal van de bot worden gewijzigd.\n\n/time - Hiermee kunt u de beschikbare tijd wijzigen om een captcha op te lossen.\n\n/difficulty - Hiermee kunt u de moeilijkheidsgraad van de captcha wijzigen (van 1 tot 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Mogelijkheid om de captcha-modus te wijzigen (nums: getallen, hex: getallen en de letters A-F, ascii: getallen en de letters A-Z, math: math equation, poll: custom and configurable poll, button: alleen een knop).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Mogelijkheid om een welkomstbericht te configureren dat wordt verzonden na het oplossen van de captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Vraag een geblokte gebruiker niet om de captcha.\n\n/remove_ignore - Stop het blokkeren van een gebruiker.\n\n/ignore_list - lijst met geblokte gebruikers-ID's.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Toestaan dat een groep de bot gebruikt (als de bot privé is).\n\n/enable - Schakel de captcha-bescherming van de groep in.\n\n/disable - Schakel de captcha-bescherming van de groep uit.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Laat de versie van de Bot zien.\n\n/about - Toon informatie over deze bot.",
"Lijst met commando's:\n————————————————\n/start - Toont de initiele informatie over de bot.\n\n/help - Toont de helpinformatie.\n\n/commands - Toont dit bericht. Informatie over alle beschikbare commando's en hun beschrijving.\n\n/language - Hiermee kan de berichtentaal van de bot worden gewijzigd.\n\n/time - Hiermee kunt u de beschikbare tijd wijzigen om een captcha op te lossen.\n\n/difficulty - Hiermee kunt u de moeilijkheidsgraad van de captcha wijzigen (van 1 tot 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Mogelijkheid om de captcha-modus te wijzigen (nums: getallen, hex: getallen en de letters A-F, ascii: getallen en de letters A-Z, math: math equation, poll: custom and configurable poll, button: alleen een knop).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Mogelijkheid om een welkomstbericht te configureren dat wordt verzonden na het oplossen van de captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Vraag een geblokte gebruiker niet om de captcha.\n\n/remove_ignore - Stop het blokkeren van een gebruiker.\n\n/ignore_list - lijst met geblokte gebruikers-ID's.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Toestaan dat een groep de bot gebruikt (als de bot privé is).\n\n/enable - Schakel de captcha-bescherming van de groep in.\n\n/disable - Schakel de captcha-bescherming van de groep uit.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Laat de versie van de Bot zien.\n\n/about - Toon informatie over deze bot.",
"CMD_NOT_ALLOW":
"Alleen een admin kan deze opdracht gebruiken.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Welkomstbericht succesvol geconfigureerd.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Hallo {}, welkom bij {}. Druk op de onderstaande knop om te bevestigen dat je een mens bent. Als je dit niet binnen {} doet, word je automatisch uit de groep gezet.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Captcha opgelost, gebruiker geverifieerd. \nWelkom bij de groep, {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"That is not the correct number. Check closely, you need to solve the math equation...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} kon de captcha niet oplossen. \"User\" werd eruit getrapt.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Ik heb geprobeerd dit bericht te verwijderen, maar ik heb niet de adminrechten om berichten te verwijderen die niet door mij zijn verzonden.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Bericht gevonden met een URL (of alias) van {}, die de captcha nog niet heeft opgelost. Het bericht is verwijderd om Telegram spamvrij te houden :)",

Wyświetl plik

@ -6,7 +6,7 @@
"Pomoc bota:\n————————————————\n- Jestem botem wysyłającym kod captcha każdemu nowemu użytkownikowi w grupie i wyrzucającym każdego, kto nie rozwiąże kodu w określonym czasie.\n\n- Jeśli użytkownik spróbuje dołączyć 5 razy bez rozwiązania captcha, zakładam, że ten \"użytkownik\" jest botem i zostanie zbanowany.\n\n- Każda wiadomość z linkiem URL wysłanym przez nowego \"użytkownika\" zanim rozwiąże on captcha zostanie uznana za spam i usunięta.\n\n- Musisz mi przyznać prawa administratora bym mógł zarządzać użytkownikami i wiadomościami.\n\n- By zachować czystość na grupie, automatycznie usuwam wszystkie wiadomości związane ze mną gdy captcha nie zostało rozwiązane i użytkownik został zbanowany (po 5 minutach).\n\n- Domyślny czas na rozwiązanie captcha to 5 minut, ale można to zmienić komendą /time.\n\n- Możesz włączyć lub wyłączyć captcha używając komend /enable oraz /disable.\n\n- Komend konfiguracyjnych używać mogą tylko administratorzy grupy.\n\n- Możesz zmienić język, którym się z Tobą porozumiewam używając komendy /language.\n\n- Możesz zmienić stopień trudności captcha komendą /difficulty.\n\n- Możesz ustawić by captcha używało tylko cyfr (domyślnie) lub wszystkich cyfr i liter używając komendy /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Możesz wprowadzić własną wiadomość powitalną komendą /welcome_msg.\n\n- Możesz włączyć ograniczenie dla nowych użytkowników do wysyłania tylko wiadomości tekstowych komendą /restrict_non_text.\n\n- If the Bot is Private, allow groups with command /allowgroup.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- Sprawdź /commands bym pokazał Ci listę wszystkich dostępnych komend oraz ich krótkie opisy.",
"COMMANDS":
"Lista komend:\n————————————————\n/start - pokazuje wstępne informacje o bocie.\n\n/help - pokazuje pomoc.\n\n/commands - pokazuje tą wiadomość. Informacje o wszystkich komendach oraz ich krótkie opisy.\n\n/language - pozwala zmienić język bota.\n\n/time - pozwala zmienić czas na rozwiązanie captcha.\n\n/difficulty - pozwala zmienić stopień trudności captcha (od 1 do 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - pozwala zmienić tryb znaków captcha (nums: tylko cyfry, hex: cyfry oraz znaki A-F, ascii: cyfry oraz znaki A-Z, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - pozwala na konfigurację wiadomości powitalnej po rozwiązaniu captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - nie pytaj zignorowanych użytkowników o captcha.\n\n/remove_ignore - przestań ignorować użytkownika.\n\n/ignore_list - lista ignorowanych użytkowników/ID.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Allow a group to use the Bot (if Bot is Private).\n\n/enable - włącza zabezpieczenie captcha.\n\n/disable - wyłącza zabezpieczenie captcha.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - pokazuje wersję bota.\n\n/about - pokazuje inne informcje o bocie.",
"Lista komend:\n————————————————\n/start - pokazuje wstępne informacje o bocie.\n\n/help - pokazuje pomoc.\n\n/commands - pokazuje tą wiadomość. Informacje o wszystkich komendach oraz ich krótkie opisy.\n\n/language - pozwala zmienić język bota.\n\n/time - pozwala zmienić czas na rozwiązanie captcha.\n\n/difficulty - pozwala zmienić stopień trudności captcha (od 1 do 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - pozwala zmienić tryb znaków captcha (nums: tylko cyfry, hex: cyfry oraz znaki A-F, ascii: cyfry oraz znaki A-Z, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - pozwala na konfigurację wiadomości powitalnej po rozwiązaniu captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - nie pytaj zignorowanych użytkowników o captcha.\n\n/remove_ignore - przestań ignorować użytkownika.\n\n/ignore_list - lista ignorowanych użytkowników/ID.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Allow a group to use the Bot (if Bot is Private).\n\n/enable - włącza zabezpieczenie captcha.\n\n/disable - wyłącza zabezpieczenie captcha.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - pokazuje wersję bota.\n\n/about - pokazuje inne informcje o bocie.",
"CMD_NOT_ALLOW":
"Tylko admin może użyć tej komendy.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Wiadomość powitalna skonfigurowana pomyślnie.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Hello {}, welcome to {}. Please press the button below to verify that you are a human. If you don't do this in {}, you will be automatically kicked out of the group.\n\n[This text needs translate to actual configured language]",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Pomyślnie rozwiązano captcha, użytkownik uwierzytelniony.\nWitamy {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"That is not the correct number. Check closely, you need to solve the math equation...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} nie udało się rozwiązać captcha. \"Użytkownik\" został wyrzucony.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Próbowałem usunąć tą wiadomość, ale nie mam uprawnień do usuwanie nie moich wiadomości.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Wykryto wiadomość z linkiem URL od {}, który jeszcze nie rozwiązał captcha. Wiadomość usunięto, by Telegram był wolny od Spamu wszelkiego :)",

Wyświetl plik

@ -6,7 +6,7 @@
"Ajuda do Bot:\n————————————————\n- Eu sou um Bot que envia um captcha para cada novo usuário que entra no grupo e expulsa aquele que não enviar o captcha no tempo definido.\n\n- Se um usuário tentar entrar no grupo 5 vezes sem enviar o captcha corretamente, vou presumir que esse “usuário” é um Bot, e ele será banido.\n\n- Qualquer mensagem que contenha um URL que tenha sido enviado por um novo \"usuário\" antes da conclusão do captcha, será considerada Spam e será excluída.\n\n- Você tem que me dar privilégios de administrador para que eu possa expulsar e banir usuários, e remover mensagens.\n\n- Para manter o grupo limpo, eu removo automaticamente todas as mensagens relacionadas a mim quando um captcha não é enviado e o usuário é expulso (depois de 5 minutos).\n\n- O tempo de espera para que o usuário envie o captcha é de 5 minutos, mas ele pode ser configurado usando o comando /time.\n\n- Você pode ativar ou desativar a proteção captcha usando os comandos /enable e /disable.\n\n- Comandos de configuração somente podem ser usados pelos Administradores do grupo.\n\n- Você pode definir o idioma que eu falo usando o comando /language.\n\n- Você pode configurar o grau de dificuldade do captcha usando a opção /difficulty.\n\nVocê pode definir se o captcha terá apenas números (o padrão) ou números e letras, ou uma equação matemática para ser resolvida, uma enquete personalizada, ou um simples botão, usando a opção /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Você pode configurar uma mensagem de boas-vindas personalizada com o comando /welcome_msg.\n\n- Você pode ativar a opção para me deixar aplicar a restrição de mensagens apenas em texto para usuários que acabaram de ingressar no grupo com o comando /restrict_non_text.\n\n- Se o Bot for Privado, você pode permitir grupos com o comando /allowgroup.\n\n- Você pode configurar um grupo a partir de um chat privado com o Bot por meio do comando /connect.\n\n- Você pode bloquear usuários para que não enviem mensagens que contenham um URL/link em um grupo com o comando /url_disable.\n\n- Use a opção /commands para ver a lista de todos os comandos com uma breve descrição de cada um deles.",
"COMMANDS":
"Lista de comandos:\n————————————————\n/start - Mostra informações básicas sobre o bot.\n\n/help - Mostra informações de ajuda.\n\n/commands - Mostra a lista de todos os comandos disponíveis e suas descrições.\n\n/language - Permite definir o idioma das mensagens do bot.\n\n/time - Permite alterar o tempo disponível para resolver um captcha.\n\n/difficulty - Permite alterar o nível de dificuldade do captcha (de 1 a 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Permite alterar o modo do captcha (nums: apenas números, hex: números e letras A-F, ascii: números e letras A-Z, math: equação matemática, poll: enquete personalizada e configurável, button: apenas um botão).\n\n/captcha_poll - Configura uma pergunta personalizada de enquete e opções para captcha no modo enquete.\n\n/welcome_msg - Permite configurar uma mensagem de boas-vindas que é enviada após a resolução do captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Depois de um novo usuário resolver o captcha, aplica a restrição para poder enviar mensagens apenas de texto (excluindo imagens, vídeos, áudios) por 1 dia (ou para sempre, usando a palavra \"forever\").\n\n/add_ignore - Não pede a resolução do captcha a um usuário ignorado.\n\n/remove_ignore - Para de ignorar um usuário.\n\n/ignore_list - Lista de todos os IDs dos usuários ignorados.\n\n/remove_solve_kick_msg - Configura se as mensagens de resolução do captcha e de expulsão/banimento devem ser automaticamente excluídas após algum tempo.\n\n/remove_welcome_msg - Configura se mensagens de boas-vindas devem ser automaticamente excluídas após algum tempo.\n\n/url_disable - Nega aos membros do grupo o envio de mensagens que contenham links para sites (URLs).\n\n/url_enable - Permite aos membros do grupo o envio de mensagens que contenham links para sites (URLs).\n\n/remove_all_msg_kick_off - Configura o Bot para não remover mensagens de texto enviadas por usuários que não resolveram o captcha.\n\n/remove_all_msg_kick_on - Configure o Bot para remover todas as mensagens de texto enviadas por usuários que não resolveram o captcha.\n\n/allowgroup - Permite que grupo o use o Bot (se o Bot for Privado).\n\n/enable - Ativa a proteção captcha no grupo.\n\n/disable - Desativa a proteção captcha no grupo.\n\n/checkcfg - Obtém as configurações de captcha do grupo.\n\n/chatid - Mostra o Chat ID do bate-papo atual.\n\n/connect - Conecta a um grupo para configurá-lo a partir de um bate-papo privado com o Bot.\n\n/disconnect - Desconecta de um grupo conectado que está sendo configurado a partir de um bate-papo privado com o Bot.\n\n/version - Mostra a versão do Bot.\n\n/about - Mostra informações sobre o bot.",
"Lista de comandos:\n————————————————\n/start - Mostra informações básicas sobre o bot.\n\n/help - Mostra informações de ajuda.\n\n/commands - Mostra a lista de todos os comandos disponíveis e suas descrições.\n\n/language - Permite definir o idioma das mensagens do bot.\n\n/time - Permite alterar o tempo disponível para resolver um captcha.\n\n/difficulty - Permite alterar o nível de dificuldade do captcha (de 1 a 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Permite alterar o modo do captcha (nums: apenas números, hex: números e letras A-F, ascii: números e letras A-Z, math: equação matemática, poll: enquete personalizada e configurável, button: apenas um botão).\n\n/captcha_poll - Configura uma pergunta personalizada de enquete e opções para captcha no modo enquete.\n\n/welcome_msg - Permite configurar uma mensagem de boas-vindas que é enviada após a resolução do captcha.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Depois de um novo usuário resolver o captcha, aplica a restrição para poder enviar mensagens apenas de texto (excluindo imagens, vídeos, áudios) por 1 dia (ou para sempre, usando a palavra \"forever\").\n\n/add_ignore - Não pede a resolução do captcha a um usuário ignorado.\n\n/remove_ignore - Para de ignorar um usuário.\n\n/ignore_list - Lista de todos os IDs dos usuários ignorados.\n\n/remove_solve_kick_msg - Configura se as mensagens de resolução do captcha e de expulsão/banimento devem ser automaticamente excluídas após algum tempo.\n\n/remove_welcome_msg - Configura se mensagens de boas-vindas devem ser automaticamente excluídas após algum tempo.\n\n/url_disable - Nega aos membros do grupo o envio de mensagens que contenham links para sites (URLs).\n\n/url_enable - Permite aos membros do grupo o envio de mensagens que contenham links para sites (URLs).\n\n/remove_all_msg_kick_off - Configura o Bot para não remover mensagens de texto enviadas por usuários que não resolveram o captcha.\n\n/remove_all_msg_kick_on - Configure o Bot para remover todas as mensagens de texto enviadas por usuários que não resolveram o captcha.\n\n/allowgroup - Permite que grupo o use o Bot (se o Bot for Privado).\n\n/enable - Ativa a proteção captcha no grupo.\n\n/disable - Desativa a proteção captcha no grupo.\n\n/checkcfg - Obtém as configurações de captcha do grupo.\n\n/chatid - Mostra o Chat ID do bate-papo atual.\n\n/connect - Conecta a um grupo para configurá-lo a partir de um bate-papo privado com o Bot.\n\n/disconnect - Desconecta de um grupo conectado que está sendo configurado a partir de um bate-papo privado com o Bot.\n\n/version - Mostra a versão do Bot.\n\n/about - Mostra informações sobre o bot.",
"CMD_NOT_ALLOW":
"Apenas um Admin pode usar esse comando",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Mensagem de boas-vindas configurada com sucesso.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Olá {}, seja bem-vindo ao grupo {}. Por favor, pressione ou clique no botão abaixo para podermos verificar se é um ser humano. Se não realizar esta operação nos próximos {}, será automaticamente expulso do grupo.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Captcha enviado, usuário verificado.\nSeja bem-vindo ao grupo {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"Esse não é o número correto. Olhe com atenção, você precisa resolver a equação matemática...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} não conseguiu resolver o captcha. O \"usuário\" foi expulso.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Eu tentei apagar essa mensagem, mas eu não tenho poderes administrativos para remover mensagens que não foram enviadas por mim",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Detectada uma mensagem com um URL (ou alias) de {}, que ainda não resolveu o captcha. A mensagem foi removida em prol de um Telegram livre de spam:)",

Wyświetl plik

@ -6,7 +6,7 @@
"Помощь:\n————————————————\n- Я бот, который отправляет картинку с капчей для каждого нового присоединившегося пользователя к чату, и удаляю любого, кто не может решить капчу в течении указанного времени.\n\n- Если пользователь попытается присоединиться к чату 5 раз подряд и не решит капчу, то я буду считать, что этот «пользователь» - бот, и он будет забанен.\n\n- Кроме того, любое сообщение, содержащее URL-адрес, отправленный новым \"пользователем\" до завершения проверки, будет считаться спамом и будет удалено.\n\n- Вам нужно дать мне права администратора, чтобы банить пользователей и удалять сообщения.\n\n- Чтобы сохранять чистоту в чате, я автоматически удаляю все сообщения, связанные со мной, когда капча не решена, и пользователь был удален (через 5 минут).\n\n- По умолчанию у человека есть 5 минут чтобы решить капчу, но это можно настроить с помощью команды /time.\n\n- Вы можете включить/выключить защиту с помощью команд /enable и /disable.\n\n- Команды настроек могут использоваться только администраторами.\n\n- Чтобы изменить язык используйте команду /language.\n\n- Вы можете настроить уровень сложности капчи с помощью команды /difficulty.\n\n- Вы можете изменить капчу, чтобы использовать только цифры (по умолчанию) или цифры и буквы, или математическое уравнение, которое нужно решить, или индивидуальный опрос, или просто кнопку, используя команду /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Чтобы настроить приветственное сообщение введите команду /welcome_msg.\n\n- Вы можете включить опцию, чтобы позволить мне применять ограничения для новых присоединившихся пользователей для отправки не-текстовых сообщений с помощью команды /restrict_non_text.\n\n- Если бот является приватным, разрешите группы с помощью команды /allowgroup.\n\n- Вы можете настроить группу из приватного чата с бота через команду /connect.\n\n- Вы можете заблокировать пользователей для отправки любого сообщения, содержащего URL/ссылку в группе с помощью команды /url_disable.\n\n- Нажмите /commands чтобы получить список всех доступных команд с кратким описанием.",
"COMMANDS":
"Список команд:\n————————————————\n/start - Показывает начальную информацию о боте.\n\n/help - Показывает справочную информацию.\n\n/commands - Показывает информацию обо всех доступных командах и их описание.\n\n/language - Позволяет менять язык сообщений бота.\n\n/time - Позволяет изменить время, доступное для решения капчи.\n\n/difficulty - Позволяет изменить уровень сложности капчи (от 1 до 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Позволяет изменить режим капчи (nums: просто цифры, hex: цифры и символы A-F, ascii: цифры и символы A-Z, math: математическое уравнение, poll: настраиваемый опрос, button: просто кнопка).\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - После того, как новый пользователь решит капчу, применить ограничение, чтобы не позволять ему отправлять нетекстовые сообщения (изображения, видео, аудио) в течение 1 дня (или навсегда, используя ключ \"forever\").\n\n/add_ignore - Не запрашивать капчу у игнорируемого пользователя.\n\n/remove_ignore - Прекратить игнорировать пользователя.\n\n/ignore_list - Список игнорируемых пользователей.\n\n/captcha_poll - Настроить пользовательский вопрос для опроса и параметры капчи в режиме опроса.\n\n/welcome_msg - Позволяет настроить приветственное сообщение, которое отправляется после разрешения капчи.\n\n/remove_solve_kick_msg - Настройте автоматическое удаление сообщений о вводе капчи и кик/бан через некоторое время.\n\n/remove_welcome_msg - Настройте автоматическое удаление приветственного сообщения через некоторое время.\n\n/url_disable - Запретить пользователям группы отправлять сообщения, содержащие ссылки на веб-сайты (URL-адреса).\n\n/url_enable - Разрешить пользователям группы отправлять сообщения, содержащие ссылки на веб-сайты (URL-адреса).\n\n/remove_all_msg_kick_off - Настроить бота, чтобы он не удалял текстовые сообщения, отправленные пользователями, не решившими проверку.\n\n/remove_all_msg_kick_on - Настроить бота, чтобы он удалял все сообщения, отправленные пользователями, которые не решили капчу.\n\n/allowgroup - Разрешить группе использовать бота (если бот является приватным).\n\n/enable - Включает защиту от спама в чате.\n\n/disable - Выключает защиту от спама в чате.\n\n/checkcfg - Получить текущию конфигурацию группы.\n\n/chatid - Показывает идентификатор текущего чата.\n\n/connect - Подключитесь к группе, чтобы настроить ее из приватного бот-чата.\n\n/disconnect - Отключитесь от подключенной группы, которая настраивается из приватного бот-чата.\n\n/version - Показывает версию бота.\n\n/about - Показать информацию.",
"Список команд:\n————————————————\n/start - Показывает начальную информацию о боте.\n\n/help - Показывает справочную информацию.\n\n/commands - Показывает информацию обо всех доступных командах и их описание.\n\n/language - Позволяет менять язык сообщений бота.\n\n/time - Позволяет изменить время, доступное для решения капчи.\n\n/difficulty - Позволяет изменить уровень сложности капчи (от 1 до 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Позволяет изменить режим капчи (nums: просто цифры, hex: цифры и символы A-F, ascii: цифры и символы A-Z, math: математическое уравнение, poll: настраиваемый опрос, button: просто кнопка).\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - После того, как новый пользователь решит капчу, применить ограничение, чтобы не позволять ему отправлять нетекстовые сообщения (изображения, видео, аудио) в течение 1 дня (или навсегда, используя ключ \"forever\").\n\n/add_ignore - Не запрашивать капчу у игнорируемого пользователя.\n\n/remove_ignore - Прекратить игнорировать пользователя.\n\n/ignore_list - Список игнорируемых пользователей.\n\n/captcha_poll - Настроить пользовательский вопрос для опроса и параметры капчи в режиме опроса.\n\n/welcome_msg - Позволяет настроить приветственное сообщение, которое отправляется после разрешения капчи.\n\n/remove_solve_kick_msg - Настройте автоматическое удаление сообщений о вводе капчи и кик/бан через некоторое время.\n\n/remove_welcome_msg - Настройте автоматическое удаление приветственного сообщения через некоторое время.\n\n/url_disable - Запретить пользователям группы отправлять сообщения, содержащие ссылки на веб-сайты (URL-адреса).\n\n/url_enable - Разрешить пользователям группы отправлять сообщения, содержащие ссылки на веб-сайты (URL-адреса).\n\n/remove_all_msg_kick_off - Настроить бота, чтобы он не удалял текстовые сообщения, отправленные пользователями, не решившими проверку.\n\n/remove_all_msg_kick_on - Настроить бота, чтобы он удалял все сообщения, отправленные пользователями, которые не решили капчу.\n\n/allowgroup - Разрешить группе использовать бота (если бот является приватным).\n\n/enable - Включает защиту от спама в чате.\n\n/disable - Выключает защиту от спама в чате.\n\n/checkcfg - Получить текущию конфигурацию группы.\n\n/chatid - Показывает идентификатор текущего чата.\n\n/connect - Подключитесь к группе, чтобы настроить ее из приватного бот-чата.\n\n/disconnect - Отключитесь от подключенной группы, которая настраивается из приватного бот-чата.\n\n/version - Показывает версию бота.\n\n/about - Показать информацию.",
"CMD_NOT_ALLOW":
"Только администратор может использовать эту команду.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Приветственное сообщение успешно изменено.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Привет, {}! Добро пожаловать в чат {}. Нажмите на кнопку ниже, чтобы подтвердить, что вы человек. Если вы не сделаете этого в течение {}, вас автоматически исключат из группы.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Капча решена, Пользователь подтвержден.\nДобро пожаловать в чат, {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"Код был ввёден неправильно. Проверьте внимательно, вам нужно решить математическое уравнение...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} не удалось разгадать капчу. \"пользователя\" выгнали.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Я попытался удалить это сообщение, но у меня нет прав администратора для этого",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Обнаружено сообщение с URL от {}, он еще не решил капчу. Сообщение было удалено чтобы сохранить Telegram свободным от спама:)",

Wyświetl plik

@ -6,7 +6,7 @@
"Bot pomôcky:\n————————————————\n- Som Bot, ktorý posiela captcha obrázok pre každého nového užívateľa ktorý sa pridá do tvojej skupiny, a vyhodí každého kto nedokáže opísať kód z obrázka v špecifikovanom čase.\n\n- Ak sa užívateľ pokúsi pridať do skupiny 5 krát za sebou a ani raz neopíše captcha kód, budem predpokladať, že tento \"užívateľ\" je bot, a bude zabanovaný.\n\n- Akákoľvek správa, ktorá obsahuje URL a je poslaná novým \"užívateľom\" predtým ako opíše captcha kód, bude považovaná za spam a bude zmazaná.\n\n- Musíš mi dať práva Administrátora, aby som mohol vyhadzovať užívateľov a mazať správy.\n\n- Pre zachovanie čistej skupiny, automaticky mažem všetky správy ktoré sa týkajú mňa, keď užívateľ neopíše captcha kód a je vyhodený (po 5 minutách).\n\n- Prednastavený časový limit na opísanie captcha kódu novým užívateľom je 5 minút, dá sa ale nastaviť príkazom /time.\n\n- Captcha ochranu môžeš kedykoľvek vypnúť a zapnúť použitím príkazov /enable a /disable.\n\n- Príkazy na moje nastavenia môžu byť použité len administrátorom danej skupiny.\n\n- Môžeš zmeniť jazyk ktorým hovorím zadaním príkazu /language.\n\n- Môžeš nastaviť obtiažnosť captcha obrázka použitím príkazu /difficulty.\n\n- Môžeš nastaviť captcha kód tak aby sa skladal len z celých čísel a písmen A-Z, alebo čísel a písmen A-F, alebo len čísel (prednastavené), or a math equation to be solved, or a custom poll, alebo len v podobe tlačidla, použitím príkazu /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Môžeš nastaviť vlastnú uvítaciu správu príkazom /welcome_msg.\n\n- Môžeš povoliť možnosť, ktorá mi umožní obmedziť nového užívateľa v posielaní netextových správ použitím príkazu /restrict_non_text.\n\n- Ak je bot Súkromný, povoľ skupiny príkazom /allowgroup.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- Pozri si príkaz /commands pre zobrazenie zoznamu všetkých dostupných príkazov spolu s ich krátkymi popismi.",
"COMMANDS":
"Zoznam príkazov:\n————————————————\n/start - Zobrazí počiatočné informácie o botovi.\n\n/help - Zobrazí nápomocné informácie.\n\n/commands - Zobrazí túto správu. Informáciu o všetkých dostupných príkazoch a ich popis.\n\n/language - Umožňuje zmeniť jazyk správ bota.\n\n/time - Umožňuje zmeniť čas dostupný na opísanie captcha kódu.\n\n/difficulty - Umožňuje zmeniť obtiažnosť captcha kódu (od 1 po 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Umožňuje zmeniť captcha mód (nums: čísla, hex: čísla a A-F znaky, ascii: čísla a A-Z znaky, , math: math equation, poll: custom and configurable poll, button: len tlačidlo).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Umožňuje nastaviť uvítaciu správu ktorá je poslaná po správnom opísaní captcha kódu.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Umožňuje obmedziť užívateľa po úspešnom opísaní captcha kódu v posielaní netextových správ (obrázkov, videí, audio súborov) na 1 deň (alebo navždy, použitím hesla \"forever\" ).\n\n/add_ignore - Nepýtať opísanie captcha kódu od užívateľa v zozname ignorovaných.\n\n/remove_ignore - Prestať ignorovať užívateľa.\n\n/ignore_list - zoznam IDčiek ignorovaných užívateľov.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Povoľ skupine využívať bota (v prípade, že je bot súkromný).\n\n/enable - Aktivuj captcha ochranu pre danú skupinu.\n\n/disable - Deaktivuj captcha ochranu pre danú skupinu.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Zobraz verziu bota.\n\n/about - Zobraz informácie o botovi.",
"Zoznam príkazov:\n————————————————\n/start - Zobrazí počiatočné informácie o botovi.\n\n/help - Zobrazí nápomocné informácie.\n\n/commands - Zobrazí túto správu. Informáciu o všetkých dostupných príkazoch a ich popis.\n\n/language - Umožňuje zmeniť jazyk správ bota.\n\n/time - Umožňuje zmeniť čas dostupný na opísanie captcha kódu.\n\n/difficulty - Umožňuje zmeniť obtiažnosť captcha kódu (od 1 po 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Umožňuje zmeniť captcha mód (nums: čísla, hex: čísla a A-F znaky, ascii: čísla a A-Z znaky, , math: math equation, poll: custom and configurable poll, button: len tlačidlo).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Umožňuje nastaviť uvítaciu správu ktorá je poslaná po správnom opísaní captcha kódu.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - Umožňuje obmedziť užívateľa po úspešnom opísaní captcha kódu v posielaní netextových správ (obrázkov, videí, audio súborov) na 1 deň (alebo navždy, použitím hesla \"forever\" ).\n\n/add_ignore - Nepýtať opísanie captcha kódu od užívateľa v zozname ignorovaných.\n\n/remove_ignore - Prestať ignorovať užívateľa.\n\n/ignore_list - zoznam IDčiek ignorovaných užívateľov.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Povoľ skupine využívať bota (v prípade, že je bot súkromný).\n\n/enable - Aktivuj captcha ochranu pre danú skupinu.\n\n/disable - Deaktivuj captcha ochranu pre danú skupinu.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Zobraz verziu bota.\n\n/about - Zobraz informácie o botovi.",
"CMD_NOT_ALLOW":
"Len Admin môže použiť tento príkaz.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Uvítacia správa bola úspešne nastavená.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Ahoj {}, vitaj v {}. Prosím, stlač tlačidlo pre overenie, že si človek. Ak to neurobíš do {}, budeš automaticky vyhodený zo skupiny.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Captcha kód správny, užívateľ overený.\nVitaj v skupine, {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"That is not the correct number. Check closely, you need to solve the math equation...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} nepodarilo vyriešiť captcha. \"Užívateľ\" bol vyhodený.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Pokúsil som sa zmazať túto správu, ale nemám administrátorské práva mazať správy ktoré neboli poslané mnou.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Detekovaná správa s URL (alebo prezývkou) od {}, ktorý zatiaľ úspešne neopísal captcha kód. Správa bola zmazaná pre ochranu skupiny pred potenciálnym spamom :)",

Wyświetl plik

@ -6,7 +6,7 @@
"Bot yardımı:\n————————————————\n- Ben bir gruba katılan her yeni kullanıcı için bir görüntü captcha gönderen ve belirli bir süre içinde captcha'yı çözemeyen herkesi gruptan atan bir Botum.\n\n- Bir kullanıcı arka arkaya 5 kez gruba katılmaya çalışır ve captcha'yı yinede çözemezse, bu \"kullanıcının\" bir bot olduğunu varsayarım ve banlarım.\n\n- Captcha tamamlanmadan önce yeni bir \"kullanıcı\" tarafından gönderilen bir URL içeren tüm iletiler spam olarak kabul edilir ve silinir.\n\n- Kullanıcıları yasaklamak ve iletileri kaldırmak için bana yönetim ayrıcalıkları vermeyi unutmayın.\n\n- Grubu temiz tutmak için, bir captcha çözülmediğinde ve kullanıcı atıldığında (5 dakika sonra) benimle ilgili tüm mesajları otomatik olarak kaldırırım.\n\n- Yeni kullanıcıların captcha'yı çözmesi gereken süre varsayılan olarak 5 dakikadır, ancak bu süre /time komutu kullanılarak değiştirilebilir.\n\n- /enable ve /disable komutlarını kullanarak captcha korumasını açabilir / kapatabilirsiniz.\n\n- Yapılandırma komutları yalnızca grup Yöneticileri tarafından kullanılabilir.\n\n- /language komutunu kullanarak konuştuğum dili değiştirebilirsiniz.\n\n- /difficulty komutunu kullanarak captcha zorluk seviyesini değiştirebilirsiniz.\n\n- /captcha_mode komutunu kullanarak captcha'yı yalnızca sayı (varsayılan) veya sayı ve harf kullanacak şekilde ayarlayabilirsiniz.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- /welcome_msg komutuyla özel bir karşılama iletisi ayarlayabilirsiniz.\n\n- /restrict_non_text komutunu kullanarak yeni kullanıcılara metin mesajı dışında gönderi yapmamaları için kısıtlama uygulamama izin ver seçeneğini etkinleştirebilirsiniz.\n\n- If the Bot is Private, allow groups with command /allowgroup.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- Kullanılabilir tüm komutların bir listesini ve hepsinin kısa bir açıklamasını almak için /commands komutunu kullanın.",
"COMMANDS":
"Komutların listesi:\n————————————————\n/start - Bot hakkında ilk bilgileri gösterir.\n\n/help - Yardım bilgilerini gösterir.\n\n/commands - Bu mesajı gösterir. Mevcut tüm komutlar ve açıklamaları hakkında bilgi.\n\n/language - Bot mesajlarının dilini değiştirmeye izin verir.\n\n/time - Bir captcha'yı çözmek için gereken zamanı değiştirmeye izin verir.\n\n/difficulty - Captcha zorluk seviyesini değiştirmeye izin verir (1'den 5'e).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Captcha karakter modunu değiştirmeye izin verir (nums: sadece numaralar, hex: sayılar ve A-F karakterleri, ascii: sayılar ve A-Z karakterleri, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Güvenlik kodunu çözdükten sonra gönderilen bir hoş geldiniz mesajının yapılandırılmasına izin verir.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Yok sayılan bir kullanıcıya Captcha sorma.\n\n/remove_ignore - Bir kullanıcıyı yoksaymayı durdur.\n\n/ignore_list - yok sayılan kullanıcıların ID'lerinin listesi.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Allow a group to use the Bot (if Bot is Private).\n\n/enable - Grubun captcha korumasını etkinleştir.\n\n/disable - Grubun captcha korumasını kapat.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Bot versiyonunu göster.\n\n/about - Bilgi hakkında göster.",
"Komutların listesi:\n————————————————\n/start - Bot hakkında ilk bilgileri gösterir.\n\n/help - Yardım bilgilerini gösterir.\n\n/commands - Bu mesajı gösterir. Mevcut tüm komutlar ve açıklamaları hakkında bilgi.\n\n/language - Bot mesajlarının dilini değiştirmeye izin verir.\n\n/time - Bir captcha'yı çözmek için gereken zamanı değiştirmeye izin verir.\n\n/difficulty - Captcha zorluk seviyesini değiştirmeye izin verir (1'den 5'e).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Captcha karakter modunu değiştirmeye izin verir (nums: sadece numaralar, hex: sayılar ve A-F karakterleri, ascii: sayılar ve A-Z karakterleri, math: math equation, poll: custom and configurable poll, button: just a button).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Güvenlik kodunu çözdükten sonra gönderilen bir hoş geldiniz mesajının yapılandırılmasına izin verir.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Yok sayılan bir kullanıcıya Captcha sorma.\n\n/remove_ignore - Bir kullanıcıyı yoksaymayı durdur.\n\n/ignore_list - yok sayılan kullanıcıların ID'lerinin listesi.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Allow a group to use the Bot (if Bot is Private).\n\n/enable - Grubun captcha korumasını etkinleştir.\n\n/disable - Grubun captcha korumasını kapat.\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - Bot versiyonunu göster.\n\n/about - Bilgi hakkında göster.",
"CMD_NOT_ALLOW":
"Bu komutu yalnızca Yönetici kullanabilir.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Karşılama mesajı başarıyla değiştirildi.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Hello {}, welcome to {}. Please press the button below to verify that you are a human. If you don't do this in {}, you will be automatically kicked out of the group.\n\n[This text needs translate to actual configured language]",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Captcha çözüldü, kullanıcı doğrulandı.\nGruba hoş geldiniz {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"That is not the correct number. Check closely, you need to solve the math equation...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} captcha'yı çözemedi. \"Kullanıcı\" atıldı.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Bu iletiyi silmeye çalıştım, ancak tarafımdan gönderilmeyen iletileri kaldırmak için yönetici haklarına sahip değilim.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Henüz captchayı çözmeyen {} tarafından yollanan bir URL (veya takma ad) içeren bir ileti algılandı. Mesaj, grubu Spam'den uzak tutmak için kaldırıldı :)",

Wyświetl plik

@ -6,7 +6,7 @@
"Довідка бота:\n————————————————\n- Я бот, який надсилає капчу для кожного нового користувача, який приєднується до групи, і викидую будь-кого з них, який не може вирішити капчу протягом певного часу.\n\n- Якщо користувач намагається приєднатися до групи 5 разів поспіль і ніколи не вирішує капчу, я вважаю, що цей \"користувач\" є ботом, і його буде заблоковано.\n\n- Будь-яке повідомлення, яке містить URL-адресу, надіслану новим \"користувачем\" до завершення введення капчі буде розглянуто як спам і його буде видалено.\n\n- Вам потрібно надати мені права адміністратора, щоб я міг викидувати користувачів і видаляти повідомлення.\n\n- Щоб зберегти чисту групу, я автоматично видаляю всі повідомлення, пов’язані зі мною, коли капчу не вдається вирішити і користувача викинуто (через 5 хвилин).\n\n- Час за який нові користувачі мають вирішити капчу, за замовчуванням становить 5 хвилин, але її можна налаштувати за допомогою команди /time.\n\n- Ви можете увімкнути/вимкнути захист капчею за допомогою команд /enable та /disable.\n\n- Команди конфігурації можуть використовувати лише адміністратори групи.\n\n- Ви можете змінити мову, якою я розмовляю, за допомогою команди /language.\n\n- Ви можете налаштувати рівень складності капчі за допомогою команди /difficulty.\n\n- Ви можете встановити капчу для використання повних цифр і букв A–Z, або цифри та літери A–F, або просто цифри (за замовчуванням), or a math equation to be solved, or a custom poll, або просто кнопку, використовуючи команду /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Ви можете налаштувати власне привітальне повідомлення за допомогою команди /welcome_msg.\n\n- Ви можете увімкнути опцію дозволити мені застосовувати обмеження до нових приєднаних користувачів для надсилання нетекстових повідомлень за допомогою команди /restrict_non_text.\n\n- Якщо бот в приваті, дозвольте її з командою /allowgroup.\n\n- Ви можете налаштувати групу з приватного чату з ботом, за допомогою команди /connect.\n\n- Ви можете заборонити користувачам надсилати будь-яке повідомлення, яке містить URL-адресу в групі, за допомогою команди /url_disable.\n\n- Перевірте /commands отримати список усіх доступних команд та короткий опис усіх них.",
"COMMANDS":
"Список команд:\n————————————————\n/start - Показує початкову інформацію про бота.\n\n/help - Показує довідкову інформацію.\n\n/commands - Показує це повідомлення. Інформація про всі доступні команди та їх опис.\n\n/language - Дозволяє змінювати мову повідомлень бота.\n\n/time - Дозволяє змінювати час, доступний для вирішення капчі.\n\n/difficulty - Дозволяє змінювати рівень складності капчі (від 1 до 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Дозволяє змінювати режим капчі (nums: цифри, hex: цифри та A-F букви, ascii: цифри та A-Z букви, math: math equation, poll: custom and configurable poll, button: лише кнопка).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Дозволяє налаштувати привітальне повідомлення, яке надсилається після вирішення капчі.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Не запитувати у проігнорованого користувача капчу.\n\n/remove_ignore - Припинити ігнорувати користувача.\n\n/ignore_list - список ідентифікаторів ігнорованих користувачів.\n\n/remove_solve_kick_msg - Налаштувати бота так, щоб повідомлення про розв’язання капчі та повідомлення про кик/бан автоматично видалялись через деякий час.\n\n/remove_welcome_msg - Налаштувати бота так, щоб привітальне повідомлення автоматично видалялось через деякий час.\n\n/url_disable - Заборонити учасникам групи надсилати повідомлення, які містять посилання на веб-сайти (URL-адреси).\n\n/url_enable - Дозволити учасникам групи надсилати повідомлення, які містять посилання на веб-сайти (URL-адреси).\n\n/remove_all_msg_kick_off - Налаштувати бота так, щоб він не видаляв текстові повідомлення, надіслані користувачами, які не розгадали капчу.\n\n/remove_all_msg_kick_on - Налаштувати бота так, щоб він видаляв усі повідомлення, надіслані користувачами, які не розгадали капчу.\n\n/allowgroup - Дозвольте групі використовувати бота (якщо бот в приваті).\n\n/enable - Увімкніть захист капчею для групи.\n\n/disable - Вимкніть захист капчею для групи.\n\n/checkcfg - Отримати поточну конфігурацію групи.\n\n/chatid - Показує ідентифікатор поточного чату.\n\n/connect - Підключіться до групи, щоб налаштувати її з приватного чату бота.\n\n/disconnect - Від'єднайтеся від підключеної групи, яка налаштовується, від приватного чату бота.\n\n/version - Показати версію бота.\n\n/about - Показати інформацію про бота.",
"Список команд:\n————————————————\n/start - Показує початкову інформацію про бота.\n\n/help - Показує довідкову інформацію.\n\n/commands - Показує це повідомлення. Інформація про всі доступні команди та їх опис.\n\n/language - Дозволяє змінювати мову повідомлень бота.\n\n/time - Дозволяє змінювати час, доступний для вирішення капчі.\n\n/difficulty - Дозволяє змінювати рівень складності капчі (від 1 до 5).\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Дозволяє змінювати режим капчі (nums: цифри, hex: цифри та A-F букви, ascii: цифри та A-Z букви, math: math equation, poll: custom and configurable poll, button: лише кнопка).\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - Дозволяє налаштувати привітальне повідомлення, яке надсилається після вирішення капчі.\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Не запитувати у проігнорованого користувача капчу.\n\n/remove_ignore - Припинити ігнорувати користувача.\n\n/ignore_list - список ідентифікаторів ігнорованих користувачів.\n\n/remove_solve_kick_msg - Налаштувати бота так, щоб повідомлення про розв’язання капчі та повідомлення про кик/бан автоматично видалялись через деякий час.\n\n/remove_welcome_msg - Налаштувати бота так, щоб привітальне повідомлення автоматично видалялось через деякий час.\n\n/url_disable - Заборонити учасникам групи надсилати повідомлення, які містять посилання на веб-сайти (URL-адреси).\n\n/url_enable - Дозволити учасникам групи надсилати повідомлення, які містять посилання на веб-сайти (URL-адреси).\n\n/remove_all_msg_kick_off - Налаштувати бота так, щоб він не видаляв текстові повідомлення, надіслані користувачами, які не розгадали капчу.\n\n/remove_all_msg_kick_on - Налаштувати бота так, щоб він видаляв усі повідомлення, надіслані користувачами, які не розгадали капчу.\n\n/allowgroup - Дозвольте групі використовувати бота (якщо бот в приваті).\n\n/enable - Увімкніть захист капчею для групи.\n\n/disable - Вимкніть захист капчею для групи.\n\n/checkcfg - Отримати поточну конфігурацію групи.\n\n/chatid - Показує ідентифікатор поточного чату.\n\n/connect - Підключіться до групи, щоб налаштувати її з приватного чату бота.\n\n/disconnect - Від'єднайтеся від підключеної групи, яка налаштовується, від приватного чату бота.\n\n/version - Показати версію бота.\n\n/about - Показати інформацію про бота.",
"CMD_NOT_ALLOW":
"Цю команду може використовувати лише адміністратор.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Вітальне повідомлення успішно налаштовано.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Вітаю {}! Ласкаво просимо у {}. Натисніть кнопку нижче, щоб підтвердити, що ви людина. Якщо ви цього не зробите протягом {}, вас автоматично викинуть із групи.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"Капча вирішена, користувача підтверджено.\nЛаскаво просимо до групи, {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"Це не правильна відповідь. Уважно перевірте відповідь. Вам потрібно розв’язати математичне рівняння...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} не вдалося розгадати капчу. \"користувача\" було вигнано.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"Я намагався видалити це повідомлення, але у мене немає прав адміністратора на видалення повідомлень, які я не надсилав.",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"Виявлено повідомлення з URL-адресою (або псевдонімом) від {}, який ще не вирішив капчу. Повідомлення було видалено заради збереження Telegram від спаму :)",

Wyświetl plik

@ -6,7 +6,7 @@
"Yordam:\n————————————————\n- Men gruppaga qo'shilgan har bir yangi foydalanuvchi uchun captcha rasmini yuboradigan botman va belgilangan vaqt ichida captcha-ni hal qila olmaydiganlarni o'chirib tashlayman.\n\n Agar foydalanuvchi ketma-ket 5 marta gruppaga qo'shilishga harakat qilsa va captcha-ni hal qilmasa, men ushbu \"foydalanuvchi\" bot deb o'ylayman va u block yeydi.\n\n Bundan tashqari, tekshirish tugaguniga qadar yangi \"foydalanuvchi\" tomonidan yuborilgan URL manzilini o'z ichiga olgan har qanday xabar spam deb hisoblanadi va o'chiriladi.\n\nMen foydalanuvchilarni blocklash va xabarlarni o'chirish uchun menga administrator huquqlarini berishingiz kerak.\n\n Suhbatni toza saqlash uchun captcha hal qilinmaganda va foydalanuvchi o'chirilganda (5 daqiqadan so'ng) men bilan bog'liq barcha xabarlarni avtomatik ravishda o'chirib tashlayman.\n\n Oodatiy bo'lib, odamda bor 5 daqiqa captcha-ni hal qilish uchun, lekin uni /time buyrug'i yordamida sozlash mumkin.\n\n Siz /enable va /disable buyruqlari yordamida himoyani yoqishingiz va o'chirishingiz mumkin.\n\nSozlamalar buyruqlaridan faqat adminlar foydalanishi mumkin.\n\nTilni o'zgartirish uchun /language buyrug'idan foydalaning.\n\n /difficulty buyrug'i yordamida captchaning qiyinchilik darajasini sozlashingiz mumkin.\n\n Siz captcha-ni faqat raqamlar(standart), yoki raqamlar va harflar, yoki yechiladigan matematik tenglama, yoki individual so'rov, yoki shunchaki tugmacha, /captcha_mode buyrug'i yordamida o'zgartirishingiz mumkin.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- Xush kelibsiz xabarni sozlash uchun /welcome_msg buyrug'ini kiriting.\n\n /restrict_non_text buyrug'i bilan matnli bo'lmagan xabarlarni yuborish uchun yangi qo'shilgan foydalanuvchilarga cheklovlarni qo'llashga ruxsat berish uchun variantni yoqishingiz mumkin.\n\nAgar bot shaxsiy bo'lsa, /allowgroup buyrug'i yordamida guruhlarga ruxsat bering.\n\n Siz guruhni /connect buyrug'i orqali botdan shaxsiy suhbatdan sozlashingiz mumkin.\n\n Siz /url_disable buyrug'i yordamida guruhdagi URL /havolani o'z ichiga olgan har qanday xabarni yuborganlarni bloklashingiz mumkin.\n\n /commands orqali mavjud bo'lgan barcha buyruqlar ro'yxatini qisqacha tavsif bilan olasiz.",
"COMMANDS":
"Buyruqlar ro'yxati:\n————————————————\n/start - Bot haqidagi dastlabki ma'lumotlarni ko'rsatadi.\n\n/help - Yordam ma'lumotlarini ko'rsatadi.\n\n/buyruqlar - Barcha mavjud buyruqlar va ularning tavsiflari haqidagi ma'lumotlarni ko'rsatadi.\n\n/language - Bot tilini o'zgartiring. \n\n/time - captcha-ni yechish uchun vaqtni o'zgartirish imkonini beradi.\n\n/difficulty - captcha qiyinchilik darajasini (1 dan 5 gacha) o'zgartirish imkonini beradi.\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - Captcha rejimini ozgartirishga imkon beradi (nums: oddiy raqamlar, hex: AF raqamlari va belgilar, ascii: A-Z raqamlari va belgilar, math: matematik tenglama, poll: maxsus sorov, buttom: shunchaki tugma).\n \n/welcome_msg_time - Xush kelibsiz xabarni avtomatik o'chirish vaqtini sozlash imkonini beradi.\n\n/restrict_non_text - Yangi foydalanuvchi captcha ni hal qilgandan so'ng, ularga matnli bo'lmagan xabarlarni (rasmlar, videolar, audio) 1 kun davomida (yoki abadiy \"forever\" tugmachasi yordamida).\n\n/add_ignore - E'tibor berilmagan foydalanuvchidan captcha so'ramang.\n\n/remove_ignore - Foydalanuvchini etiborsiz qoldirishni toxtating.\n\n/ignore_list – Etibor berilmagan foydalanuvchilar royxati.\n\n/captcha_poll – Sorov rejimida maxsus sorov savoli va captcha parametrlarini sozlang.\n\n/welcome_msg – salomlash xabarini sozlash imkonini beradi. captcha ruxsatidan keyin yuboriladi.\n\n/remove_solve_kick_msg - Bir muncha vaqt o'tgach, captcha va kick/ban xabarlarini avtomatik o'chirishni sozlang.\n\n/remove_welcome_msg - Bir muncha vaqt o'tgach salomlash xabarini avtomatik o'chirishni sozlang.\n\n /url_disable - Guruh a'zolariga veb-saytlarga havolalar (URLlar) bo'lgan xabarlarni yuborishni o'chirib qo'ying.\n\n/url_enable - Guruh foydalanuvchilariga veb-saytlarga havolalar (URLlar) bo'lgan xabarlarni yuborishga ruxsat bering.\n\n/remove_all_msg_kick_off - Botni sozlash, tekshirishni tanlamagan foydalanuvchilar tomonidan yuborilgan matnli xabarlarni oʻchirib tashlamasligi uchun.\n\n/remove_all_msg_kick_on - Botni foydalanuvchilar tomonidan yuborilgan barcha xabarlarni oʻchirib tashlaydigan qilib oʻrnating. bu captchani hal qilmaydi.\n\n/allowgroup - Guruhga botdan foydalanishga ruxsat berish (agar bot shaxsiy bo'lsa).\n\n/enable - Chat spamdan himoyani yoqish.\n\n/disable - Chat spamini o'chirish .\n\n/checkcfg - Guruhning joriy konfiguratsiyasini oling.\n\n/chatid - Joriy chat identifikatorini ko'rsatadi.\n\n/connect - Guruhni shaxsiy chat botidan sozlash uchun guruhga ulanish. \n\n/disconnect - shaxsiy chat botidan sozlangan ulangan guruhdan uzilish.\n\n/version - bot versiyasini ko'rsatadi.\n\n/about - ma'lumotni ko'rsatish.",
"Buyruqlar ro'yxati:\n————————————————\n/start - Bot haqidagi dastlabki ma'lumotlarni ko'rsatadi.\n\n/help - Yordam ma'lumotlarini ko'rsatadi.\n\n/buyruqlar - Barcha mavjud buyruqlar va ularning tavsiflari haqidagi ma'lumotlarni ko'rsatadi.\n\n/language - Bot tilini o'zgartiring. \n\n/time - captcha-ni yechish uchun vaqtni o'zgartirish imkonini beradi.\n\n/difficulty - captcha qiyinchilik darajasini (1 dan 5 gacha) o'zgartirish imkonini beradi.\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - Captcha rejimini ozgartirishga imkon beradi (nums: oddiy raqamlar, hex: AF raqamlari va belgilar, ascii: A-Z raqamlari va belgilar, math: matematik tenglama, poll: maxsus sorov, buttom: shunchaki tugma).\n \n/welcome_msg_time - Xush kelibsiz xabarni avtomatik o'chirish vaqtini sozlash imkonini beradi.\n\n/restrict_non_text - Yangi foydalanuvchi captcha ni hal qilgandan so'ng, ularga matnli bo'lmagan xabarlarni (rasmlar, videolar, audio) 1 kun davomida (yoki abadiy \"forever\" tugmachasi yordamida).\n\n/add_ignore - E'tibor berilmagan foydalanuvchidan captcha so'ramang.\n\n/remove_ignore - Foydalanuvchini etiborsiz qoldirishni toxtating.\n\n/ignore_list – Etibor berilmagan foydalanuvchilar royxati.\n\n/captcha_poll – Sorov rejimida maxsus sorov savoli va captcha parametrlarini sozlang.\n\n/welcome_msg – salomlash xabarini sozlash imkonini beradi. captcha ruxsatidan keyin yuboriladi.\n\n/remove_solve_kick_msg - Bir muncha vaqt o'tgach, captcha va kick/ban xabarlarini avtomatik o'chirishni sozlang.\n\n/remove_welcome_msg - Bir muncha vaqt o'tgach salomlash xabarini avtomatik o'chirishni sozlang.\n\n /url_disable - Guruh a'zolariga veb-saytlarga havolalar (URLlar) bo'lgan xabarlarni yuborishni o'chirib qo'ying.\n\n/url_enable - Guruh foydalanuvchilariga veb-saytlarga havolalar (URLlar) bo'lgan xabarlarni yuborishga ruxsat bering.\n\n/remove_all_msg_kick_off - Botni sozlash, tekshirishni tanlamagan foydalanuvchilar tomonidan yuborilgan matnli xabarlarni oʻchirib tashlamasligi uchun.\n\n/remove_all_msg_kick_on - Botni foydalanuvchilar tomonidan yuborilgan barcha xabarlarni oʻchirib tashlaydigan qilib oʻrnating. bu captchani hal qilmaydi.\n\n/allowgroup - Guruhga botdan foydalanishga ruxsat berish (agar bot shaxsiy bo'lsa).\n\n/enable - Chat spamdan himoyani yoqish.\n\n/disable - Chat spamini o'chirish .\n\n/checkcfg - Guruhning joriy konfiguratsiyasini oling.\n\n/chatid - Joriy chat identifikatorini ko'rsatadi.\n\n/connect - Guruhni shaxsiy chat botidan sozlash uchun guruhga ulanish. \n\n/disconnect - shaxsiy chat botidan sozlangan ulangan guruhdan uzilish.\n\n/version - bot versiyasini ko'rsatadi.\n\n/about - ma'lumotni ko'rsatish.",
"CMD_NOT_ALLOW":
"Faqat Admin ushbu buyruqdan foydalanishi mumkin.",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"Xush kelibsiz xabar muvaffaqiyatli o'zgartirildi.",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Salom {}, Xush kelibsiz {} ga. Iltimos, robot emasligingizni tekshirish uchun quyidagi tugmani bosing. Agar siz ushbu CAPTCHA ni {} hal qilmasangiz, siz avtomatik ravishda guruhdan chiqarib yuborasiz.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"CAPTCHA hal qilindi, foydalanuvchi tasdiqlandi.\nGuruhga xush kelibsiz, {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"Bu to'g'ri raqam emas. Diqqat bilan tekshiring, siz matematik tenglamani hal qilishingiz kerak...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} CAPTCHAni hal qilmaslik. \"User\" boshlandi.",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,7 +161,7 @@
"CANT_DEL_MSG":
"Men ushbu xabarni o'chirishga harakat qildim, lekin menda yuborilmagan xabarlarni o'chirish huquqi yo'q.",
"NEW_USER_BAN":
"CAPTCHA_FAIL_BAN":
"Ogohlantirish: Foydalanuvchi {} {} marta captcha ni hal qila olmadi. Men \"User\" taqiqlangan.Unga yana kirishga ruxsat berish uchun admin guruh sozlamalaridan ushbu \"User\" ning cheklovlarini qo'lda olib tashlashi kerak.",
"NEW_USER_BAN_NOT_IN_CHAT":

Wyświetl plik

@ -6,7 +6,7 @@
"机器人帮助:\n————————————————\n- 我是一个机器人通过发送图像验证码给刚加入群组中的每个新用户,并踢出任何在时限内无法输入验证码的人。\n\n- 如果有人尝试加入群5次且没有输入验证码我将会认为这个用户是机器人并且将他他拉黑。\n\n- 任何包含链接的消息在他输入验证码之前被发送,将会被认为是垃圾信息并被删除。\n\n- 你需要给我管理员权限以踢人和删除消息。\n\n- 为了保持群组清洁, 我会删除与我有关的所有信息当验证码没有输入和用户被踢出时5分钟后。\n\n- 用户在默认情况下必须在5分钟内输入验证码但它能通过 /time 命令被设置。\n\n- 你可以通关 /enable 和 /disable 命令设置验证码的开启和关闭。\n\n- 设置类命令只能被群组管理员使用。\n\n- 你可以用 /language 命令设置我的语言。\n\n- 你可以通过 /difficulty 命令设置验证码难度。\n\n- 您可以将验证码设置为仅使用数字(默认)或完整数字和字母, or a math equation to be solvedor a custom poll or just a button通过命令 /captcha_mode.\n\n- You can configure different types of restrictions to punish the users that fails the captcha through the command /restriction, from kicking (default), ban, mute, etc.\n\n- 您可以使用命令配置自定义欢迎消息 /welcome_msg.\n\n- You can enable an option to let me apply restriction to new joined users to send non-text messages using command /restrict_non_text.\n\n- If the Bot is Private, allow groups with command /allowgroup.\n\n- You can configure a group from private Bot chat through /connect command.\n\n- You can block users to send any message that contains an URL/link in a group by /url_disable command.\n\n- 检查 /commands 以获取可用命令列表,以及它们的描述。",
"COMMANDS":
"命令列表:\n————————————————\n/start - 显示有关机器人的初始信息。\n\n/help - 显示帮助信息。\n\n/commands - 显示此消息。有关所有可用命令的信息和描述。\n\n/language - 更改机器人消息的语言。\n\n/time - 更改可用于输入验证码的时间。\n\n/difficulty - 更改验证码难度级别从1到5。\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, ban, mute, etc.).\n\n/captcha_mode - 更改验证码字符模式nums数字hex十六进制可表示数值ascii数字、英文组合, math: math equation, poll: custom and configurable poll, button: just a button。\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Do not ask an ignored user the captcha.\n\n/remove_ignore - Stop ignoring an user.\n\n/ignore_list - list of ignored users' IDs.\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - 允许配置解析验证码后发送的欢迎消息。\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Allow a group to use the Bot (if Bot is Private).\n\n/enable - 启用本群组验证码保护。\n\n/disable - 禁用本群组验证码保护。\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - 显示机器人版本号。\n\n/about - 显示“关于”信息。",
"命令列表:\n————————————————\n/start - 显示有关机器人的初始信息。\n\n/help - 显示帮助信息。\n\n/commands - 显示此消息。有关所有可用命令的信息和描述。\n\n/language - 更改机器人消息的语言。\n\n/time - 更改可用于输入验证码的时间。\n\n/difficulty - 更改验证码难度级别从1到5。\n\n/restriction - Set the type of punishment to apply to users that fails the captcha (kick, mute, etc.).\n\n/captcha_mode - 更改验证码字符模式nums数字hex十六进制可表示数值ascii数字、英文组合, math: math equation, poll: custom and configurable poll, button: just a button。\n\n/restrict_non_text - After a new user solves the captcha, apply a restriction to don't let them send non-text messages (images, videos, audios) for 1 day (or forever, using \"forever\" keyword).\n\n/add_ignore - Do not ask an ignored user the captcha.\n\n/remove_ignore - Stop ignoring an user.\n\n/ignore_list - list of ignored users' IDs.\n\n/captcha_poll - Configure custom poll question and options for captcha in poll mode.\n\n/welcome_msg - 允许配置解析验证码后发送的欢迎消息。\n\n/welcome_msg_time - Allows to configure the time of automatic removal of the welcome message.\n\n/remove_solve_kick_msg - Configure if captcha solve and kick/ban messages should be automatically deleted after a while.\n\n/remove_welcome_msg - Configure if welcome message should be automatically deleted after a while.\n\n/url_disable - Deny members of the group to send messages that contains links to websites (URLs).\n\n/url_enable - Allows members of the group to send messages that contains links to websites (URLs).\n\n/remove_all_msg_kick_off - Configure the Bot to don't remove text messages sent by users that didn't solve the captcha.\n\n/remove_all_msg_kick_on - Configure the Bot to remove all messages sent by users that didn't solve the captcha.\n\n/allowgroup - Allow a group to use the Bot (if Bot is Private).\n\n/enable - 启用本群组验证码保护。\n\n/disable - 禁用本群组验证码保护。\n\n/checkcfg - Get current group captcha configurations.\n\n/chatid - Shows Chat ID of current chat.\n\n/connect - Connect to a group to configure it from private Bot chat.\n\n/disconnect - Disconnect from connected group that is being configured from private Bot chat.\n\n/version - 显示机器人版本号。\n\n/about - 显示“关于”信息。",
"CMD_NOT_ALLOW":
"该命令只有管理员可以使用。",
@ -69,7 +69,7 @@
"The command requires a type of restriction to set.",
"CMD_RESTRICTION_AVAILABLE_ARGS":
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior).\n\n/restriction ban - Ban the user from the group (the user won't be able to join again).\n\n/restriction mute - Don't allow the user to write messages in the group.\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group.\n\n/restriction mute24h - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media24h - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"Available restrictions to punish an user that has fail the captcha:\n\n/restriction kick - Kick the user from the group (default behavior; after multiple fails, the user will be banned).\n\n/restriction mute - Don't allow the user to write messages in the group for 24h (after this time, the restriction will be automatically removed).\n\n/restriction media - Don't allow the user to write media messages (image, video, audio, etc) in the group for 24h (after this time, the restriction will be automatically removed).",
"WELCOME_MSG_SET":
"欢迎消息已成功配置。",
@ -125,6 +125,15 @@
"NEW_USER_BUTTON_MODE":
"Hello {}, welcome to {}. Please press the button below to verify that you are a human. If you don't do this in {}, you will be automatically kicked out of the group.",
"CAPTCHA_FAIL_CANT_RESTRICT":
"Warning: User {} fail to solve the captcha, but I was not able to restrict/remove the user.",
"CAPTCHA_FAIL_MUTE":
"The user {} failed to resolve the captcha. The \"user\" was muted and won't be able to send messages for 24h.",
"CAPTCHA_FAIL_NO_MEDIA":
"The user {} failed to resolve the captcha. The \"user\" was restricted and won't be able to send media messages (image, audio, video, etc.) for 24h.",
"CAPTCHA_SOLVED":
"验证码已输入,用户已验证。欢迎加入群组 {}",
@ -137,7 +146,7 @@
"CAPTCHA_INCORRECT_MATH":
"That is not the correct number. Check closely, you need to solve the math equation...",
"NEW_USER_KICK":
"CAPTCHA_FAIL_KICK":
"{} 未能解决验证码。“用户”已被踢出。",
"NEW_USER_KICK_NOT_RIGHTS":
@ -152,17 +161,17 @@
"CANT_DEL_MSG":
"我试图删除此消息,但我没有管理权限以删除我尚未发送的消息。",
"NEW_USER_BAN":
"Warning: User {} fail to solve the captcha {} times. \"User\" was banned. To let him/her enter again, an Admin has to manually remove the restrictions of this \"user\" from group settings.",
"CAPTCHA_FAIL_BAN":
"Warning: The user {} tried and failed to resolve the captcha {} times. The \"user\" was considered a Bot and banned. To let this \"user\" enter again, an Admin has to manually remove it restrictions from the group settings.",
"NEW_USER_BAN_NOT_IN_CHAT":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but the user is not in the group any more (has left the group or has been kicked out/banned by an Admin).",
"NEW_USER_BAN_NOT_RIGHTS":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but I don't have administration rights to ban users in the group.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but I don't have administration rights to ban users in the group.",
"BOT_CANT_BAN":
"Warning: User {} fail to solve the captcha {} times. I tried to ban the \"User\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"Warning: The user {} tried and failed to resolve the captcha {} times. I tried to ban the \"user\", but due to an unexpected problem (maybe network/server related), I can't do it.",
"SPAM_DETECTED_RM":
"检测到来自 {} 的URL或别名的消息该用户尚未输入验证码。为了保持Telegram不被垃圾消息困扰该消息已被删除:)",