Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
Show all changes
23 commits
Select commit Hold shift + click to select a range
6b85ea6
Added CountUpDownLatch to utilities
akharit Aug 17, 2018
15afe03
Added first commit of multiprocessor acl change code
akharit Aug 17, 2018
e777327
Added recursive support parameter to core methods
akharit Aug 17, 2018
3e15a85
Preliminary logging support
akharit Aug 20, 2018
fc6c595
Merge branch 'master' into akharit-multProcRecAcl
akharit Oct 4, 2018
9550e36
Merge branch 'master' into akharit-multProcRecAcl
akharit Oct 4, 2018
4a4721d
Remove root directory during cleanup
akharit Oct 10, 2018
d0910d3
Basic Acl tests
akharit Oct 10, 2018
b2a85c1
Make sure that multiple processes are joining
akharit Oct 10, 2018
8780fe7
Fixed logging as well as improved failure modes
akharit Oct 11, 2018
a9aa75f
Added tests for recursive acl functions
akharit Oct 11, 2018
d080116
Added minimum condition on cpu count
akharit Oct 11, 2018
d6ed19c
Removed cleanup
akharit Oct 11, 2018
83a74d8
Python 2 compatibility
akharit Oct 11, 2018
c06fe6a
Merge branch 'dev' into akharit-multProcRecAcl
akharit Oct 12, 2018
e9d2924
Removed logging methods
akharit Oct 12, 2018
39ab906
Revert "Removed logging methods"
akharit Oct 12, 2018
aee853b
Merge branch 'dev' into akharit-multProcRecAcl
akharit Oct 17, 2018
aa375f3
Fix issue where process is hung due to uncaught exception
akharit Oct 18, 2018
a6a2a8b
Added functionality for specifying number of sub processes
akharit Oct 18, 2018
f46c307
Added extra thread for monitoring and throwing exceptions from child …
akharit Oct 18, 2018
96cfdb7
Merge from master
akharit Nov 6, 2018
cda72f8
Merge branch 'dev' into akharit-multProcRecAcl
akharit Nov 6, 2018
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
38 changes: 25 additions & 13 deletions azure/datalake/store/core.py
Original file line number Diff line number Diff line change
Expand Up @@ -18,7 +18,6 @@
import io
import logging
import sys
import time
import uuid
import json

Expand All @@ -30,6 +29,7 @@
from .utils import ensure_writable, read_block
from .enums import ExpiryOptionType
from .retry import ExponentialRetryPolicy
from .multiprocessor import multi_processor_change_acl

if sys.version_info >= (3, 4):
import pathlib
Expand Down Expand Up @@ -329,11 +329,11 @@ def _acl_call(self, action, path, acl_spec=None, invalidate_cache=False):

return to_return

def set_acl(self, path, acl_spec):
def set_acl(self, path, acl_spec, recursive=False, number_of_sub_process=None):
"""
Sets the Access Control List (ACL) for a file or folder.

Note: this is not recursive, and applies only to the file or folder specified.
Note: this is by default not recursive, and applies only to the file or folder specified.

Parameters
----------
Expand All @@ -342,18 +342,21 @@ def set_acl(self, path, acl_spec):
acl_spec: str
The ACL specification to set on the path in the format
'[default:]user|group|other:[entity id or UPN]:r|-w|-x|-,[default:]user|group|other:[entity id or UPN]:r|-w|-x|-,...'
recursive: bool
Specifies whether to set ACLs recursively or not
"""
if recursive:
multi_processor_change_acl(adl=self, path=path, method_name="set_acl", acl_spec=acl_spec, number_of_sub_process=number_of_sub_process)
else:
self._acl_call('SETACL', path, acl_spec, invalidate_cache=True)

self._acl_call('SETACL', path, acl_spec, invalidate_cache=True)


def modify_acl_entries(self, path, acl_spec):
def modify_acl_entries(self, path, acl_spec, recursive=False, number_of_sub_process=None):
"""
Modifies existing Access Control List (ACL) entries on a file or folder.
If the entry does not exist it is added, otherwise it is updated based on the spec passed in.
No entries are removed by this process (unlike set_acl).

Note: this is not recursive, and applies only to the file or folder specified.
Note: this is by default not recursive, and applies only to the file or folder specified.

Parameters
----------
Expand All @@ -362,18 +365,22 @@ def modify_acl_entries(self, path, acl_spec):
acl_spec: str
The ACL specification to use in modifying the ACL at the path in the format
'[default:]user|group|other:[entity id or UPN]:r|-w|-x|-,[default:]user|group|other:[entity id or UPN]:r|-w|-x|-,...'
recursive: bool
Specifies whether to modify ACLs recursively or not
"""
self._acl_call('MODIFYACLENTRIES', path, acl_spec, invalidate_cache=True)

if recursive:
multi_processor_change_acl(adl=self, path=path, method_name="mod_acl", acl_spec=acl_spec, number_of_sub_process=number_of_sub_process)
else:
self._acl_call('MODIFYACLENTRIES', path, acl_spec, invalidate_cache=True)

def remove_acl_entries(self, path, acl_spec):
def remove_acl_entries(self, path, acl_spec, recursive=False, number_of_sub_process=None):
"""
Removes existing, named, Access Control List (ACL) entries on a file or folder.
If the entry does not exist already it is ignored.
Default entries cannot be removed this way, please use remove_default_acl for that.
Unnamed entries cannot be removed in this way, please use remove_acl for that.

Note: this is not recursive, and applies only to the file or folder specified.
Note: this is by default not recursive, and applies only to the file or folder specified.

Parameters
----------
Expand All @@ -382,8 +389,13 @@ def remove_acl_entries(self, path, acl_spec):
acl_spec: str
The ACL specification to remove from the ACL at the path in the format (note that the permission portion is missing)
'[default:]user|group|other:[entity id or UPN],[default:]user|group|other:[entity id or UPN],...'
recursive: bool
Specifies whether to remove ACLs recursively or not
"""
self._acl_call('REMOVEACLENTRIES', path, acl_spec, invalidate_cache=True)
if recursive:
multi_processor_change_acl(adl=self, path=path, method_name="rem_acl", acl_spec=acl_spec, number_of_sub_process=number_of_sub_process)
else:
self._acl_call('REMOVEACLENTRIES', path, acl_spec, invalidate_cache=True)


def get_acl_status(self, path):
Expand Down
197 changes: 197 additions & 0 deletions azure/datalake/store/multiprocessor.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,197 @@
from concurrent.futures import ThreadPoolExecutor
from .utils import CountUpDownLatch
import threading
import logging
import multiprocessing
import os
import logging.handlers
from .exceptions import FileNotFoundError


try:
from queue import Empty # Python 3
except ImportError:
from Queue import Empty # Python 2
end_queue_sentinel = [None, None]

exception = None
exception_lock = threading.Lock()


threading
def monitor_exception(exception_queue, process_ids):
global exception
logger = logging.getLogger(__name__)
logger.setLevel(logging.DEBUG)

while True:
try:
excep = exception_queue.get(timeout=0.1)
if excep == end_queue_sentinel:
break
logger.log(logging.DEBUG, "Setting global exception")
exception_lock.acquire()
exception = excep
exception_lock.release()
logger.log(logging.DEBUG, "Closing processes")
for p in process_ids:
p.terminate()
logger.log(logging.DEBUG, "Joining processes")
for p in process_ids:
p.join()
import thread
logger.log(logging.DEBUG, "Interrupting main")
raise Exception(excep)
except Empty:
pass


def log_listener_process(queue):
while True:
try:
record = queue.get(timeout=0.1)
queue.task_done()
if record == end_queue_sentinel: # We send this as a sentinel to tell the listener to quit.
break
logger = logging.getLogger(record.name)
logger.handlers.clear()
logger.handle(record) # No level or filter logic applied - just do it!
except Empty: # Try again
pass
except Exception as e:
import sys, traceback
print('Problems in logging')
traceback.print_exc(file=sys.stderr)


def multi_processor_change_acl(adl, path=None, method_name="", acl_spec="", number_of_sub_process=None):
log_queue = multiprocessing.JoinableQueue()
exception_queue = multiprocessing.Queue()
logger = logging.getLogger(__name__)
logger.setLevel(logging.DEBUG)
queue_bucket_size = 10
worker_thread_num_per_process = 50

def launch_processes(number_of_processes):
process_list = []
for i in range(number_of_processes):
process_list.append(multiprocessing.Process(target=processor,
args=(adl, file_path_queue, finish_queue_processing_flag,
method_name, acl_spec, log_queue, exception_queue)))
process_list[-1].start()
return process_list

def walk(walk_path):
try:
paths = []
all_files = adl._ls(path=walk_path)

for files in all_files:
if files['type'] == 'DIRECTORY':
dir_processed_counter.increment() # A new directory to process
walk_thread_pool.submit(walk, files['name'])
paths.append(files['name'])
if len(paths) == queue_bucket_size:
file_path_queue.put(list(paths))
paths = []
if paths != []:
file_path_queue.put(list(paths)) # For leftover paths < bucket_size
except FileNotFoundError:
pass # Continue in case the file was deleted in between
except:
import traceback
logger.exception("Failed to walk for path: " + str(walk_path) + ". Exiting!")
exception_queue.put(traceback.format_exc())
finally:
dir_processed_counter.decrement() # Processing complete for this directory

finish_queue_processing_flag = multiprocessing.Event()
file_path_queue = multiprocessing.JoinableQueue()
if number_of_sub_process == None:
number_of_sub_process = max(2, multiprocessing.cpu_count()-1)

child_processes = launch_processes(number_of_sub_process)
exception_monitor_thread = threading.Thread(target=monitor_exception, args=(exception_queue, child_processes))
exception_monitor_thread.start()
log_listener = threading.Thread(target=log_listener_process, args=(log_queue,))
log_listener.start()

dir_processed_counter = CountUpDownLatch()
walk_thread_pool = ThreadPoolExecutor(max_workers=worker_thread_num_per_process)

file_path_queue.put([path]) # Root directory needs to be passed
dir_processed_counter.increment()
walk(path) # Start processing root directory

if dir_processed_counter.is_zero(): # Done processing all directories. Blocking call.
walk_thread_pool.shutdown()
file_path_queue.close() # No new elements to add
file_path_queue.join() # Wait for operations to be done
logger.log(logging.DEBUG, "file path queue closed")
finish_queue_processing_flag.set() # Set flag to break loop of child processes
for child in child_processes: # Wait for all child process to finish
logger.log(logging.DEBUG, "Joining process: "+str(child.pid))
child.join()

# Cleanup
logger.log(logging.DEBUG, "Sending exception sentinel")
exception_queue.put(end_queue_sentinel)
exception_monitor_thread.join()
logger.log(logging.DEBUG, "Exception monitor thread finished")
logger.log(logging.DEBUG, "Sending logger sentinel")
log_queue.put(end_queue_sentinel)
log_queue.join()
log_queue.close()
logger.log(logging.DEBUG, "Log queue closed")
log_listener.join()
logger.log(logging.DEBUG, "Log thread finished")


def processor(adl, file_path_queue, finish_queue_processing_flag, method_name, acl_spec, log_queue, exception_queue):
logger = logging.getLogger(__name__)

try:
logger.addHandler(logging.handlers.QueueHandler(log_queue))
logger.propagate = False # Prevents double logging
except AttributeError:
# Python 2 doesn't have Queue Handler. Default to best effort logging.
pass
logger.setLevel(logging.DEBUG)

try:
worker_thread_num_per_process = 50
func_table = {"mod_acl": adl.modify_acl_entries, "set_acl": adl.set_acl, "rem_acl": adl.remove_acl_entries}
function_thread_pool = ThreadPoolExecutor(max_workers=worker_thread_num_per_process)
adl_function = func_table[method_name]
logger.log(logging.DEBUG, "Started processor pid:"+str(os.getpid()))

def func_wrapper(func, path, spec):
try:
func(path=path, acl_spec=spec)
except FileNotFoundError as e:
logger.exception("File "+str(path)+" not found")
pass # Exception is being logged in the relevant acl method. Do nothing here
except:
# TODO Raise to parent process
pass

logger.log(logging.DEBUG, "Completed running on path:" + str(path))

while finish_queue_processing_flag.is_set() == False:
try:
file_paths = file_path_queue.get(timeout=0.1)
file_path_queue.task_done() # Will not be called if empty
for file_path in file_paths:
logger.log(logging.DEBUG, "Starting on path:" + str(file_path))
function_thread_pool.submit(func_wrapper, adl_function, file_path, acl_spec)
except Empty:
pass

except Exception as e:
import traceback
# TODO Raise to parent process
logger.exception("Exception in pid "+str(os.getpid())+"Exception: " + str(e))
exception_queue.put(traceback.format_exc())
finally:
function_thread_pool.shutdown() # Blocking call. Will wait till all threads are done executing.
logger.log(logging.DEBUG, "Finished processor pid: " + str(os.getpid()))
36 changes: 36 additions & 0 deletions azure/datalake/store/utils.py
Original file line number Diff line number Diff line change
Expand Up @@ -11,6 +11,7 @@
import os
import platform
import sys
import threading

PY2 = sys.version_info.major == 2

Expand Down Expand Up @@ -158,3 +159,38 @@ def clamp(n, smallest, largest):
32
"""
return max(smallest, min(n, largest))


class CountUpDownLatch:
"""CountUpDownLatch provides a thread safe implementation of Up Down latch
"""
def __init__(self):
self.lock = threading.Condition()
self.val = 0
self.total = 0

def increment(self):
self.lock.acquire()
self.val += 1
self.total += 1
self.lock.release()

def decrement(self):
self.lock.acquire()
self.val -= 1
if self.val <= 0:
self.lock.notifyAll()
self.lock.release()

def total_processed(self):
self.lock.acquire()
temp = self.total
self.lock.release()
return temp

def is_zero(self):
self.lock.acquire()
while self.val > 0:
self.lock.wait()
self.lock.release()
return True
1 change: 1 addition & 0 deletions tests/settings.py
Original file line number Diff line number Diff line change
Expand Up @@ -19,6 +19,7 @@
SUBSCRIPTION_ID = fake_settings.SUBSCRIPTION_ID
RESOURCE_GROUP_NAME = fake_settings.RESOURCE_GROUP_NAME
RECORD_MODE = os.environ.get('RECORD_MODE', 'all').lower()
AZURE_ACL_TEST_APPID = os.environ.get('AZURE_ACL_TEST_APPID')
CLIENT_ID = os.environ['azure_service_principal']
'''
RECORD_MODE = os.environ.get('RECORD_MODE', 'none').lower()
Expand Down
Loading