forked from ask/python-github2
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathcore.py
More file actions
191 lines (144 loc) · 6.24 KB
/
core.py
File metadata and controls
191 lines (144 loc) · 6.24 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
from datetime import datetime
GITHUB_TIMEZONE = "-0700"
GITHUB_DATE_FORMAT = "%Y/%m/%d %H:%M:%S"
#2009-03-21T18:01:48-07:00
COMMIT_DATE_FORMAT = "%Y-%m-%dT%H:%M:%S"
def ghdate_to_datetime(github_date):
"""Convert Github date string to Python datetime
:param str github_date: date string to parse
"""
date_without_tz = " ".join(github_date.strip().split()[:2])
return datetime.strptime(date_without_tz, GITHUB_DATE_FORMAT)
def datetime_to_ghdate(datetime_):
"""Convert Python datetime to Github date string
:param str datetime_: datetime object to convert
"""
date_without_tz = datetime_.strftime(GITHUB_DATE_FORMAT)
return " ".join([date_without_tz, GITHUB_TIMEZONE])
def commitdate_to_datetime(commit_date):
"""Convert commit date string to Python datetime
:param str github_date: date string to parse
"""
date_without_tz = commit_date[:-6]
return datetime.strptime(date_without_tz, COMMIT_DATE_FORMAT)
def datetime_to_commitdate(datetime_):
"""Convert Python datetime to Github date string
:param str datetime_: datetime object to convert
"""
date_without_tz = datetime_.strftime(COMMIT_DATE_FORMAT)
return "".join([date_without_tz, GITHUB_TIMEZONE])
class GithubCommand(object):
def __init__(self, request):
self.request = request
def make_request(self, command, *args, **kwargs):
filter = kwargs.get("filter")
post_data = kwargs.get("post_data") or {}
method = kwargs.get("method", "GET")
if post_data or method.upper() == "POST":
response = self.request.post(self.domain, command, *args,
**post_data)
else:
response = self.request.get(self.domain, command, *args)
if filter:
return response[filter]
return response
def get_value(self, *args, **kwargs):
datatype = kwargs.pop("datatype", None)
value = self.make_request(*args, **kwargs)
if datatype:
# unicode keys are not accepted as kwargs by python, see:
#http://mail-archives.apache.org/mod_mbox/qpid-dev/200609.mbox/%[email protected]%3E
# So we make a local dict with the same keys but as strings:
return datatype(**dict((str(k), v) for (k, v) in value.items()))
return value
def get_values(self, *args, **kwargs):
datatype = kwargs.pop("datatype", None)
values = self.make_request(*args, **kwargs)
if datatype:
# Same as above, unicode keys will blow up in **args, so we need to
# create a new 'values' dict with string keys
return [datatype(**dict((str(k), v) for (k, v) in value.items()))
for value in values]
else:
return values
def doc_generator(docstring, attributes):
"""Utility function to augment BaseDataType docstring
:param str docstring: docstring to augment
:param dict attributes: attributes to add to docstring
"""
docstring = docstring or ""
def bullet(title, text):
return """.. py:attribute:: %s\n\n %s\n""" % (title, text)
b = "\n".join([bullet(attr_name, attr.help)
for attr_name, attr in list(attributes.items())])
return "\n\n".join([docstring, b])
class Attribute(object):
def __init__(self, help):
self.help = help
def to_python(self, value):
return value
from_python = to_python
class DateAttribute(Attribute):
format = "github"
converter_for_format = {
"github": {
"to": ghdate_to_datetime,
"from": datetime_to_ghdate,
},
"commit": {
"to": commitdate_to_datetime,
"from": datetime_to_commitdate,
},
}
def __init__(self, *args, **kwargs):
self.format = kwargs.pop("format", self.format)
super(DateAttribute, self).__init__(*args, **kwargs)
def to_python(self, value):
if value and not isinstance(value, datetime):
return self.converter_for_format[self.format]["to"](value)
return value
def from_python(self, value):
if value and isinstance(value, datetime):
return self.converter_for_format[self.format]["from"](value)
return value
class BaseDataType(type):
def __new__(cls, name, bases, attrs):
super_new = super(BaseDataType, cls).__new__
_meta = dict([(attr_name, attr_value)
for attr_name, attr_value in list(attrs.items())
if isinstance(attr_value, Attribute)])
attrs["_meta"] = _meta
attributes = list(_meta.keys())
attrs.update(dict([(attr_name, None)
for attr_name in attributes]))
def _contribute_method(name, func):
func.__name__ = name
attrs[name] = func
def constructor(self, **kwargs):
for attr_name, attr_value in list(kwargs.items()):
attr = self._meta.get(attr_name)
if attr:
setattr(self, attr_name, attr.to_python(attr_value))
else:
setattr(self, attr_name, attr_value)
_contribute_method("__init__", constructor)
def to_dict(self):
_meta = self._meta
dict_ = vars(self)
return dict([(attr_name, _meta[attr_name].from_python(attr_value))
for attr_name, attr_value in list(dict_.items())])
# I don't understand what this is trying to do.
# whatever it was meant to do is broken and is breaking the ability to call "vars" on instantiations, which is breaking all kindsa shit. -AS
#_contribute_method("__dict__", to_dict)
def iterate(self):
not_empty = lambda e: e[1] is not None # AS I *think* this is what was intended.
return iter(filter(not_empty, list(vars(self).items())))
_contribute_method("__iter__", iterate)
result_cls = super_new(cls, name, bases, attrs)
result_cls.__doc__ = doc_generator(result_cls.__doc__, _meta)
return result_cls
def contribute_method_to_cls(cls, name, func):
func.__name__ = name
return func
class BaseData(object, metaclass=BaseDataType):
pass