Skip to content

Commit 98448bb

Browse files
Refactorings & improvements (fluent interface for ClientResult) Release 2.3.3
1 parent 190e9dd commit 98448bb

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

61 files changed

+296
-313
lines changed

README.md

+12-22
Original file line numberDiff line numberDiff line change
@@ -189,7 +189,7 @@ Usage
189189
import adal
190190
from office365.graph_client import GraphClient
191191

192-
def acquire_token():
192+
def acquire_token_func():
193193
authority_url = 'https://login.microsoftonline.com/{tenant_id_or_name}'
194194
auth_ctx = adal.AuthenticationContext(authority_url)
195195
token = auth_ctx.acquire_token_with_client_credentials(
@@ -211,7 +211,7 @@ The example demonstrates how to send an email via [Microsoft Graph endpoint](htt
211211
```python
212212
from office365.graph_client import GraphClient
213213

214-
client = GraphClient(acquire_token)
214+
client = GraphClient(acquire_token_func)
215215

216216
message_json = {
217217
"Message": {
@@ -232,8 +232,7 @@ message_json = {
232232
}
233233

234234
login_name = "[email protected]"
235-
client.users[login_name].send_mail(message_json)
236-
client.execute_query()
235+
client.users[login_name].send_mail(message_json).execute_query()
237236
```
238237

239238

@@ -251,7 +250,7 @@ is used to obtain token
251250
```python
252251
import msal
253252

254-
def acquire_token():
253+
def acquire_token_func():
255254
"""
256255
Acquire token via MSAL
257256
"""
@@ -279,10 +278,8 @@ which corresponds to [`list available drives` endpoint](https://docs.microsoft.c
279278
from office365.graph_client import GraphClient
280279

281280
tenant_name = "contoso.onmicrosoft.com"
282-
client = GraphClient(acquire_token)
283-
drives = client.drives
284-
client.load(drives)
285-
client.execute_query()
281+
client = GraphClient(acquire_token_func)
282+
drives = client.drives.get().execute_query()
286283
for drive in drives:
287284
print("Drive url: {0}".format(drive.web_url))
288285
```
@@ -292,12 +289,9 @@ for drive in drives:
292289

293290
```python
294291
from office365.graph_client import GraphClient
295-
client = GraphClient(acquire_token)
292+
client = GraphClient(acquire_token_func)
296293
# retrieve drive properties
297-
drive = client.users["{user_id_or_principal_name}"].drive
298-
client.load(drive)
299-
client.execute_query()
300-
294+
drive = client.users["{user_id_or_principal_name}"].drive.get().execute_query()
301295
# download files from OneDrive into local folder
302296
with tempfile.TemporaryDirectory() as path:
303297
download_files(drive.root, path)
@@ -307,15 +301,12 @@ where
307301

308302
```python
309303
def download_files(remote_folder, local_path):
310-
drive_items = remote_folder.children
311-
client.load(drive_items)
312-
client.execute_query()
304+
drive_items = remote_folder.children.get().execute_query()
313305
for drive_item in drive_items:
314306
if not drive_item.file.is_server_object_null: # is file?
315307
# download file content
316308
with open(os.path.join(local_path, drive_item.name), 'wb') as local_file:
317-
drive_item.download(local_file)
318-
client.execute_query()
309+
drive_item.download(local_file).execute_query()
319310
```
320311

321312

@@ -339,9 +330,8 @@ which corresponds to [`Create team` endpoint](https://docs.microsoft.com/en-us/g
339330
```python
340331
from office365.graph_client import GraphClient
341332
tenant_name = "contoso.onmicrosoft.com"
342-
client = GraphClient(tenant_name, acquire_token)
343-
new_team = client.groups["{group_id}"].add_team()
344-
client.execute_query()
333+
client = GraphClient(tenant_name, acquire_token_func)
334+
new_team = client.groups["{group_id}"].add_team().execute_query_retry()
345335
```
346336

347337

examples/onedrive/export_files.py

+13-28
Original file line numberDiff line numberDiff line change
@@ -1,37 +1,22 @@
1+
# --------------------------------------------------------------------------
2+
# Example demonstrates how to export OneDrive files into local file system
3+
# --------------------------------------------------------------------------
4+
15
import os
26
import tempfile
37

48
from examples import acquire_token_client_credentials
59
from office365.graph_client import GraphClient
10+
from tests import test_user_principal_name
611

712

8-
def download_files(remote_folder, local_path):
9-
"""
10-
11-
:type remote_folder: office365.onedrive.driveItem.DriveItem
12-
:type local_path: str
13-
"""
14-
drive_items = remote_folder.children.get().execute_query()
15-
for drive_item in drive_items:
16-
if not drive_item.file.is_server_object_null: # is file?
17-
# download file content
18-
with open(os.path.join(local_path, drive_item.name), 'wb') as local_file:
19-
drive_item.download(local_file)
20-
client.execute_query()
21-
print("File '{0}' has been downloaded".format(local_file.name))
22-
23-
24-
# --------------------------------------------------------------------------
25-
# Example demonstrates how to export OneDrive files into local file system
26-
# --------------------------------------------------------------------------
27-
28-
# connect
2913
client = GraphClient(acquire_token_client_credentials)
14+
drive = client.users[test_user_principal_name].drive # get user's drive
15+
with tempfile.TemporaryDirectory() as local_path:
16+
drive_items = drive.root.children.get().execute_query()
17+
file_items = [item for item in drive_items if not item.file.is_server_object_null] # files only
18+
for drive_item in file_items:
19+
with open(os.path.join(local_path, drive_item.name), 'wb') as local_file:
20+
drive_item.download(local_file).execute_query() # download file content
21+
print("File '{0}' has been downloaded".format(local_file.name))
3022

31-
# load drive properties
32-
target_user_name = settings.get('first_account_name')
33-
drive = client.users[target_user_name].drive
34-
# download files from OneDrive
35-
with tempfile.TemporaryDirectory() as path:
36-
download_files(drive.root, path)
37-
print("Done")

examples/outlook/send_message.py

+2-3
Original file line numberDiff line numberDiff line change
@@ -20,6 +20,5 @@
2020
},
2121
"SaveToSentItems": "false"
2222
}
23-
24-
client.users[test_user_principal_name].send_mail(message_json)
25-
client.execute_query()
23+
target_user = client.users[test_user_principal_name]
24+
target_user.send_mail(message_json).execute_query()
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,19 @@
1+
from xml.etree import ElementTree
2+
from office365.sharepoint.client_context import ClientContext
3+
from office365.sharepoint.lists.list import List
4+
from tests import test_client_credentials, test_team_site_url
5+
6+
ctx = ClientContext(test_team_site_url).with_credentials(test_client_credentials)
7+
8+
9+
def is_custom_list(list_object):
10+
xml = ElementTree.fromstring(list_object.properties["SchemaXml"])
11+
scope_id = xml.attrib['ScopeId']
12+
return True
13+
14+
15+
lists = ctx.web.lists.select(["Title", "SchemaXml"]).top(10).get().execute_query()
16+
lists_to_delete = [l for l in lists if is_custom_list(l)]
17+
for list_obj in lists_to_delete: # type: List
18+
print(f"Deleting list .. {list_obj.title}")
19+
# list_obj.delete_object().execute_query()
Original file line numberDiff line numberDiff line change
@@ -1,15 +1,15 @@
1+
import json
2+
13
from office365.sharepoint.client_context import ClientContext
24
from office365.sharepoint.search.searchRequest import SearchRequest
35
from office365.sharepoint.search.searchService import SearchService
46
from tests import test_site_url, test_user_credentials
57

68
ctx = ClientContext(test_site_url).with_credentials(test_user_credentials)
7-
89
search = SearchService(ctx)
910
request = SearchRequest("IsDocument:1")
10-
result = search.post_query(request)
11-
ctx.execute_query()
12-
relevant_results = result.PrimaryQueryResult.RelevantResults
11+
result = search.post_query(request).execute_query()
12+
relevant_results = result.value.PrimaryQueryResult.RelevantResults
1313
for i in relevant_results['Table']['Rows']:
1414
cells = relevant_results['Table']['Rows'][i]['Cells']
15-
print(cells[6]['Value'])
15+
print(json.dumps(cells, sort_keys=True, indent=4))

office365/calendar/calendar.py

+2-1
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@
33
from office365.calendar.event_collection import EventCollection
44
from office365.calendar.schedule_information import ScheduleInformation
55
from office365.entity import Entity
6+
from office365.runtime.client_result import ClientResult
67
from office365.runtime.client_value_collection import ClientValueCollection
78
from office365.runtime.queries.service_operation_query import ServiceOperationQuery
89
from office365.runtime.resource_path import ResourcePath
@@ -32,7 +33,7 @@ def get_schedule(self, schedules, startTime=None, endTime=None, availabilityView
3233
"endTime": DateTimeTimeZone.parse(endTime),
3334
"availabilityViewInterval": availabilityViewInterval
3435
}
35-
result = ClientValueCollection(ScheduleInformation)
36+
result = ClientResult(self.context, ClientValueCollection(ScheduleInformation))
3637
qry = ServiceOperationQuery(self, "getSchedule", None, payload, None, result)
3738
self.context.add_query(qry)
3839
return result

office365/directory/application.py

+5-3
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
from office365.directory.directoryObject import DirectoryObject
22
from office365.directory.keyCredential import KeyCredential
33
from office365.directory.passwordCredential import PasswordCredential
4+
from office365.runtime.client_result import ClientResult
45
from office365.runtime.client_value_collection import ClientValueCollection
56
from office365.runtime.queries.service_operation_query import ServiceOperationQuery
67

@@ -18,10 +19,11 @@ def add_password(self, display_name):
1819
"""Adds a strong password to an application.
1920
:param str display_name: App display name
2021
"""
21-
return_type = PasswordCredential(displayName=display_name)
22-
qry = ServiceOperationQuery(self, "addPassword", None, return_type, None, return_type)
22+
params = PasswordCredential(displayName=display_name)
23+
result = ClientResult(self.context, params)
24+
qry = ServiceOperationQuery(self, "addPassword", None, params, None, result)
2325
self.context.add_query(qry)
24-
return return_type
26+
return result
2527

2628
def remove_password(self, keyId):
2729
"""Remove a password from an application."""

office365/directory/user.py

+3-2
Original file line numberDiff line numberDiff line change
@@ -14,6 +14,7 @@
1414
from office365.calendar.event_collection import EventCollection
1515
from office365.mail.message_collection import MessageCollection
1616
from office365.onedrive.siteCollection import SiteCollection
17+
from office365.runtime.client_result import ClientResult
1718
from office365.runtime.client_value_collection import ClientValueCollection
1819
from office365.runtime.http.http_method import HttpMethod
1920
from office365.runtime.queries.service_operation_query import ServiceOperationQuery
@@ -85,7 +86,7 @@ def find_meeting_times(self):
8586
that the suggested results may differ over time.
8687
8788
"""
88-
result = MeetingTimeSuggestionsResult()
89+
result = ClientResult(self.context, MeetingTimeSuggestionsResult())
8990
qry = ServiceOperationQuery(self, "findMeetingTimes", None, None, None, result)
9091
self.context.add_query(qry)
9192
return result
@@ -120,7 +121,7 @@ def get_reminder_view(self, start_dt, end_dt):
120121
:param datetime.datetime start_dt: The start date and time of the event for which the reminder is set up.
121122
The value is represented in ISO 8601 format, for example, "2015-11-08T19:00:00.0000000".
122123
"""
123-
result = ClientValueCollection(Reminder)
124+
result = ClientResult(self.context, ClientValueCollection(Reminder))
124125
params = {
125126
"startDateTime": start_dt.isoformat(),
126127
"endDateTime": end_dt.isoformat(),

office365/entity.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -41,5 +41,5 @@ def id(self):
4141
def set_property(self, name, value, persist_changes=True):
4242
super(Entity, self).set_property(name, value, persist_changes)
4343
if name == "id" and self._resource_path is None:
44-
self._resource_path = ResourcePath(value,self._parent_collection.resource_path)
44+
self._resource_path = ResourcePath(value, self._parent_collection.resource_path)
4545
return self

office365/graph_client.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -123,7 +123,7 @@ def shares(self):
123123
return SharedDriveItemCollection(self, ResourcePath("shares"))
124124

125125
@property
126-
def directoryObjects(self):
126+
def directory_objects(self):
127127
"""Get Directory Objects"""
128128
return DirectoryObjectCollection(self, ResourcePath("directoryObjects"))
129129

office365/mail/bodyType.py

+6
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,6 @@
1+
class BodyType:
2+
def __init__(self):
3+
pass
4+
5+
html = "html"
6+
text = "text"

office365/mail/importance.py

+7
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,7 @@
1+
class Importance:
2+
def __init__(self):
3+
pass
4+
5+
low = "low"
6+
normal = "normal"
7+
high = "high"

office365/mail/message_collection.py

+8-5
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,6 @@
11
from office365.entity_collection import EntityCollection
2+
from office365.mail.bodyType import BodyType
3+
from office365.mail.importance import Importance
24
from office365.mail.itemBody import ItemBody
35
from office365.mail.message import Message
46
from office365.mail.recipient import RecipientCollection
@@ -10,21 +12,22 @@ class MessageCollection(EntityCollection):
1012
def __init__(self, context, resource_path=None):
1113
super(MessageCollection, self).__init__(context, Message, resource_path)
1214

13-
def add(self, subject, content_html, to_emails):
15+
def add(self, subject, content_html, to_recipient_emails, importance=Importance.low):
1416
"""
1517
Use this API to create a draft of a new message. Drafts can be created in any folder
1618
and optionally updated before sending. To save to the Drafts folder, use the /messages shortcut.
19+
:param int importance:
1720
:param str subject:
1821
:param str content_html:
19-
:param list[str] to_emails:
22+
:param list[str] to_recipient_emails:
2023
:rtype: Message
2124
"""
2225

2326
payload = {
2427
"subject": subject,
25-
"importance": "Low",
26-
"body": ItemBody(content_html, "HTML"),
27-
"toRecipients": RecipientCollection.from_emails(to_emails),
28+
"importance": importance,
29+
"body": ItemBody(content_html, BodyType.html),
30+
"toRecipients": RecipientCollection.from_emails(to_recipient_emails),
2831
}
2932
return self.add_from_json(payload)
3033

office365/onedrive/driveItem.py

+11-12
Original file line numberDiff line numberDiff line change
@@ -23,27 +23,27 @@ class DriveItem(BaseItem):
2323
"""The driveItem resource represents a file, folder, or other item stored in a drive. All file system objects in
2424
OneDrive and SharePoint are returned as driveItem resources """
2525

26-
def create_link(self, type_, scope="", expirationDateTime=None, password=None, message=""):
26+
def create_link(self, link_type, scope="", expiration_datetime=None, password=None, message=""):
2727
"""
2828
The createLink action will create a new sharing link if the specified link type doesn't already exist
2929
for the calling application. If a sharing link of the specified type already exists for the app,
3030
the existing sharing link will be returned.
3131
32-
:param str type_: The type of sharing link to create. Either view, edit, or embed.
32+
:param str link_type: The type of sharing link to create. Either view, edit, or embed.
3333
:param str scope: The scope of link to create. Either anonymous or organization.
34-
:param str expirationDateTime: A String with format of yyyy-MM-ddTHH:mm:ssZ of DateTime indicates the expiration
34+
:param str expiration_datetime: A String with format of yyyy-MM-ddTHH:mm:ssZ of DateTime indicates the expiration
3535
time of the permission.
3636
:param str password: The password of the sharing link that is set by the creator. Optional
3737
and OneDrive Personal only.
3838
:param str message:
3939
"""
4040
payload = {
41-
"type": type_,
41+
"type": link_type,
4242
"scope": scope,
43-
"message": message
43+
"message": message,
44+
"expirationDateTime": expiration_datetime,
45+
"password": password
4446
}
45-
payload = {k: v for k, v in payload.items() if v is not None}
46-
4747
permission = Permission(self.context)
4848
self.permissions.add_child(permission)
4949
qry = ServiceOperationQuery(self, "createLink", None, payload, None, permission)
@@ -165,6 +165,7 @@ def download(self, file_object):
165165
def _content_downloaded(resp):
166166
file_object.write(result.value)
167167
self.context.after_execute(_content_downloaded)
168+
return self
168169

169170
def create_folder(self, name):
170171
"""Create a new folder or DriveItem in a Drive with a specified parent item or path.
@@ -337,9 +338,7 @@ def set_property(self, name, value, persist_changes=True):
337338
super(DriveItem, self).set_property(name, value, persist_changes)
338339
if name == "id" and self._resource_path.parent.segment == "children":
339340
self._resource_path = ResourcePath(
340-
value,
341-
ResourcePath("items", self._parent_collection.resource_path.parent.parent))
342-
# elif name == "id" and self._resource_path.parent.segment == "root":
343-
# self._resource_path = ResourcePath(value,
344-
# ResourcePath("items", self._resource_path.parent.parent))
341+
value, ResourcePath("items", self._parent_collection.resource_path.parent.parent))
342+
elif name == "id" and self._resource_path.parent.segment == "root":
343+
self._resource_path = ResourcePath(value, ResourcePath("items", self._resource_path.parent.parent))
345344
return self

0 commit comments

Comments
 (0)