2015-07-20 04:06:04 +02:00
|
|
|
#!/usr/bin/env python
|
2015-08-11 21:58:17 +02:00
|
|
|
#
|
|
|
|
# A library that provides a Python interface to the Telegram Bot API
|
2016-01-05 14:12:03 +01:00
|
|
|
# Copyright (C) 2015-2016
|
|
|
|
# Leandro Toledo de Souza <devs@python-telegram-bot.org>
|
2015-08-11 21:58:17 +02:00
|
|
|
#
|
|
|
|
# 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/].
|
2016-01-13 17:09:35 +01:00
|
|
|
"""Base class for Telegram Objects."""
|
2015-07-17 16:53:54 +02:00
|
|
|
|
2015-07-20 04:06:04 +02:00
|
|
|
import json
|
2015-08-28 22:45:44 +02:00
|
|
|
from abc import ABCMeta
|
2015-07-17 16:53:54 +02:00
|
|
|
|
|
|
|
|
2015-07-20 04:06:04 +02:00
|
|
|
class TelegramObject(object):
|
2016-01-13 17:09:35 +01:00
|
|
|
"""Base class for most telegram objects."""
|
2015-07-17 16:53:54 +02:00
|
|
|
|
|
|
|
__metaclass__ = ABCMeta
|
|
|
|
|
|
|
|
def __str__(self):
|
2015-07-20 04:25:44 +02:00
|
|
|
return str(self.to_dict())
|
2015-07-17 16:53:54 +02:00
|
|
|
|
|
|
|
def __getitem__(self, item):
|
2015-07-20 04:06:04 +02:00
|
|
|
return self.__dict__[item]
|
2015-07-17 16:53:54 +02:00
|
|
|
|
|
|
|
@staticmethod
|
|
|
|
def de_json(data):
|
2015-08-28 17:19:30 +02:00
|
|
|
"""
|
|
|
|
Args:
|
|
|
|
data (str):
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
telegram.TelegramObject:
|
|
|
|
"""
|
2016-04-16 16:23:25 +02:00
|
|
|
if not data:
|
|
|
|
return None
|
|
|
|
|
|
|
|
data = data.copy()
|
|
|
|
|
|
|
|
return data
|
2015-07-17 16:53:54 +02:00
|
|
|
|
|
|
|
def to_json(self):
|
2015-08-28 17:19:30 +02:00
|
|
|
"""
|
|
|
|
Returns:
|
|
|
|
str:
|
|
|
|
"""
|
2015-07-20 04:25:44 +02:00
|
|
|
return json.dumps(self.to_dict())
|
2015-07-20 04:06:04 +02:00
|
|
|
|
2015-07-20 04:25:44 +02:00
|
|
|
def to_dict(self):
|
2015-08-28 17:19:30 +02:00
|
|
|
"""
|
|
|
|
Returns:
|
|
|
|
dict:
|
|
|
|
"""
|
2015-08-28 22:45:44 +02:00
|
|
|
data = dict()
|
|
|
|
|
2016-04-25 12:15:54 +02:00
|
|
|
for key in iter(self.__dict__):
|
|
|
|
value = self.__dict__[key]
|
2016-04-25 13:30:51 +02:00
|
|
|
if value is not None:
|
2015-08-28 22:45:44 +02:00
|
|
|
if hasattr(value, 'to_dict'):
|
|
|
|
data[key] = value.to_dict()
|
|
|
|
else:
|
|
|
|
data[key] = value
|
|
|
|
|
|
|
|
return data
|