-
-
Notifications
You must be signed in to change notification settings - Fork 251
/
Copy pathtest_account.py
442 lines (411 loc) · 19.1 KB
/
test_account.py
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
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
import pickle
from collections import namedtuple
from unittest.mock import patch
from exchangelib.account import Account
from exchangelib.attachments import FileAttachment
from exchangelib.configuration import Configuration
from exchangelib.credentials import DELEGATE, Credentials
from exchangelib.errors import (
ErrorAccessDenied,
ErrorDelegateNoUser,
ErrorFolderNotFound,
ErrorInboxRulesValidationError,
ErrorInvalidUserSid,
ErrorNotDelegate,
UnauthorizedError,
UnknownTimeZone,
)
from exchangelib.ewsdatetime import UTC
from exchangelib.folders import Calendar
from exchangelib.items import Message
from exchangelib.properties import (
Actions,
Address,
Conditions,
DelegatePermissions,
DelegateUser,
Exceptions,
MailTips,
MoveToFolder,
OutOfOffice,
RecipientAddress,
Rule,
SendingAs,
UserId,
)
from exchangelib.protocol import FaultTolerance, Protocol
from exchangelib.services import GetDelegate, GetMailTips
from exchangelib.version import EXCHANGE_2007_SP1, Version
from .common import EWSTest, get_random_choice, get_random_email, get_random_int, get_random_string
class AccountTest(EWSTest):
"""Test features of the Account object."""
def test_magic(self):
self.account.fullname = "John Doe"
self.assertIn(self.account.primary_smtp_address, str(self.account))
self.assertIn(self.account.fullname, str(self.account))
def test_validation(self):
with self.assertRaises(ValueError) as e:
# Must have valid email address
Account(primary_smtp_address="blah")
self.assertEqual(str(e.exception), "primary_smtp_address 'blah' is not an email address")
with self.assertRaises(AttributeError) as e:
# Non-autodiscover requires a config
Account(primary_smtp_address="[email protected]", autodiscover=False)
self.assertEqual(str(e.exception), "non-autodiscover requires a config")
with self.assertRaises(ValueError) as e:
Account(primary_smtp_address="[email protected]", access_type=123)
self.assertEqual(str(e.exception), "'access_type' 123 must be one of ['delegate', 'impersonation']")
with self.assertRaises(TypeError) as e:
# locale must be a string
Account(primary_smtp_address="[email protected]", locale=123)
self.assertEqual(str(e.exception), "'locale' 123 must be of type <class 'str'>")
with self.assertRaises(TypeError) as e:
# default timezone must be an EWSTimeZone
Account(primary_smtp_address="[email protected]", default_timezone=123)
self.assertEqual(
str(e.exception), "'default_timezone' 123 must be of type <class 'exchangelib.ewsdatetime.EWSTimeZone'>"
)
with self.assertRaises(TypeError) as e:
# config must be a Configuration
Account(primary_smtp_address="[email protected]", config=123)
self.assertEqual(
str(e.exception), "'config' 123 must be of type <class 'exchangelib.configuration.Configuration'>"
)
@patch("locale.getlocale", side_effect=ValueError())
def test_getlocale_failure(self, m):
a = Account(
primary_smtp_address=self.account.primary_smtp_address,
access_type=DELEGATE,
config=Configuration(
service_endpoint=self.account.protocol.service_endpoint,
credentials=Credentials("[email protected]", "WRONG_PASSWORD"),
version=self.account.version,
retry_policy=self.retry_policy,
),
autodiscover=False,
)
self.assertEqual(a.locale, None)
@patch("tzlocal.get_localzone", side_effect=UnknownTimeZone(""))
def test_tzlocal_failure(self, m):
a = Account(
primary_smtp_address=self.account.primary_smtp_address,
access_type=DELEGATE,
config=Configuration(
service_endpoint=self.account.protocol.service_endpoint,
credentials=Credentials("[email protected]", "WRONG_PASSWORD"),
version=self.account.version,
retry_policy=self.retry_policy,
),
autodiscover=False,
)
self.assertEqual(a.default_timezone, UTC)
def test_get_default_folder(self):
# Test a normal folder lookup with GetFolder
folder = self.account.root.get_default_folder(Calendar)
self.assertIsInstance(folder, Calendar)
self.assertNotEqual(folder.id, None)
self.assertEqual(folder.to_id().id, Calendar.DISTINGUISHED_FOLDER_ID)
self.assertEqual(folder.name.lower(), Calendar.localized_names(self.account.locale)[0])
class MockCalendar1(Calendar):
@classmethod
def get_distinguished(cls, root):
raise ErrorAccessDenied("foo")
# Test an indirect folder lookup with FindItem, when we're not allowed to do a GetFolder. We don't get the
# folder element back from the server, just test for existence indirectly be asking for items in the folder.
# Therefore, we don't expect ID or name values.
folder = self.account.root.get_default_folder(MockCalendar1)
self.assertIsInstance(folder, MockCalendar1)
self.assertEqual(folder.id, None)
self.assertEqual(folder.to_id().id, Calendar.DISTINGUISHED_FOLDER_ID)
self.assertEqual(folder.name, None)
class MockCalendar2(Calendar):
@classmethod
def get_distinguished(cls, root):
raise ErrorFolderNotFound("foo")
# Test using the one folder of this folder type
with self.assertRaises(ErrorFolderNotFound):
# This fails because there are no folders of type MockCalendar
self.account.root.get_default_folder(MockCalendar2)
_orig = Calendar.get_distinguished
try:
Calendar.get_distinguished = MockCalendar2.get_distinguished
folder = self.account.root.get_default_folder(Calendar)
self.assertIsInstance(folder, Calendar)
self.assertNotEqual(folder.id, None)
self.assertEqual(folder.name.lower(), MockCalendar2.localized_names(self.account.locale)[0])
finally:
Calendar.get_distinguished = _orig
def test_pickle(self):
# Test that we can pickle various objects
item = Message(folder=self.account.inbox, subject="XXX", categories=self.categories).save()
attachment = FileAttachment(name="pickle_me.txt", content=b"")
for o in (
FaultTolerance(max_wait=3600),
self.account.protocol,
attachment,
self.account.root,
self.account.inbox,
self.account,
item,
):
with self.subTest(o=o):
pickled_o = pickle.dumps(o)
unpickled_o = pickle.loads(pickled_o)
self.assertIsInstance(unpickled_o, type(o))
if not isinstance(o, (Account, Protocol, FaultTolerance)):
# __eq__ is not defined on some classes
self.assertEqual(o, unpickled_o)
def test_mail_tips(self):
# Test that mail tips work
self.assertEqual(self.account.mail_tips.recipient_address.email_address, self.account.primary_smtp_address)
# recipients may be empty
self.assertEqual(
list(
GetMailTips(protocol=self.account.protocol).call(
sending_as=SendingAs(email_address=self.account.primary_smtp_address),
recipients=[],
mail_tips_requested="All",
)
),
[],
)
xml = b"""\
<?xml version="1.0" encoding="utf-8"?>
<s:Envelope xmlns:s="http://schemas.xmlsoap.org/soap/envelope/">
<s:Body>
<m:GetMailTipsResponse ResponseClass="Success"
xmlns:t="http://schemas.microsoft.com/exchange/services/2006/types"
xmlns:m="http://schemas.microsoft.com/exchange/services/2006/messages">
<m:ResponseCode>NoError</m:ResponseCode>
<m:ResponseMessages>
<m:MailTipsResponseMessageType ResponseClass="Success">
<m:ResponseCode>NoError</m:ResponseCode>
<m:MailTips>
<t:RecipientAddress>
<t:EmailAddress>[email protected]</t:EmailAddress>
<t:RoutingType>SMTP</t:RoutingType>
</t:RecipientAddress>
<t:OutOfOffice>
<t:ReplyBody>
<t:Message/>
</t:ReplyBody>
</t:OutOfOffice>
<t:CustomMailTip>Hello World Mailtips</t:CustomMailTip>
</m:MailTips>
</m:MailTipsResponseMessageType>
</m:ResponseMessages>
</m:GetMailTipsResponse>
</s:Body>
</s:Envelope>"""
self.assertEqual(
list(GetMailTips(protocol=None).parse(xml)),
[
MailTips(
recipient_address=RecipientAddress(email_address="[email protected]"),
out_of_office=OutOfOffice(),
custom_mail_tip="Hello World Mailtips",
)
],
)
def test_delegate(self):
# The test server does not have any delegate info. Test that account.delegates works, and mock to test parsing
# of a non-empty response.
self.assertGreaterEqual(len(self.account.delegates), 0)
with self.assertRaises(ErrorInvalidUserSid):
list(GetDelegate(account=self.account).call(user_ids=[UserId(sid="XXX")], include_permissions=True))
with self.assertRaises(ErrorDelegateNoUser):
list(GetDelegate(account=self.account).call(user_ids=["[email protected]"], include_permissions=True))
with self.assertRaises(ErrorNotDelegate):
list(
GetDelegate(account=self.account).call(
user_ids=[self.account.primary_smtp_address], include_permissions=True
)
)
xml = b"""\
<?xml version="1.0" encoding="utf-8"?>
<s:Envelope xmlns:s="http://schemas.xmlsoap.org/soap/envelope/">
<s:Body>
<m:GetDelegateResponse ResponseClass="Success"
xmlns:t="http://schemas.microsoft.com/exchange/services/2006/types"
xmlns:m="http://schemas.microsoft.com/exchange/services/2006/messages">
<m:ResponseCode>NoError</m:ResponseCode>
<m:ResponseMessages>
<m:DelegateUserResponseMessageType ResponseClass="Success">
<m:ResponseCode>NoError</m:ResponseCode>
<m:DelegateUser>
<t:UserId>
<t:SID>SOME_SID</t:SID>
<t:PrimarySmtpAddress>[email protected]</t:PrimarySmtpAddress>
<t:DisplayName>Foo Bar</t:DisplayName>
</t:UserId>
<t:DelegatePermissions>
<t:CalendarFolderPermissionLevel>Author</t:CalendarFolderPermissionLevel>
<t:InboxFolderPermissionLevel>Reviewer</t:ContactsFolderPermissionLevel>
</t:DelegatePermissions>
<t:ReceiveCopiesOfMeetingMessages>false</t:ReceiveCopiesOfMeetingMessages>
<t:ViewPrivateItems>true</t:ViewPrivateItems>
</m:DelegateUser>
</m:DelegateUserResponseMessageType>
</m:ResponseMessages>
<m:DeliverMeetingRequests>DelegatesAndMe</m:DeliverMeetingRequests>
</m:GetDelegateResponse>
</s:Body>
</s:Envelope>"""
MockTZ = namedtuple("EWSTimeZone", ["ms_id"])
MockAccount = namedtuple("Account", ["access_type", "primary_smtp_address", "default_timezone", "protocol"])
MockProtocol = namedtuple("Protocol", ["version"])
p = MockProtocol(version=Version(build=EXCHANGE_2007_SP1))
a = MockAccount(DELEGATE, "[email protected]", MockTZ("XXX"), protocol=p)
ws = GetDelegate(account=a)
delegates = list(ws.parse(xml))
self.assertListEqual(
delegates,
[
DelegateUser(
user_id=UserId(sid="SOME_SID", primary_smtp_address="[email protected]", display_name="Foo Bar"),
delegate_permissions=DelegatePermissions(
calendar_folder_permission_level="Author",
inbox_folder_permission_level="Reviewer",
contacts_folder_permission_level="None",
notes_folder_permission_level="None",
journal_folder_permission_level="None",
tasks_folder_permission_level="None",
),
receive_copies_of_meeting_messages=False,
view_private_items=True,
)
],
)
def test_login_failure_and_credentials_update(self):
# Create an account that does not need to create any connections
account = Account(
primary_smtp_address=self.account.primary_smtp_address,
access_type=DELEGATE,
config=Configuration(
service_endpoint=self.account.protocol.service_endpoint,
credentials=Credentials("[email protected]", "WRONG_PASSWORD"),
version=self.account.version,
retry_policy=self.retry_policy,
),
autodiscover=False,
locale="da_DK",
)
# Should fail when credentials are wrong, but UnauthorizedError is caught and retried. Mock the needed methods
class Mock1(FaultTolerance):
def raise_response_errors(self, response):
if response.status_code == 401:
raise UnauthorizedError(f"Invalid credentials for {response.url}")
return super().raise_response_errors(response)
try:
account.protocol.config.retry_policy = Mock1()
with self.assertRaises(UnauthorizedError):
account.root.refresh()
finally:
account.protocol.config.retry_policy = self.retry_policy
# Cannot update from Configuration object
with self.assertRaises(AttributeError):
account.protocol.config.credentials = self.account.protocol.credentials
# Should succeed after credentials update
account.protocol.config.auth_type = self.account.protocol.config.auth_type
account.protocol.credentials = self.account.protocol.credentials
account.root.refresh()
def test_protocol_default_values(self):
# Test that retry_policy and auth_type always get a value regardless of how we create an Account. autodiscover
# args are tested in AutodiscoverTest.
a = Account(
self.account.primary_smtp_address,
autodiscover=False,
config=Configuration(
server=self.settings["server"],
credentials=self.account.protocol.credentials,
),
)
self.assertIsNotNone(a.protocol.auth_type)
self.assertIsNotNone(a.protocol.retry_policy)
def test_basic_inbox_rule(self):
# Create rule
display_name = get_random_string(16)
rule = Rule(
account=self.account,
display_name=display_name,
priority=1,
is_enabled=True,
conditions=Conditions(contains_sender_strings=[get_random_string(8)]),
exceptions=Exceptions(),
actions=Actions(delete=True),
)
self.assertIsNone(rule.id)
rule.save()
self.assertIsNotNone(rule.id)
self.assertIn(display_name, {r.display_name for r in self.account.rules})
# Update rule
rule.display_name = get_random_string(16)
rule.save()
self.assertIn(rule.display_name, {r.display_name for r in self.account.rules})
self.assertNotIn(display_name, {r.display_name for r in self.account.rules})
# Delete rule
rule.delete()
self.assertNotIn(rule.display_name, {r.display_name for r in self.account.rules})
def test_disabled_inbox_rule(self):
# Make sure we can delete a disabled rule
rule = Rule(
account=self.account,
display_name=get_random_string(16),
priority=10**6,
is_enabled=False,
actions=Actions(stop_processing_rules=True),
)
rule.save()
rule.actions = Actions(forward_to_recipients=[[Address()]]) # Test with an invalid action
rule.delete()
def test_all_inbox_rule_actions(self):
for action_name, action in {
"assign_categories": ["foo", "bar"],
"copy_to_folder": self.account.trash,
"delete": True, # Cannot be random. False would be a no-op action
"forward_as_attachment_to_recipients": [Address(email_address=get_random_email())],
"mark_importance": get_random_choice(
Actions.mark_importance.supported_choices(version=self.account.version)
),
"mark_as_read": True, # Cannot be random. False would be a no-op action
"move_to_folder": MoveToFolder(distinguished_folder_id=self.account.trash.to_id()),
"permanent_delete": True, # Cannot be random. False would be a no-op action
"redirect_to_recipients": [Address(email_address=get_random_email())],
"stop_processing_rules": True, # Cannot be random. False would be a no-op action
}.items():
with self.subTest(action_name=action_name, action=action):
rule = Rule(
account=self.account,
display_name=get_random_string(16),
priority=get_random_int(),
actions=Actions(**{action_name: action}),
).save()
rule.delete()
# TODO: Throws "UnsupportedRule: The operation on this unsupported rule is not allowed."
with self.assertRaises(ErrorInboxRulesValidationError) as e:
Rule(
account=self.account,
display_name=get_random_string(16),
priority=get_random_int(),
actions=Actions(send_sms_alert_to_recipients=[Address(email_address=get_random_email())]),
).save()
self.assertEqual(
e.exception.args[0],
"A validation error occurred while executing the rule operation. (UnsupportedRule on field "
"Action:SendSMSAlertToRecipients: The operation on this unsupported rule is not allowed.)",
)
# TODO: throws "InvalidValue: Id must be non-empty." even though we follow MSDN docs
with self.assertRaises(ErrorInboxRulesValidationError) as e:
Rule(
account=self.account,
display_name=get_random_string(16),
priority=get_random_int(),
actions=Actions(
server_reply_with_message=Message(folder=self.account.inbox, subject="Foo").save().to_id()
),
).save()
self.assertEqual(
e.exception.args[0],
"A validation error occurred while executing the rule operation. (InvalidValue on field "
"Action:ServerReplyWithMessage: Id must be non-empty.)",
)