mirror of
https://github.com/python-telegram-bot/python-telegram-bot.git
synced 2024-11-22 07:06:26 +01:00
9d93417d9a
* chore: refactor code quality issues * Add comment for removing assert statements * Remove deepsource config file * Fix Coverage Co-authored-by: Hinrich Mahler <hinrich.mahler@freenet.de>
1705 lines
64 KiB
Python
1705 lines
64 KiB
Python
#!/usr/bin/env python
|
|
#
|
|
# A library that provides a Python interface to the Telegram Bot API
|
|
# Copyright (C) 2015-2021
|
|
# Leandro Toledo de Souza <devs@python-telegram-bot.org>
|
|
#
|
|
# This program is free software: you can redistribute it and/or modify
|
|
# it under the terms of the GNU Lesser Public License as published by
|
|
# the Free Software Foundation, either version 3 of the License, or
|
|
# (at your option) any later version.
|
|
#
|
|
# This program is distributed in the hope that it will be useful,
|
|
# but WITHOUT ANY WARRANTY; without even the implied warranty of
|
|
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
|
# GNU Lesser Public License for more details.
|
|
#
|
|
# You should have received a copy of the GNU Lesser Public License
|
|
# along with this program. If not, see [http://www.gnu.org/licenses/].
|
|
import signal
|
|
from threading import Lock
|
|
|
|
from telegram.utils.helpers import encode_conversations_to_json
|
|
|
|
try:
|
|
import ujson as json
|
|
except ImportError:
|
|
import json
|
|
import logging
|
|
import os
|
|
import pickle
|
|
from collections import defaultdict
|
|
from time import sleep
|
|
|
|
import pytest
|
|
|
|
from telegram import Update, Message, User, Chat, MessageEntity
|
|
from telegram.ext import (
|
|
BasePersistence,
|
|
Updater,
|
|
ConversationHandler,
|
|
MessageHandler,
|
|
Filters,
|
|
PicklePersistence,
|
|
CommandHandler,
|
|
DictPersistence,
|
|
TypeHandler,
|
|
JobQueue,
|
|
)
|
|
|
|
|
|
@pytest.fixture(autouse=True)
|
|
def change_directory(tmp_path):
|
|
orig_dir = os.getcwd()
|
|
# Switch to a temporary directory so we don't have to worry about cleaning up files
|
|
# (str() for py<3.6)
|
|
os.chdir(str(tmp_path))
|
|
yield
|
|
# Go back to original directory
|
|
os.chdir(orig_dir)
|
|
|
|
|
|
@pytest.fixture(scope="function")
|
|
def base_persistence():
|
|
class OwnPersistence(BasePersistence):
|
|
def get_bot_data(self):
|
|
raise NotImplementedError
|
|
|
|
def get_chat_data(self):
|
|
raise NotImplementedError
|
|
|
|
def get_user_data(self):
|
|
raise NotImplementedError
|
|
|
|
def get_conversations(self, name):
|
|
raise NotImplementedError
|
|
|
|
def update_bot_data(self, data):
|
|
raise NotImplementedError
|
|
|
|
def update_chat_data(self, chat_id, data):
|
|
raise NotImplementedError
|
|
|
|
def update_conversation(self, name, key, new_state):
|
|
raise NotImplementedError
|
|
|
|
def update_user_data(self, user_id, data):
|
|
raise NotImplementedError
|
|
|
|
return OwnPersistence(store_chat_data=True, store_user_data=True, store_bot_data=True)
|
|
|
|
|
|
@pytest.fixture(scope="function")
|
|
def bot_persistence():
|
|
class BotPersistence(BasePersistence):
|
|
def __init__(self):
|
|
super().__init__()
|
|
self.bot_data = None
|
|
self.chat_data = defaultdict(dict)
|
|
self.user_data = defaultdict(dict)
|
|
|
|
def get_bot_data(self):
|
|
return self.bot_data
|
|
|
|
def get_chat_data(self):
|
|
return self.chat_data
|
|
|
|
def get_user_data(self):
|
|
return self.user_data
|
|
|
|
def get_conversations(self, name):
|
|
raise NotImplementedError
|
|
|
|
def update_bot_data(self, data):
|
|
self.bot_data = data
|
|
|
|
def update_chat_data(self, chat_id, data):
|
|
self.chat_data[chat_id] = data
|
|
|
|
def update_user_data(self, user_id, data):
|
|
self.user_data[user_id] = data
|
|
|
|
def update_conversation(self, name, key, new_state):
|
|
raise NotImplementedError
|
|
|
|
return BotPersistence()
|
|
|
|
|
|
@pytest.fixture(scope="function")
|
|
def bot_data():
|
|
return {'test1': 'test2', 'test3': {'test4': 'test5'}}
|
|
|
|
|
|
@pytest.fixture(scope="function")
|
|
def chat_data():
|
|
return defaultdict(dict, {-12345: {'test1': 'test2'}, -67890: {3: 'test4'}})
|
|
|
|
|
|
@pytest.fixture(scope="function")
|
|
def user_data():
|
|
return defaultdict(dict, {12345: {'test1': 'test2'}, 67890: {3: 'test4'}})
|
|
|
|
|
|
@pytest.fixture(scope='function')
|
|
def conversations():
|
|
return {
|
|
'name1': {(123, 123): 3, (456, 654): 4},
|
|
'name2': {(123, 321): 1, (890, 890): 2},
|
|
'name3': {(123, 321): 1, (890, 890): 2},
|
|
}
|
|
|
|
|
|
@pytest.fixture(scope="function")
|
|
def updater(bot, base_persistence):
|
|
base_persistence.store_chat_data = False
|
|
base_persistence.store_bot_data = False
|
|
base_persistence.store_user_data = False
|
|
u = Updater(bot=bot, persistence=base_persistence)
|
|
base_persistence.store_bot_data = True
|
|
base_persistence.store_chat_data = True
|
|
base_persistence.store_user_data = True
|
|
return u
|
|
|
|
|
|
@pytest.fixture(scope='function')
|
|
def job_queue(bot):
|
|
jq = JobQueue()
|
|
yield jq
|
|
jq.stop()
|
|
|
|
|
|
class TestBasePersistence:
|
|
def test_creation(self, base_persistence):
|
|
assert base_persistence.store_chat_data
|
|
assert base_persistence.store_user_data
|
|
assert base_persistence.store_bot_data
|
|
|
|
def test_abstract_methods(self):
|
|
with pytest.raises(
|
|
TypeError,
|
|
match=(
|
|
'get_bot_data, get_chat_data, get_conversations, '
|
|
'get_user_data, update_bot_data, update_chat_data, '
|
|
'update_conversation, update_user_data'
|
|
),
|
|
):
|
|
BasePersistence()
|
|
|
|
def test_implementation(self, updater, base_persistence):
|
|
dp = updater.dispatcher
|
|
assert dp.persistence == base_persistence
|
|
|
|
def test_conversationhandler_addition(self, dp, base_persistence):
|
|
with pytest.raises(ValueError, match="when handler is unnamed"):
|
|
ConversationHandler([], [], [], persistent=True)
|
|
with pytest.raises(ValueError, match="if dispatcher has no persistence"):
|
|
dp.add_handler(ConversationHandler([], {}, [], persistent=True, name="My Handler"))
|
|
dp.persistence = base_persistence
|
|
|
|
def test_dispatcher_integration_init(
|
|
self, bot, base_persistence, chat_data, user_data, bot_data
|
|
):
|
|
def get_user_data():
|
|
return "test"
|
|
|
|
def get_chat_data():
|
|
return "test"
|
|
|
|
def get_bot_data():
|
|
return "test"
|
|
|
|
base_persistence.get_user_data = get_user_data
|
|
base_persistence.get_chat_data = get_chat_data
|
|
base_persistence.get_bot_data = get_bot_data
|
|
|
|
with pytest.raises(ValueError, match="user_data must be of type defaultdict"):
|
|
u = Updater(bot=bot, persistence=base_persistence)
|
|
|
|
def get_user_data():
|
|
return user_data
|
|
|
|
base_persistence.get_user_data = get_user_data
|
|
with pytest.raises(ValueError, match="chat_data must be of type defaultdict"):
|
|
u = Updater(bot=bot, persistence=base_persistence)
|
|
|
|
def get_chat_data():
|
|
return chat_data
|
|
|
|
base_persistence.get_chat_data = get_chat_data
|
|
with pytest.raises(ValueError, match="bot_data must be of type dict"):
|
|
u = Updater(bot=bot, persistence=base_persistence)
|
|
|
|
def get_bot_data():
|
|
return bot_data
|
|
|
|
base_persistence.get_bot_data = get_bot_data
|
|
u = Updater(bot=bot, persistence=base_persistence)
|
|
assert u.dispatcher.bot_data == bot_data
|
|
assert u.dispatcher.chat_data == chat_data
|
|
assert u.dispatcher.user_data == user_data
|
|
u.dispatcher.chat_data[442233]['test5'] = 'test6'
|
|
assert u.dispatcher.chat_data[442233]['test5'] == 'test6'
|
|
|
|
def test_dispatcher_integration_handlers(
|
|
self, caplog, bot, base_persistence, chat_data, user_data, bot_data
|
|
):
|
|
def get_user_data():
|
|
return user_data
|
|
|
|
def get_chat_data():
|
|
return chat_data
|
|
|
|
def get_bot_data():
|
|
return bot_data
|
|
|
|
base_persistence.get_user_data = get_user_data
|
|
base_persistence.get_chat_data = get_chat_data
|
|
base_persistence.get_bot_data = get_bot_data
|
|
# base_persistence.update_chat_data = lambda x: x
|
|
# base_persistence.update_user_data = lambda x: x
|
|
updater = Updater(bot=bot, persistence=base_persistence, use_context=True)
|
|
dp = updater.dispatcher
|
|
|
|
def callback_known_user(update, context):
|
|
if not context.user_data['test1'] == 'test2':
|
|
pytest.fail('user_data corrupt')
|
|
if not context.bot_data == bot_data:
|
|
pytest.fail('bot_data corrupt')
|
|
|
|
def callback_known_chat(update, context):
|
|
if not context.chat_data['test3'] == 'test4':
|
|
pytest.fail('chat_data corrupt')
|
|
if not context.bot_data == bot_data:
|
|
pytest.fail('bot_data corrupt')
|
|
|
|
def callback_unknown_user_or_chat(update, context):
|
|
if not context.user_data == {}:
|
|
pytest.fail('user_data corrupt')
|
|
if not context.chat_data == {}:
|
|
pytest.fail('chat_data corrupt')
|
|
if not context.bot_data == bot_data:
|
|
pytest.fail('bot_data corrupt')
|
|
context.user_data[1] = 'test7'
|
|
context.chat_data[2] = 'test8'
|
|
context.bot_data['test0'] = 'test0'
|
|
|
|
known_user = MessageHandler(
|
|
Filters.user(user_id=12345),
|
|
callback_known_user,
|
|
pass_chat_data=True,
|
|
pass_user_data=True,
|
|
)
|
|
known_chat = MessageHandler(
|
|
Filters.chat(chat_id=-67890),
|
|
callback_known_chat,
|
|
pass_chat_data=True,
|
|
pass_user_data=True,
|
|
)
|
|
unknown = MessageHandler(
|
|
Filters.all, callback_unknown_user_or_chat, pass_chat_data=True, pass_user_data=True
|
|
)
|
|
dp.add_handler(known_user)
|
|
dp.add_handler(known_chat)
|
|
dp.add_handler(unknown)
|
|
user1 = User(id=12345, first_name='test user', is_bot=False)
|
|
user2 = User(id=54321, first_name='test user', is_bot=False)
|
|
chat1 = Chat(id=-67890, type='group')
|
|
chat2 = Chat(id=-987654, type='group')
|
|
m = Message(1, None, chat2, from_user=user1)
|
|
u = Update(0, m)
|
|
with caplog.at_level(logging.ERROR):
|
|
dp.process_update(u)
|
|
rec = caplog.records[-1]
|
|
assert rec.getMessage() == 'No error handlers are registered, logging exception.'
|
|
assert rec.levelname == 'ERROR'
|
|
rec = caplog.records[-2]
|
|
assert rec.getMessage() == 'No error handlers are registered, logging exception.'
|
|
assert rec.levelname == 'ERROR'
|
|
rec = caplog.records[-3]
|
|
assert rec.getMessage() == 'No error handlers are registered, logging exception.'
|
|
assert rec.levelname == 'ERROR'
|
|
m.from_user = user2
|
|
m.chat = chat1
|
|
u = Update(1, m)
|
|
dp.process_update(u)
|
|
m.chat = chat2
|
|
u = Update(2, m)
|
|
|
|
def save_bot_data(data):
|
|
if 'test0' not in data:
|
|
pytest.fail()
|
|
|
|
def save_chat_data(data):
|
|
if -987654 not in data:
|
|
pytest.fail()
|
|
|
|
def save_user_data(data):
|
|
if 54321 not in data:
|
|
pytest.fail()
|
|
|
|
base_persistence.update_chat_data = save_chat_data
|
|
base_persistence.update_user_data = save_user_data
|
|
base_persistence.update_bot_data = save_bot_data
|
|
dp.process_update(u)
|
|
|
|
assert dp.user_data[54321][1] == 'test7'
|
|
assert dp.chat_data[-987654][2] == 'test8'
|
|
assert dp.bot_data['test0'] == 'test0'
|
|
|
|
def test_dispatcher_integration_handlers_run_async(
|
|
self, cdp, caplog, bot, base_persistence, chat_data, user_data, bot_data
|
|
):
|
|
def get_user_data():
|
|
return user_data
|
|
|
|
def get_chat_data():
|
|
return chat_data
|
|
|
|
def get_bot_data():
|
|
return bot_data
|
|
|
|
base_persistence.get_user_data = get_user_data
|
|
base_persistence.get_chat_data = get_chat_data
|
|
base_persistence.get_bot_data = get_bot_data
|
|
cdp.persistence = base_persistence
|
|
cdp.user_data = user_data
|
|
cdp.chat_data = chat_data
|
|
cdp.bot_data = bot_data
|
|
|
|
def callback_known_user(update, context):
|
|
if not context.user_data['test1'] == 'test2':
|
|
pytest.fail('user_data corrupt')
|
|
if not context.bot_data == bot_data:
|
|
pytest.fail('bot_data corrupt')
|
|
|
|
def callback_known_chat(update, context):
|
|
if not context.chat_data['test3'] == 'test4':
|
|
pytest.fail('chat_data corrupt')
|
|
if not context.bot_data == bot_data:
|
|
pytest.fail('bot_data corrupt')
|
|
|
|
def callback_unknown_user_or_chat(update, context):
|
|
if not context.user_data == {}:
|
|
pytest.fail('user_data corrupt')
|
|
if not context.chat_data == {}:
|
|
pytest.fail('chat_data corrupt')
|
|
if not context.bot_data == bot_data:
|
|
pytest.fail('bot_data corrupt')
|
|
context.user_data[1] = 'test7'
|
|
context.chat_data[2] = 'test8'
|
|
context.bot_data['test0'] = 'test0'
|
|
|
|
known_user = MessageHandler(
|
|
Filters.user(user_id=12345),
|
|
callback_known_user,
|
|
pass_chat_data=True,
|
|
pass_user_data=True,
|
|
run_async=True,
|
|
)
|
|
known_chat = MessageHandler(
|
|
Filters.chat(chat_id=-67890),
|
|
callback_known_chat,
|
|
pass_chat_data=True,
|
|
pass_user_data=True,
|
|
run_async=True,
|
|
)
|
|
unknown = MessageHandler(
|
|
Filters.all,
|
|
callback_unknown_user_or_chat,
|
|
pass_chat_data=True,
|
|
pass_user_data=True,
|
|
run_async=True,
|
|
)
|
|
cdp.add_handler(known_user)
|
|
cdp.add_handler(known_chat)
|
|
cdp.add_handler(unknown)
|
|
user1 = User(id=12345, first_name='test user', is_bot=False)
|
|
user2 = User(id=54321, first_name='test user', is_bot=False)
|
|
chat1 = Chat(id=-67890, type='group')
|
|
chat2 = Chat(id=-987654, type='group')
|
|
m = Message(1, None, chat2, from_user=user1)
|
|
u = Update(0, m)
|
|
with caplog.at_level(logging.ERROR):
|
|
cdp.process_update(u)
|
|
|
|
sleep(0.1)
|
|
rec = caplog.records[-1]
|
|
assert rec.getMessage() == 'No error handlers are registered, logging exception.'
|
|
assert rec.levelname == 'ERROR'
|
|
rec = caplog.records[-2]
|
|
assert rec.getMessage() == 'No error handlers are registered, logging exception.'
|
|
assert rec.levelname == 'ERROR'
|
|
m.from_user = user2
|
|
m.chat = chat1
|
|
u = Update(1, m)
|
|
cdp.process_update(u)
|
|
m.chat = chat2
|
|
u = Update(2, m)
|
|
|
|
def save_bot_data(data):
|
|
if 'test0' not in data:
|
|
pytest.fail()
|
|
|
|
def save_chat_data(data):
|
|
if -987654 not in data:
|
|
pytest.fail()
|
|
|
|
def save_user_data(data):
|
|
if 54321 not in data:
|
|
pytest.fail()
|
|
|
|
base_persistence.update_chat_data = save_chat_data
|
|
base_persistence.update_user_data = save_user_data
|
|
base_persistence.update_bot_data = save_bot_data
|
|
cdp.process_update(u)
|
|
|
|
sleep(0.1)
|
|
|
|
assert cdp.user_data[54321][1] == 'test7'
|
|
assert cdp.chat_data[-987654][2] == 'test8'
|
|
assert cdp.bot_data['test0'] == 'test0'
|
|
|
|
def test_persistence_dispatcher_arbitrary_update_types(self, dp, base_persistence, caplog):
|
|
# Updates used with TypeHandler doesn't necessarily have the proper attributes for
|
|
# persistence, makes sure it works anyways
|
|
|
|
dp.persistence = base_persistence
|
|
|
|
class MyUpdate:
|
|
pass
|
|
|
|
dp.add_handler(TypeHandler(MyUpdate, lambda *_: None))
|
|
|
|
with caplog.at_level(logging.ERROR):
|
|
dp.process_update(MyUpdate())
|
|
assert 'An uncaught error was raised while processing the update' not in caplog.text
|
|
|
|
def test_bot_replace_insert_bot(self, bot, bot_persistence):
|
|
class CustomSlottedClass:
|
|
__slots__ = ('bot',)
|
|
|
|
def __init__(self):
|
|
self.bot = bot
|
|
|
|
def __eq__(self, other):
|
|
if isinstance(other, CustomSlottedClass):
|
|
return self.bot is other.bot
|
|
return False
|
|
|
|
class CustomClass:
|
|
def __init__(self):
|
|
self.bot = bot
|
|
self.slotted_object = CustomSlottedClass()
|
|
self.list_ = [1, 2, bot]
|
|
self.tuple_ = tuple(self.list_)
|
|
self.set_ = set(self.list_)
|
|
self.frozenset_ = frozenset(self.list_)
|
|
self.dict_ = {item: item for item in self.list_}
|
|
self.defaultdict_ = defaultdict(dict, self.dict_)
|
|
|
|
@staticmethod
|
|
def replace_bot():
|
|
cc = CustomClass()
|
|
cc.bot = BasePersistence.REPLACED_BOT
|
|
cc.slotted_object.bot = BasePersistence.REPLACED_BOT
|
|
cc.list_ = [1, 2, BasePersistence.REPLACED_BOT]
|
|
cc.tuple_ = tuple(cc.list_)
|
|
cc.set_ = set(cc.list_)
|
|
cc.frozenset_ = frozenset(cc.list_)
|
|
cc.dict_ = {item: item for item in cc.list_}
|
|
cc.defaultdict_ = defaultdict(dict, cc.dict_)
|
|
return cc
|
|
|
|
def __eq__(self, other):
|
|
if isinstance(other, CustomClass):
|
|
return (
|
|
self.bot is other.bot
|
|
and self.slotted_object == other.slotted_object
|
|
and self.list_ == other.list_
|
|
and self.tuple_ == other.tuple_
|
|
and self.set_ == other.set_
|
|
and self.frozenset_ == other.frozenset_
|
|
and self.dict_ == other.dict_
|
|
and self.defaultdict_ == other.defaultdict_
|
|
)
|
|
return False
|
|
|
|
persistence = bot_persistence
|
|
persistence.set_bot(bot)
|
|
cc = CustomClass()
|
|
|
|
persistence.update_bot_data({1: cc})
|
|
assert persistence.bot_data[1].bot == BasePersistence.REPLACED_BOT
|
|
assert persistence.bot_data[1] == cc.replace_bot()
|
|
|
|
persistence.update_chat_data(123, {1: cc})
|
|
assert persistence.chat_data[123][1].bot == BasePersistence.REPLACED_BOT
|
|
assert persistence.chat_data[123][1] == cc.replace_bot()
|
|
|
|
persistence.update_user_data(123, {1: cc})
|
|
assert persistence.user_data[123][1].bot == BasePersistence.REPLACED_BOT
|
|
assert persistence.user_data[123][1] == cc.replace_bot()
|
|
|
|
assert persistence.get_bot_data()[1] == cc
|
|
assert persistence.get_bot_data()[1].bot is bot
|
|
assert persistence.get_chat_data()[123][1] == cc
|
|
assert persistence.get_chat_data()[123][1].bot is bot
|
|
assert persistence.get_user_data()[123][1] == cc
|
|
assert persistence.get_user_data()[123][1].bot is bot
|
|
|
|
def test_bot_replace_insert_bot_unpickable_objects(self, bot, bot_persistence, recwarn):
|
|
"""Here check that unpickable objects are just returned verbatim."""
|
|
persistence = bot_persistence
|
|
persistence.set_bot(bot)
|
|
|
|
class CustomClass:
|
|
def __copy__(self):
|
|
raise TypeError('UnhandledException')
|
|
|
|
lock = Lock()
|
|
|
|
persistence.update_bot_data({1: lock})
|
|
assert persistence.bot_data[1] is lock
|
|
persistence.update_chat_data(123, {1: lock})
|
|
assert persistence.chat_data[123][1] is lock
|
|
persistence.update_user_data(123, {1: lock})
|
|
assert persistence.user_data[123][1] is lock
|
|
|
|
assert persistence.get_bot_data()[1] is lock
|
|
assert persistence.get_chat_data()[123][1] is lock
|
|
assert persistence.get_user_data()[123][1] is lock
|
|
|
|
cc = CustomClass()
|
|
|
|
persistence.update_bot_data({1: cc})
|
|
assert persistence.bot_data[1] is cc
|
|
persistence.update_chat_data(123, {1: cc})
|
|
assert persistence.chat_data[123][1] is cc
|
|
persistence.update_user_data(123, {1: cc})
|
|
assert persistence.user_data[123][1] is cc
|
|
|
|
assert persistence.get_bot_data()[1] is cc
|
|
assert persistence.get_chat_data()[123][1] is cc
|
|
assert persistence.get_user_data()[123][1] is cc
|
|
|
|
assert len(recwarn) == 2
|
|
assert str(recwarn[0].message).startswith(
|
|
"BasePersistence.replace_bot does not handle objects that can not be copied."
|
|
)
|
|
assert str(recwarn[1].message).startswith(
|
|
"BasePersistence.insert_bot does not handle objects that can not be copied."
|
|
)
|
|
|
|
def test_bot_replace_insert_bot_objects_with_faulty_equality(self, bot, bot_persistence):
|
|
"""Here check that trying to compare obj == self.REPLACED_BOT doesn't lead to problems."""
|
|
persistence = bot_persistence
|
|
persistence.set_bot(bot)
|
|
|
|
class CustomClass:
|
|
def __init__(self, data):
|
|
self.data = data
|
|
|
|
def __eq__(self, other):
|
|
raise RuntimeError("Can't be compared")
|
|
|
|
cc = CustomClass({1: bot, 2: 'foo'})
|
|
expected = {1: BasePersistence.REPLACED_BOT, 2: 'foo'}
|
|
|
|
persistence.update_bot_data({1: cc})
|
|
assert persistence.bot_data[1].data == expected
|
|
persistence.update_chat_data(123, {1: cc})
|
|
assert persistence.chat_data[123][1].data == expected
|
|
persistence.update_user_data(123, {1: cc})
|
|
assert persistence.user_data[123][1].data == expected
|
|
|
|
expected = {1: bot, 2: 'foo'}
|
|
|
|
assert persistence.get_bot_data()[1].data == expected
|
|
assert persistence.get_chat_data()[123][1].data == expected
|
|
assert persistence.get_user_data()[123][1].data == expected
|
|
|
|
@pytest.mark.filterwarnings('ignore:BasePersistence')
|
|
def test_replace_insert_bot_item_identity(self, bot, bot_persistence):
|
|
persistence = bot_persistence
|
|
persistence.set_bot(bot)
|
|
|
|
class CustomSlottedClass:
|
|
__slots__ = ('value',)
|
|
|
|
def __init__(self):
|
|
self.value = 5
|
|
|
|
class CustomClass:
|
|
pass
|
|
|
|
slot_object = CustomSlottedClass()
|
|
dict_object = CustomClass()
|
|
lock = Lock()
|
|
list_ = [slot_object, dict_object, lock]
|
|
tuple_ = (1, 2, 3)
|
|
dict_ = {1: slot_object, 2: dict_object}
|
|
|
|
data = {
|
|
'bot_1': bot,
|
|
'bot_2': bot,
|
|
'list_1': list_,
|
|
'list_2': list_,
|
|
'tuple_1': tuple_,
|
|
'tuple_2': tuple_,
|
|
'dict_1': dict_,
|
|
'dict_2': dict_,
|
|
}
|
|
|
|
def make_assertion(data_):
|
|
return (
|
|
data_['bot_1'] is data_['bot_2']
|
|
and data_['list_1'] is data_['list_2']
|
|
and data_['list_1'][0] is data_['list_2'][0]
|
|
and data_['list_1'][1] is data_['list_2'][1]
|
|
and data_['list_1'][2] is data_['list_2'][2]
|
|
and data_['tuple_1'] is data_['tuple_2']
|
|
and data_['dict_1'] is data_['dict_2']
|
|
and data_['dict_1'][1] is data_['dict_2'][1]
|
|
and data_['dict_1'][1] is data_['list_1'][0]
|
|
and data_['dict_1'][2] is data_['list_1'][1]
|
|
and data_['dict_1'][2] is data_['dict_2'][2]
|
|
)
|
|
|
|
persistence.update_bot_data(data)
|
|
assert make_assertion(persistence.bot_data)
|
|
assert make_assertion(persistence.get_bot_data())
|
|
|
|
|
|
@pytest.fixture(scope='function')
|
|
def pickle_persistence():
|
|
return PicklePersistence(
|
|
filename='pickletest',
|
|
store_user_data=True,
|
|
store_chat_data=True,
|
|
store_bot_data=True,
|
|
single_file=False,
|
|
on_flush=False,
|
|
)
|
|
|
|
|
|
@pytest.fixture(scope='function')
|
|
def pickle_persistence_only_bot():
|
|
return PicklePersistence(
|
|
filename='pickletest',
|
|
store_user_data=False,
|
|
store_chat_data=False,
|
|
store_bot_data=True,
|
|
single_file=False,
|
|
on_flush=False,
|
|
)
|
|
|
|
|
|
@pytest.fixture(scope='function')
|
|
def pickle_persistence_only_chat():
|
|
return PicklePersistence(
|
|
filename='pickletest',
|
|
store_user_data=False,
|
|
store_chat_data=True,
|
|
store_bot_data=False,
|
|
single_file=False,
|
|
on_flush=False,
|
|
)
|
|
|
|
|
|
@pytest.fixture(scope='function')
|
|
def pickle_persistence_only_user():
|
|
return PicklePersistence(
|
|
filename='pickletest',
|
|
store_user_data=True,
|
|
store_chat_data=False,
|
|
store_bot_data=False,
|
|
single_file=False,
|
|
on_flush=False,
|
|
)
|
|
|
|
|
|
@pytest.fixture(scope='function')
|
|
def bad_pickle_files():
|
|
for name in [
|
|
'pickletest_user_data',
|
|
'pickletest_chat_data',
|
|
'pickletest_bot_data',
|
|
'pickletest_conversations',
|
|
'pickletest',
|
|
]:
|
|
with open(name, 'w') as f:
|
|
f.write('(())')
|
|
yield True
|
|
|
|
|
|
@pytest.fixture(scope='function')
|
|
def good_pickle_files(user_data, chat_data, bot_data, conversations):
|
|
data = {
|
|
'user_data': user_data,
|
|
'chat_data': chat_data,
|
|
'bot_data': bot_data,
|
|
'conversations': conversations,
|
|
}
|
|
with open('pickletest_user_data', 'wb') as f:
|
|
pickle.dump(user_data, f)
|
|
with open('pickletest_chat_data', 'wb') as f:
|
|
pickle.dump(chat_data, f)
|
|
with open('pickletest_bot_data', 'wb') as f:
|
|
pickle.dump(bot_data, f)
|
|
with open('pickletest_conversations', 'wb') as f:
|
|
pickle.dump(conversations, f)
|
|
with open('pickletest', 'wb') as f:
|
|
pickle.dump(data, f)
|
|
yield True
|
|
|
|
|
|
@pytest.fixture(scope='function')
|
|
def pickle_files_wo_bot_data(user_data, chat_data, conversations):
|
|
data = {'user_data': user_data, 'chat_data': chat_data, 'conversations': conversations}
|
|
with open('pickletest_user_data', 'wb') as f:
|
|
pickle.dump(user_data, f)
|
|
with open('pickletest_chat_data', 'wb') as f:
|
|
pickle.dump(chat_data, f)
|
|
with open('pickletest_conversations', 'wb') as f:
|
|
pickle.dump(conversations, f)
|
|
with open('pickletest', 'wb') as f:
|
|
pickle.dump(data, f)
|
|
yield True
|
|
|
|
|
|
@pytest.fixture(scope='function')
|
|
def update(bot):
|
|
user = User(id=321, first_name='test_user', is_bot=False)
|
|
chat = Chat(id=123, type='group')
|
|
message = Message(1, None, chat, from_user=user, text="Hi there", bot=bot)
|
|
return Update(0, message=message)
|
|
|
|
|
|
class TestPickelPersistence:
|
|
def test_no_files_present_multi_file(self, pickle_persistence):
|
|
assert pickle_persistence.get_user_data() == defaultdict(dict)
|
|
assert pickle_persistence.get_user_data() == defaultdict(dict)
|
|
assert pickle_persistence.get_chat_data() == defaultdict(dict)
|
|
assert pickle_persistence.get_chat_data() == defaultdict(dict)
|
|
assert pickle_persistence.get_bot_data() == {}
|
|
assert pickle_persistence.get_bot_data() == {}
|
|
assert pickle_persistence.get_conversations('noname') == {}
|
|
assert pickle_persistence.get_conversations('noname') == {}
|
|
|
|
def test_no_files_present_single_file(self, pickle_persistence):
|
|
pickle_persistence.single_file = True
|
|
assert pickle_persistence.get_user_data() == defaultdict(dict)
|
|
assert pickle_persistence.get_chat_data() == defaultdict(dict)
|
|
assert pickle_persistence.get_chat_data() == {}
|
|
assert pickle_persistence.get_conversations('noname') == {}
|
|
|
|
def test_with_bad_multi_file(self, pickle_persistence, bad_pickle_files):
|
|
with pytest.raises(TypeError, match='pickletest_user_data'):
|
|
pickle_persistence.get_user_data()
|
|
with pytest.raises(TypeError, match='pickletest_chat_data'):
|
|
pickle_persistence.get_chat_data()
|
|
with pytest.raises(TypeError, match='pickletest_bot_data'):
|
|
pickle_persistence.get_bot_data()
|
|
with pytest.raises(TypeError, match='pickletest_conversations'):
|
|
pickle_persistence.get_conversations('name')
|
|
|
|
def test_with_bad_single_file(self, pickle_persistence, bad_pickle_files):
|
|
pickle_persistence.single_file = True
|
|
with pytest.raises(TypeError, match='pickletest'):
|
|
pickle_persistence.get_user_data()
|
|
with pytest.raises(TypeError, match='pickletest'):
|
|
pickle_persistence.get_chat_data()
|
|
with pytest.raises(TypeError, match='pickletest'):
|
|
pickle_persistence.get_bot_data()
|
|
with pytest.raises(TypeError, match='pickletest'):
|
|
pickle_persistence.get_conversations('name')
|
|
|
|
def test_with_good_multi_file(self, pickle_persistence, good_pickle_files):
|
|
user_data = pickle_persistence.get_user_data()
|
|
assert isinstance(user_data, defaultdict)
|
|
assert user_data[12345]['test1'] == 'test2'
|
|
assert user_data[67890][3] == 'test4'
|
|
assert user_data[54321] == {}
|
|
|
|
chat_data = pickle_persistence.get_chat_data()
|
|
assert isinstance(chat_data, defaultdict)
|
|
assert chat_data[-12345]['test1'] == 'test2'
|
|
assert chat_data[-67890][3] == 'test4'
|
|
assert chat_data[-54321] == {}
|
|
|
|
bot_data = pickle_persistence.get_bot_data()
|
|
assert isinstance(bot_data, dict)
|
|
assert bot_data['test1'] == 'test2'
|
|
assert bot_data['test3']['test4'] == 'test5'
|
|
assert 'test0' not in bot_data
|
|
|
|
conversation1 = pickle_persistence.get_conversations('name1')
|
|
assert isinstance(conversation1, dict)
|
|
assert conversation1[(123, 123)] == 3
|
|
assert conversation1[(456, 654)] == 4
|
|
with pytest.raises(KeyError):
|
|
conversation1[(890, 890)]
|
|
conversation2 = pickle_persistence.get_conversations('name2')
|
|
assert isinstance(conversation1, dict)
|
|
assert conversation2[(123, 321)] == 1
|
|
assert conversation2[(890, 890)] == 2
|
|
with pytest.raises(KeyError):
|
|
conversation2[(123, 123)]
|
|
|
|
def test_with_good_single_file(self, pickle_persistence, good_pickle_files):
|
|
pickle_persistence.single_file = True
|
|
user_data = pickle_persistence.get_user_data()
|
|
assert isinstance(user_data, defaultdict)
|
|
assert user_data[12345]['test1'] == 'test2'
|
|
assert user_data[67890][3] == 'test4'
|
|
assert user_data[54321] == {}
|
|
|
|
chat_data = pickle_persistence.get_chat_data()
|
|
assert isinstance(chat_data, defaultdict)
|
|
assert chat_data[-12345]['test1'] == 'test2'
|
|
assert chat_data[-67890][3] == 'test4'
|
|
assert chat_data[-54321] == {}
|
|
|
|
bot_data = pickle_persistence.get_bot_data()
|
|
assert isinstance(bot_data, dict)
|
|
assert bot_data['test1'] == 'test2'
|
|
assert bot_data['test3']['test4'] == 'test5'
|
|
assert 'test0' not in bot_data
|
|
|
|
conversation1 = pickle_persistence.get_conversations('name1')
|
|
assert isinstance(conversation1, dict)
|
|
assert conversation1[(123, 123)] == 3
|
|
assert conversation1[(456, 654)] == 4
|
|
with pytest.raises(KeyError):
|
|
conversation1[(890, 890)]
|
|
conversation2 = pickle_persistence.get_conversations('name2')
|
|
assert isinstance(conversation1, dict)
|
|
assert conversation2[(123, 321)] == 1
|
|
assert conversation2[(890, 890)] == 2
|
|
with pytest.raises(KeyError):
|
|
conversation2[(123, 123)]
|
|
|
|
def test_with_multi_file_wo_bot_data(self, pickle_persistence, pickle_files_wo_bot_data):
|
|
user_data = pickle_persistence.get_user_data()
|
|
assert isinstance(user_data, defaultdict)
|
|
assert user_data[12345]['test1'] == 'test2'
|
|
assert user_data[67890][3] == 'test4'
|
|
assert user_data[54321] == {}
|
|
|
|
chat_data = pickle_persistence.get_chat_data()
|
|
assert isinstance(chat_data, defaultdict)
|
|
assert chat_data[-12345]['test1'] == 'test2'
|
|
assert chat_data[-67890][3] == 'test4'
|
|
assert chat_data[-54321] == {}
|
|
|
|
bot_data = pickle_persistence.get_bot_data()
|
|
assert isinstance(bot_data, dict)
|
|
assert not bot_data.keys()
|
|
|
|
conversation1 = pickle_persistence.get_conversations('name1')
|
|
assert isinstance(conversation1, dict)
|
|
assert conversation1[(123, 123)] == 3
|
|
assert conversation1[(456, 654)] == 4
|
|
with pytest.raises(KeyError):
|
|
conversation1[(890, 890)]
|
|
conversation2 = pickle_persistence.get_conversations('name2')
|
|
assert isinstance(conversation1, dict)
|
|
assert conversation2[(123, 321)] == 1
|
|
assert conversation2[(890, 890)] == 2
|
|
with pytest.raises(KeyError):
|
|
conversation2[(123, 123)]
|
|
|
|
def test_with_single_file_wo_bot_data(self, pickle_persistence, pickle_files_wo_bot_data):
|
|
pickle_persistence.single_file = True
|
|
user_data = pickle_persistence.get_user_data()
|
|
assert isinstance(user_data, defaultdict)
|
|
assert user_data[12345]['test1'] == 'test2'
|
|
assert user_data[67890][3] == 'test4'
|
|
assert user_data[54321] == {}
|
|
|
|
chat_data = pickle_persistence.get_chat_data()
|
|
assert isinstance(chat_data, defaultdict)
|
|
assert chat_data[-12345]['test1'] == 'test2'
|
|
assert chat_data[-67890][3] == 'test4'
|
|
assert chat_data[-54321] == {}
|
|
|
|
bot_data = pickle_persistence.get_bot_data()
|
|
assert isinstance(bot_data, dict)
|
|
assert not bot_data.keys()
|
|
|
|
def test_updating_multi_file(self, pickle_persistence, good_pickle_files):
|
|
user_data = pickle_persistence.get_user_data()
|
|
user_data[54321]['test9'] = 'test 10'
|
|
assert not pickle_persistence.user_data == user_data
|
|
pickle_persistence.update_user_data(54321, user_data[54321])
|
|
assert pickle_persistence.user_data == user_data
|
|
with open('pickletest_user_data', 'rb') as f:
|
|
user_data_test = defaultdict(dict, pickle.load(f))
|
|
assert user_data_test == user_data
|
|
|
|
chat_data = pickle_persistence.get_chat_data()
|
|
chat_data[54321]['test9'] = 'test 10'
|
|
assert not pickle_persistence.chat_data == chat_data
|
|
pickle_persistence.update_chat_data(54321, chat_data[54321])
|
|
assert pickle_persistence.chat_data == chat_data
|
|
with open('pickletest_chat_data', 'rb') as f:
|
|
chat_data_test = defaultdict(dict, pickle.load(f))
|
|
assert chat_data_test == chat_data
|
|
|
|
bot_data = pickle_persistence.get_bot_data()
|
|
bot_data['test6'] = 'test 7'
|
|
assert not pickle_persistence.bot_data == bot_data
|
|
pickle_persistence.update_bot_data(bot_data)
|
|
assert pickle_persistence.bot_data == bot_data
|
|
with open('pickletest_bot_data', 'rb') as f:
|
|
bot_data_test = pickle.load(f)
|
|
assert bot_data_test == bot_data
|
|
|
|
conversation1 = pickle_persistence.get_conversations('name1')
|
|
conversation1[(123, 123)] = 5
|
|
assert not pickle_persistence.conversations['name1'] == conversation1
|
|
pickle_persistence.update_conversation('name1', (123, 123), 5)
|
|
assert pickle_persistence.conversations['name1'] == conversation1
|
|
assert pickle_persistence.get_conversations('name1') == conversation1
|
|
with open('pickletest_conversations', 'rb') as f:
|
|
conversations_test = defaultdict(dict, pickle.load(f))
|
|
assert conversations_test['name1'] == conversation1
|
|
|
|
pickle_persistence.conversations = None
|
|
pickle_persistence.update_conversation('name1', (123, 123), 5)
|
|
assert pickle_persistence.conversations['name1'] == {(123, 123): 5}
|
|
assert pickle_persistence.get_conversations('name1') == {(123, 123): 5}
|
|
|
|
def test_updating_single_file(self, pickle_persistence, good_pickle_files):
|
|
pickle_persistence.single_file = True
|
|
|
|
user_data = pickle_persistence.get_user_data()
|
|
user_data[54321]['test9'] = 'test 10'
|
|
assert not pickle_persistence.user_data == user_data
|
|
pickle_persistence.update_user_data(54321, user_data[54321])
|
|
assert pickle_persistence.user_data == user_data
|
|
with open('pickletest', 'rb') as f:
|
|
user_data_test = defaultdict(dict, pickle.load(f)['user_data'])
|
|
assert user_data_test == user_data
|
|
|
|
chat_data = pickle_persistence.get_chat_data()
|
|
chat_data[54321]['test9'] = 'test 10'
|
|
assert not pickle_persistence.chat_data == chat_data
|
|
pickle_persistence.update_chat_data(54321, chat_data[54321])
|
|
assert pickle_persistence.chat_data == chat_data
|
|
with open('pickletest', 'rb') as f:
|
|
chat_data_test = defaultdict(dict, pickle.load(f)['chat_data'])
|
|
assert chat_data_test == chat_data
|
|
|
|
bot_data = pickle_persistence.get_bot_data()
|
|
bot_data['test6'] = 'test 7'
|
|
assert not pickle_persistence.bot_data == bot_data
|
|
pickle_persistence.update_bot_data(bot_data)
|
|
assert pickle_persistence.bot_data == bot_data
|
|
with open('pickletest', 'rb') as f:
|
|
bot_data_test = pickle.load(f)['bot_data']
|
|
assert bot_data_test == bot_data
|
|
|
|
conversation1 = pickle_persistence.get_conversations('name1')
|
|
conversation1[(123, 123)] = 5
|
|
assert not pickle_persistence.conversations['name1'] == conversation1
|
|
pickle_persistence.update_conversation('name1', (123, 123), 5)
|
|
assert pickle_persistence.conversations['name1'] == conversation1
|
|
assert pickle_persistence.get_conversations('name1') == conversation1
|
|
with open('pickletest', 'rb') as f:
|
|
conversations_test = defaultdict(dict, pickle.load(f)['conversations'])
|
|
assert conversations_test['name1'] == conversation1
|
|
|
|
pickle_persistence.conversations = None
|
|
pickle_persistence.update_conversation('name1', (123, 123), 5)
|
|
assert pickle_persistence.conversations['name1'] == {(123, 123): 5}
|
|
assert pickle_persistence.get_conversations('name1') == {(123, 123): 5}
|
|
|
|
def test_save_on_flush_multi_files(self, pickle_persistence, good_pickle_files):
|
|
# Should run without error
|
|
pickle_persistence.flush()
|
|
pickle_persistence.on_flush = True
|
|
|
|
user_data = pickle_persistence.get_user_data()
|
|
user_data[54321]['test9'] = 'test 10'
|
|
assert not pickle_persistence.user_data == user_data
|
|
|
|
pickle_persistence.update_user_data(54321, user_data[54321])
|
|
assert pickle_persistence.user_data == user_data
|
|
|
|
with open('pickletest_user_data', 'rb') as f:
|
|
user_data_test = defaultdict(dict, pickle.load(f))
|
|
assert not user_data_test == user_data
|
|
|
|
chat_data = pickle_persistence.get_chat_data()
|
|
chat_data[54321]['test9'] = 'test 10'
|
|
assert not pickle_persistence.chat_data == chat_data
|
|
|
|
pickle_persistence.update_chat_data(54321, chat_data[54321])
|
|
assert pickle_persistence.chat_data == chat_data
|
|
|
|
with open('pickletest_chat_data', 'rb') as f:
|
|
chat_data_test = defaultdict(dict, pickle.load(f))
|
|
assert not chat_data_test == chat_data
|
|
|
|
bot_data = pickle_persistence.get_bot_data()
|
|
bot_data['test6'] = 'test 7'
|
|
assert not pickle_persistence.bot_data == bot_data
|
|
|
|
pickle_persistence.update_bot_data(bot_data)
|
|
assert pickle_persistence.bot_data == bot_data
|
|
|
|
with open('pickletest_bot_data', 'rb') as f:
|
|
bot_data_test = pickle.load(f)
|
|
assert not bot_data_test == bot_data
|
|
|
|
conversation1 = pickle_persistence.get_conversations('name1')
|
|
conversation1[(123, 123)] = 5
|
|
assert not pickle_persistence.conversations['name1'] == conversation1
|
|
|
|
pickle_persistence.update_conversation('name1', (123, 123), 5)
|
|
assert pickle_persistence.conversations['name1'] == conversation1
|
|
|
|
with open('pickletest_conversations', 'rb') as f:
|
|
conversations_test = defaultdict(dict, pickle.load(f))
|
|
assert not conversations_test['name1'] == conversation1
|
|
|
|
pickle_persistence.flush()
|
|
with open('pickletest_user_data', 'rb') as f:
|
|
user_data_test = defaultdict(dict, pickle.load(f))
|
|
assert user_data_test == user_data
|
|
|
|
with open('pickletest_chat_data', 'rb') as f:
|
|
chat_data_test = defaultdict(dict, pickle.load(f))
|
|
assert chat_data_test == chat_data
|
|
|
|
with open('pickletest_bot_data', 'rb') as f:
|
|
bot_data_test = pickle.load(f)
|
|
assert bot_data_test == bot_data
|
|
|
|
with open('pickletest_conversations', 'rb') as f:
|
|
conversations_test = defaultdict(dict, pickle.load(f))
|
|
assert conversations_test['name1'] == conversation1
|
|
|
|
def test_save_on_flush_single_files(self, pickle_persistence, good_pickle_files):
|
|
# Should run without error
|
|
pickle_persistence.flush()
|
|
|
|
pickle_persistence.on_flush = True
|
|
pickle_persistence.single_file = True
|
|
|
|
user_data = pickle_persistence.get_user_data()
|
|
user_data[54321]['test9'] = 'test 10'
|
|
assert not pickle_persistence.user_data == user_data
|
|
pickle_persistence.update_user_data(54321, user_data[54321])
|
|
assert pickle_persistence.user_data == user_data
|
|
with open('pickletest', 'rb') as f:
|
|
user_data_test = defaultdict(dict, pickle.load(f)['user_data'])
|
|
assert not user_data_test == user_data
|
|
|
|
chat_data = pickle_persistence.get_chat_data()
|
|
chat_data[54321]['test9'] = 'test 10'
|
|
assert not pickle_persistence.chat_data == chat_data
|
|
pickle_persistence.update_chat_data(54321, chat_data[54321])
|
|
assert pickle_persistence.chat_data == chat_data
|
|
with open('pickletest', 'rb') as f:
|
|
chat_data_test = defaultdict(dict, pickle.load(f)['chat_data'])
|
|
assert not chat_data_test == chat_data
|
|
|
|
bot_data = pickle_persistence.get_bot_data()
|
|
bot_data['test6'] = 'test 7'
|
|
assert not pickle_persistence.bot_data == bot_data
|
|
pickle_persistence.update_bot_data(bot_data)
|
|
assert pickle_persistence.bot_data == bot_data
|
|
with open('pickletest', 'rb') as f:
|
|
bot_data_test = pickle.load(f)['bot_data']
|
|
assert not bot_data_test == bot_data
|
|
|
|
conversation1 = pickle_persistence.get_conversations('name1')
|
|
conversation1[(123, 123)] = 5
|
|
assert not pickle_persistence.conversations['name1'] == conversation1
|
|
pickle_persistence.update_conversation('name1', (123, 123), 5)
|
|
assert pickle_persistence.conversations['name1'] == conversation1
|
|
with open('pickletest', 'rb') as f:
|
|
conversations_test = defaultdict(dict, pickle.load(f)['conversations'])
|
|
assert not conversations_test['name1'] == conversation1
|
|
|
|
pickle_persistence.flush()
|
|
with open('pickletest', 'rb') as f:
|
|
user_data_test = defaultdict(dict, pickle.load(f)['user_data'])
|
|
assert user_data_test == user_data
|
|
|
|
with open('pickletest', 'rb') as f:
|
|
chat_data_test = defaultdict(dict, pickle.load(f)['chat_data'])
|
|
assert chat_data_test == chat_data
|
|
|
|
with open('pickletest', 'rb') as f:
|
|
bot_data_test = pickle.load(f)['bot_data']
|
|
assert bot_data_test == bot_data
|
|
|
|
with open('pickletest', 'rb') as f:
|
|
conversations_test = defaultdict(dict, pickle.load(f)['conversations'])
|
|
assert conversations_test['name1'] == conversation1
|
|
|
|
def test_with_handler(self, bot, update, bot_data, pickle_persistence, good_pickle_files):
|
|
u = Updater(bot=bot, persistence=pickle_persistence, use_context=True)
|
|
dp = u.dispatcher
|
|
|
|
def first(update, context):
|
|
if not context.user_data == {}:
|
|
pytest.fail()
|
|
if not context.chat_data == {}:
|
|
pytest.fail()
|
|
if not context.bot_data == bot_data:
|
|
pytest.fail()
|
|
context.user_data['test1'] = 'test2'
|
|
context.chat_data['test3'] = 'test4'
|
|
context.bot_data['test1'] = 'test0'
|
|
|
|
def second(update, context):
|
|
if not context.user_data['test1'] == 'test2':
|
|
pytest.fail()
|
|
if not context.chat_data['test3'] == 'test4':
|
|
pytest.fail()
|
|
if not context.bot_data['test1'] == 'test0':
|
|
pytest.fail()
|
|
|
|
h1 = MessageHandler(None, first, pass_user_data=True, pass_chat_data=True)
|
|
h2 = MessageHandler(None, second, pass_user_data=True, pass_chat_data=True)
|
|
dp.add_handler(h1)
|
|
dp.process_update(update)
|
|
del dp
|
|
del u
|
|
del pickle_persistence
|
|
pickle_persistence_2 = PicklePersistence(
|
|
filename='pickletest',
|
|
store_user_data=True,
|
|
store_chat_data=True,
|
|
store_bot_data=True,
|
|
single_file=False,
|
|
on_flush=False,
|
|
)
|
|
u = Updater(bot=bot, persistence=pickle_persistence_2)
|
|
dp = u.dispatcher
|
|
dp.add_handler(h2)
|
|
dp.process_update(update)
|
|
|
|
def test_flush_on_stop(self, bot, update, pickle_persistence):
|
|
u = Updater(bot=bot, persistence=pickle_persistence)
|
|
dp = u.dispatcher
|
|
u.running = True
|
|
dp.user_data[4242424242]['my_test'] = 'Working!'
|
|
dp.chat_data[-4242424242]['my_test2'] = 'Working2!'
|
|
dp.bot_data['test'] = 'Working3!'
|
|
u.signal_handler(signal.SIGINT, None)
|
|
del dp
|
|
del u
|
|
del pickle_persistence
|
|
pickle_persistence_2 = PicklePersistence(
|
|
filename='pickletest',
|
|
store_user_data=True,
|
|
store_chat_data=True,
|
|
single_file=False,
|
|
on_flush=False,
|
|
)
|
|
assert pickle_persistence_2.get_user_data()[4242424242]['my_test'] == 'Working!'
|
|
assert pickle_persistence_2.get_chat_data()[-4242424242]['my_test2'] == 'Working2!'
|
|
assert pickle_persistence_2.get_bot_data()['test'] == 'Working3!'
|
|
|
|
def test_flush_on_stop_only_bot(self, bot, update, pickle_persistence_only_bot):
|
|
u = Updater(bot=bot, persistence=pickle_persistence_only_bot)
|
|
dp = u.dispatcher
|
|
u.running = True
|
|
dp.user_data[4242424242]['my_test'] = 'Working!'
|
|
dp.chat_data[-4242424242]['my_test2'] = 'Working2!'
|
|
dp.bot_data['my_test3'] = 'Working3!'
|
|
u.signal_handler(signal.SIGINT, None)
|
|
del dp
|
|
del u
|
|
del pickle_persistence_only_bot
|
|
pickle_persistence_2 = PicklePersistence(
|
|
filename='pickletest',
|
|
store_user_data=False,
|
|
store_chat_data=False,
|
|
store_bot_data=True,
|
|
single_file=False,
|
|
on_flush=False,
|
|
)
|
|
assert pickle_persistence_2.get_user_data() == {}
|
|
assert pickle_persistence_2.get_chat_data() == {}
|
|
assert pickle_persistence_2.get_bot_data()['my_test3'] == 'Working3!'
|
|
|
|
def test_flush_on_stop_only_chat(self, bot, update, pickle_persistence_only_chat):
|
|
u = Updater(bot=bot, persistence=pickle_persistence_only_chat)
|
|
dp = u.dispatcher
|
|
u.running = True
|
|
dp.user_data[4242424242]['my_test'] = 'Working!'
|
|
dp.chat_data[-4242424242]['my_test2'] = 'Working2!'
|
|
u.signal_handler(signal.SIGINT, None)
|
|
del dp
|
|
del u
|
|
del pickle_persistence_only_chat
|
|
pickle_persistence_2 = PicklePersistence(
|
|
filename='pickletest',
|
|
store_user_data=False,
|
|
store_chat_data=True,
|
|
store_bot_data=False,
|
|
single_file=False,
|
|
on_flush=False,
|
|
)
|
|
assert pickle_persistence_2.get_user_data() == {}
|
|
assert pickle_persistence_2.get_chat_data()[-4242424242]['my_test2'] == 'Working2!'
|
|
assert pickle_persistence_2.get_bot_data() == {}
|
|
|
|
def test_flush_on_stop_only_user(self, bot, update, pickle_persistence_only_user):
|
|
u = Updater(bot=bot, persistence=pickle_persistence_only_user)
|
|
dp = u.dispatcher
|
|
u.running = True
|
|
dp.user_data[4242424242]['my_test'] = 'Working!'
|
|
dp.chat_data[-4242424242]['my_test2'] = 'Working2!'
|
|
u.signal_handler(signal.SIGINT, None)
|
|
del dp
|
|
del u
|
|
del pickle_persistence_only_user
|
|
pickle_persistence_2 = PicklePersistence(
|
|
filename='pickletest',
|
|
store_user_data=True,
|
|
store_chat_data=False,
|
|
store_bot_data=False,
|
|
single_file=False,
|
|
on_flush=False,
|
|
)
|
|
assert pickle_persistence_2.get_user_data()[4242424242]['my_test'] == 'Working!'
|
|
assert pickle_persistence_2.get_chat_data()[-4242424242] == {}
|
|
assert pickle_persistence_2.get_bot_data() == {}
|
|
|
|
def test_with_conversationHandler(self, dp, update, good_pickle_files, pickle_persistence):
|
|
dp.persistence = pickle_persistence
|
|
dp.use_context = True
|
|
NEXT, NEXT2 = range(2)
|
|
|
|
def start(update, context):
|
|
return NEXT
|
|
|
|
start = CommandHandler('start', start)
|
|
|
|
def next(update, context):
|
|
return NEXT2
|
|
|
|
next = MessageHandler(None, next)
|
|
|
|
def next2(update, context):
|
|
return ConversationHandler.END
|
|
|
|
next2 = MessageHandler(None, next2)
|
|
|
|
ch = ConversationHandler(
|
|
[start], {NEXT: [next], NEXT2: [next2]}, [], name='name2', persistent=True
|
|
)
|
|
dp.add_handler(ch)
|
|
assert ch.conversations[ch._get_key(update)] == 1
|
|
dp.process_update(update)
|
|
assert ch._get_key(update) not in ch.conversations
|
|
update.message.text = '/start'
|
|
update.message.entities = [MessageEntity(MessageEntity.BOT_COMMAND, 0, 6)]
|
|
dp.process_update(update)
|
|
assert ch.conversations[ch._get_key(update)] == 0
|
|
assert ch.conversations == pickle_persistence.conversations['name2']
|
|
|
|
def test_with_nested_conversationHandler(
|
|
self, dp, update, good_pickle_files, pickle_persistence
|
|
):
|
|
dp.persistence = pickle_persistence
|
|
dp.use_context = True
|
|
NEXT2, NEXT3 = range(1, 3)
|
|
|
|
def start(update, context):
|
|
return NEXT2
|
|
|
|
start = CommandHandler('start', start)
|
|
|
|
def next(update, context):
|
|
return NEXT2
|
|
|
|
next = MessageHandler(None, next)
|
|
|
|
def next2(update, context):
|
|
return ConversationHandler.END
|
|
|
|
next2 = MessageHandler(None, next2)
|
|
|
|
nested_ch = ConversationHandler(
|
|
[next],
|
|
{NEXT2: [next2]},
|
|
[],
|
|
name='name3',
|
|
persistent=True,
|
|
map_to_parent={ConversationHandler.END: ConversationHandler.END},
|
|
)
|
|
|
|
ch = ConversationHandler(
|
|
[start], {NEXT2: [nested_ch], NEXT3: []}, [], name='name2', persistent=True
|
|
)
|
|
dp.add_handler(ch)
|
|
assert ch.conversations[ch._get_key(update)] == 1
|
|
assert nested_ch.conversations[nested_ch._get_key(update)] == 1
|
|
dp.process_update(update)
|
|
assert ch._get_key(update) not in ch.conversations
|
|
assert nested_ch._get_key(update) not in nested_ch.conversations
|
|
update.message.text = '/start'
|
|
update.message.entities = [MessageEntity(MessageEntity.BOT_COMMAND, 0, 6)]
|
|
dp.process_update(update)
|
|
assert ch.conversations[ch._get_key(update)] == 1
|
|
assert ch.conversations == pickle_persistence.conversations['name2']
|
|
assert nested_ch._get_key(update) not in nested_ch.conversations
|
|
dp.process_update(update)
|
|
assert ch.conversations[ch._get_key(update)] == 1
|
|
assert ch.conversations == pickle_persistence.conversations['name2']
|
|
assert nested_ch.conversations[nested_ch._get_key(update)] == 1
|
|
assert nested_ch.conversations == pickle_persistence.conversations['name3']
|
|
|
|
def test_with_job(self, job_queue, cdp, pickle_persistence):
|
|
def job_callback(context):
|
|
context.bot_data['test1'] = '456'
|
|
context.dispatcher.chat_data[123]['test2'] = '789'
|
|
context.dispatcher.user_data[789]['test3'] = '123'
|
|
|
|
cdp.persistence = pickle_persistence
|
|
job_queue.set_dispatcher(cdp)
|
|
job_queue.start()
|
|
job_queue.run_once(job_callback, 0.01)
|
|
sleep(0.5)
|
|
bot_data = pickle_persistence.get_bot_data()
|
|
assert bot_data == {'test1': '456'}
|
|
chat_data = pickle_persistence.get_chat_data()
|
|
assert chat_data[123] == {'test2': '789'}
|
|
user_data = pickle_persistence.get_user_data()
|
|
assert user_data[789] == {'test3': '123'}
|
|
|
|
|
|
@pytest.fixture(scope='function')
|
|
def user_data_json(user_data):
|
|
return json.dumps(user_data)
|
|
|
|
|
|
@pytest.fixture(scope='function')
|
|
def chat_data_json(chat_data):
|
|
return json.dumps(chat_data)
|
|
|
|
|
|
@pytest.fixture(scope='function')
|
|
def bot_data_json(bot_data):
|
|
return json.dumps(bot_data)
|
|
|
|
|
|
@pytest.fixture(scope='function')
|
|
def conversations_json(conversations):
|
|
return """{"name1": {"[123, 123]": 3, "[456, 654]": 4}, "name2":
|
|
{"[123, 321]": 1, "[890, 890]": 2}, "name3":
|
|
{"[123, 321]": 1, "[890, 890]": 2}}"""
|
|
|
|
|
|
class TestDictPersistence:
|
|
def test_no_json_given(self):
|
|
dict_persistence = DictPersistence()
|
|
assert dict_persistence.get_user_data() == defaultdict(dict)
|
|
assert dict_persistence.get_chat_data() == defaultdict(dict)
|
|
assert dict_persistence.get_bot_data() == {}
|
|
assert dict_persistence.get_conversations('noname') == {}
|
|
|
|
def test_bad_json_string_given(self):
|
|
bad_user_data = 'thisisnojson99900()))('
|
|
bad_chat_data = 'thisisnojson99900()))('
|
|
bad_bot_data = 'thisisnojson99900()))('
|
|
bad_conversations = 'thisisnojson99900()))('
|
|
with pytest.raises(TypeError, match='user_data'):
|
|
DictPersistence(user_data_json=bad_user_data)
|
|
with pytest.raises(TypeError, match='chat_data'):
|
|
DictPersistence(chat_data_json=bad_chat_data)
|
|
with pytest.raises(TypeError, match='bot_data'):
|
|
DictPersistence(bot_data_json=bad_bot_data)
|
|
with pytest.raises(TypeError, match='conversations'):
|
|
DictPersistence(conversations_json=bad_conversations)
|
|
|
|
def test_invalid_json_string_given(self, pickle_persistence, bad_pickle_files):
|
|
bad_user_data = '["this", "is", "json"]'
|
|
bad_chat_data = '["this", "is", "json"]'
|
|
bad_bot_data = '["this", "is", "json"]'
|
|
bad_conversations = '["this", "is", "json"]'
|
|
with pytest.raises(TypeError, match='user_data'):
|
|
DictPersistence(user_data_json=bad_user_data)
|
|
with pytest.raises(TypeError, match='chat_data'):
|
|
DictPersistence(chat_data_json=bad_chat_data)
|
|
with pytest.raises(TypeError, match='bot_data'):
|
|
DictPersistence(bot_data_json=bad_bot_data)
|
|
with pytest.raises(TypeError, match='conversations'):
|
|
DictPersistence(conversations_json=bad_conversations)
|
|
|
|
def test_good_json_input(
|
|
self, user_data_json, chat_data_json, bot_data_json, conversations_json
|
|
):
|
|
dict_persistence = DictPersistence(
|
|
user_data_json=user_data_json,
|
|
chat_data_json=chat_data_json,
|
|
bot_data_json=bot_data_json,
|
|
conversations_json=conversations_json,
|
|
)
|
|
user_data = dict_persistence.get_user_data()
|
|
assert isinstance(user_data, defaultdict)
|
|
assert user_data[12345]['test1'] == 'test2'
|
|
assert user_data[67890][3] == 'test4'
|
|
assert user_data[54321] == {}
|
|
|
|
chat_data = dict_persistence.get_chat_data()
|
|
assert isinstance(chat_data, defaultdict)
|
|
assert chat_data[-12345]['test1'] == 'test2'
|
|
assert chat_data[-67890][3] == 'test4'
|
|
assert chat_data[-54321] == {}
|
|
|
|
bot_data = dict_persistence.get_bot_data()
|
|
assert isinstance(bot_data, dict)
|
|
assert bot_data['test1'] == 'test2'
|
|
assert bot_data['test3']['test4'] == 'test5'
|
|
assert 'test6' not in bot_data
|
|
|
|
conversation1 = dict_persistence.get_conversations('name1')
|
|
assert isinstance(conversation1, dict)
|
|
assert conversation1[(123, 123)] == 3
|
|
assert conversation1[(456, 654)] == 4
|
|
with pytest.raises(KeyError):
|
|
conversation1[(890, 890)]
|
|
conversation2 = dict_persistence.get_conversations('name2')
|
|
assert isinstance(conversation1, dict)
|
|
assert conversation2[(123, 321)] == 1
|
|
assert conversation2[(890, 890)] == 2
|
|
with pytest.raises(KeyError):
|
|
conversation2[(123, 123)]
|
|
|
|
def test_dict_outputs(
|
|
self,
|
|
user_data,
|
|
user_data_json,
|
|
chat_data,
|
|
chat_data_json,
|
|
bot_data,
|
|
bot_data_json,
|
|
conversations,
|
|
conversations_json,
|
|
):
|
|
dict_persistence = DictPersistence(
|
|
user_data_json=user_data_json,
|
|
chat_data_json=chat_data_json,
|
|
bot_data_json=bot_data_json,
|
|
conversations_json=conversations_json,
|
|
)
|
|
assert dict_persistence.user_data == user_data
|
|
assert dict_persistence.chat_data == chat_data
|
|
assert dict_persistence.bot_data == bot_data
|
|
assert dict_persistence.conversations == conversations
|
|
|
|
def test_json_outputs(self, user_data_json, chat_data_json, bot_data_json, conversations_json):
|
|
dict_persistence = DictPersistence(
|
|
user_data_json=user_data_json,
|
|
chat_data_json=chat_data_json,
|
|
bot_data_json=bot_data_json,
|
|
conversations_json=conversations_json,
|
|
)
|
|
assert dict_persistence.user_data_json == user_data_json
|
|
assert dict_persistence.chat_data_json == chat_data_json
|
|
assert dict_persistence.bot_data_json == bot_data_json
|
|
assert dict_persistence.conversations_json == conversations_json
|
|
|
|
def test_json_changes(
|
|
self,
|
|
user_data,
|
|
user_data_json,
|
|
chat_data,
|
|
chat_data_json,
|
|
bot_data,
|
|
bot_data_json,
|
|
conversations,
|
|
conversations_json,
|
|
):
|
|
dict_persistence = DictPersistence(
|
|
user_data_json=user_data_json,
|
|
chat_data_json=chat_data_json,
|
|
bot_data_json=bot_data_json,
|
|
conversations_json=conversations_json,
|
|
)
|
|
user_data_two = user_data.copy()
|
|
user_data_two.update({4: {5: 6}})
|
|
dict_persistence.update_user_data(4, {5: 6})
|
|
assert dict_persistence.user_data == user_data_two
|
|
assert dict_persistence.user_data_json != user_data_json
|
|
assert dict_persistence.user_data_json == json.dumps(user_data_two)
|
|
|
|
chat_data_two = chat_data.copy()
|
|
chat_data_two.update({7: {8: 9}})
|
|
dict_persistence.update_chat_data(7, {8: 9})
|
|
assert dict_persistence.chat_data == chat_data_two
|
|
assert dict_persistence.chat_data_json != chat_data_json
|
|
assert dict_persistence.chat_data_json == json.dumps(chat_data_two)
|
|
|
|
bot_data_two = bot_data.copy()
|
|
bot_data_two.update({'7': {'8': '9'}})
|
|
bot_data['7'] = {'8': '9'}
|
|
dict_persistence.update_bot_data(bot_data)
|
|
assert dict_persistence.bot_data == bot_data_two
|
|
assert dict_persistence.bot_data_json != bot_data_json
|
|
assert dict_persistence.bot_data_json == json.dumps(bot_data_two)
|
|
|
|
conversations_two = conversations.copy()
|
|
conversations_two.update({'name4': {(1, 2): 3}})
|
|
dict_persistence.update_conversation('name4', (1, 2), 3)
|
|
assert dict_persistence.conversations == conversations_two
|
|
assert dict_persistence.conversations_json != conversations_json
|
|
assert dict_persistence.conversations_json == encode_conversations_to_json(
|
|
conversations_two
|
|
)
|
|
|
|
def test_with_handler(self, bot, update):
|
|
dict_persistence = DictPersistence()
|
|
u = Updater(bot=bot, persistence=dict_persistence, use_context=True)
|
|
dp = u.dispatcher
|
|
|
|
def first(update, context):
|
|
if not context.user_data == {}:
|
|
pytest.fail()
|
|
if not context.chat_data == {}:
|
|
pytest.fail()
|
|
if not context.bot_data == {}:
|
|
pytest.fail()
|
|
context.user_data['test1'] = 'test2'
|
|
context.chat_data[3] = 'test4'
|
|
context.bot_data['test1'] = 'test2'
|
|
|
|
def second(update, context):
|
|
if not context.user_data['test1'] == 'test2':
|
|
pytest.fail()
|
|
if not context.chat_data[3] == 'test4':
|
|
pytest.fail()
|
|
if not context.bot_data['test1'] == 'test2':
|
|
pytest.fail()
|
|
|
|
h1 = MessageHandler(None, first, pass_user_data=True, pass_chat_data=True)
|
|
h2 = MessageHandler(None, second, pass_user_data=True, pass_chat_data=True)
|
|
dp.add_handler(h1)
|
|
dp.process_update(update)
|
|
del dp
|
|
del u
|
|
user_data = dict_persistence.user_data_json
|
|
chat_data = dict_persistence.chat_data_json
|
|
bot_data = dict_persistence.bot_data_json
|
|
del dict_persistence
|
|
dict_persistence_2 = DictPersistence(
|
|
user_data_json=user_data, chat_data_json=chat_data, bot_data_json=bot_data
|
|
)
|
|
|
|
u = Updater(bot=bot, persistence=dict_persistence_2)
|
|
dp = u.dispatcher
|
|
dp.add_handler(h2)
|
|
dp.process_update(update)
|
|
|
|
def test_with_conversationHandler(self, dp, update, conversations_json):
|
|
dict_persistence = DictPersistence(conversations_json=conversations_json)
|
|
dp.persistence = dict_persistence
|
|
dp.use_context = True
|
|
NEXT, NEXT2 = range(2)
|
|
|
|
def start(update, context):
|
|
return NEXT
|
|
|
|
start = CommandHandler('start', start)
|
|
|
|
def next(update, context):
|
|
return NEXT2
|
|
|
|
next = MessageHandler(None, next)
|
|
|
|
def next2(update, context):
|
|
return ConversationHandler.END
|
|
|
|
next2 = MessageHandler(None, next2)
|
|
|
|
ch = ConversationHandler(
|
|
[start], {NEXT: [next], NEXT2: [next2]}, [], name='name2', persistent=True
|
|
)
|
|
dp.add_handler(ch)
|
|
assert ch.conversations[ch._get_key(update)] == 1
|
|
dp.process_update(update)
|
|
assert ch._get_key(update) not in ch.conversations
|
|
update.message.text = '/start'
|
|
update.message.entities = [MessageEntity(MessageEntity.BOT_COMMAND, 0, 6)]
|
|
dp.process_update(update)
|
|
assert ch.conversations[ch._get_key(update)] == 0
|
|
assert ch.conversations == dict_persistence.conversations['name2']
|
|
|
|
def test_with_nested_conversationHandler(self, dp, update, conversations_json):
|
|
dict_persistence = DictPersistence(conversations_json=conversations_json)
|
|
dp.persistence = dict_persistence
|
|
dp.use_context = True
|
|
NEXT2, NEXT3 = range(1, 3)
|
|
|
|
def start(update, context):
|
|
return NEXT2
|
|
|
|
start = CommandHandler('start', start)
|
|
|
|
def next(update, context):
|
|
return NEXT2
|
|
|
|
next = MessageHandler(None, next)
|
|
|
|
def next2(update, context):
|
|
return ConversationHandler.END
|
|
|
|
next2 = MessageHandler(None, next2)
|
|
|
|
nested_ch = ConversationHandler(
|
|
[next],
|
|
{NEXT2: [next2]},
|
|
[],
|
|
name='name3',
|
|
persistent=True,
|
|
map_to_parent={ConversationHandler.END: ConversationHandler.END},
|
|
)
|
|
|
|
ch = ConversationHandler(
|
|
[start], {NEXT2: [nested_ch], NEXT3: []}, [], name='name2', persistent=True
|
|
)
|
|
dp.add_handler(ch)
|
|
assert ch.conversations[ch._get_key(update)] == 1
|
|
assert nested_ch.conversations[nested_ch._get_key(update)] == 1
|
|
dp.process_update(update)
|
|
assert ch._get_key(update) not in ch.conversations
|
|
assert nested_ch._get_key(update) not in nested_ch.conversations
|
|
update.message.text = '/start'
|
|
update.message.entities = [MessageEntity(MessageEntity.BOT_COMMAND, 0, 6)]
|
|
dp.process_update(update)
|
|
assert ch.conversations[ch._get_key(update)] == 1
|
|
assert ch.conversations == dict_persistence.conversations['name2']
|
|
assert nested_ch._get_key(update) not in nested_ch.conversations
|
|
dp.process_update(update)
|
|
assert ch.conversations[ch._get_key(update)] == 1
|
|
assert ch.conversations == dict_persistence.conversations['name2']
|
|
assert nested_ch.conversations[nested_ch._get_key(update)] == 1
|
|
assert nested_ch.conversations == dict_persistence.conversations['name3']
|
|
|
|
def test_with_job(self, job_queue, cdp):
|
|
def job_callback(context):
|
|
context.bot_data['test1'] = '456'
|
|
context.dispatcher.chat_data[123]['test2'] = '789'
|
|
context.dispatcher.user_data[789]['test3'] = '123'
|
|
|
|
dict_persistence = DictPersistence()
|
|
cdp.persistence = dict_persistence
|
|
job_queue.set_dispatcher(cdp)
|
|
job_queue.start()
|
|
job_queue.run_once(job_callback, 0.01)
|
|
sleep(0.5)
|
|
bot_data = dict_persistence.get_bot_data()
|
|
assert bot_data == {'test1': '456'}
|
|
chat_data = dict_persistence.get_chat_data()
|
|
assert chat_data[123] == {'test2': '789'}
|
|
user_data = dict_persistence.get_user_data()
|
|
assert user_data[789] == {'test3': '123'}
|