repository_name
stringlengths
5
67
func_path_in_repository
stringlengths
4
234
func_name
stringlengths
0
314
whole_func_string
stringlengths
52
3.87M
language
stringclasses
6 values
func_code_string
stringlengths
52
3.87M
func_documentation_string
stringlengths
1
47.2k
func_code_url
stringlengths
85
339
rene-aguirre/pywinusb
pywinusb/hid/hid_pnp_mixin.py
HidPnPWindowMixin._register_hid_notification
def _register_hid_notification(self): """Register HID notification events on any window (passed by window handler), returns a notification handler""" # create structure, self initialized notify_obj = DevBroadcastDevInterface() h_notify = RegisterDeviceNotification(self.__hid_hwnd, ctypes.byref(notify_obj), DEVICE_NOTIFY_WINDOW_HANDLE) # return int(h_notify)
python
def _register_hid_notification(self): """Register HID notification events on any window (passed by window handler), returns a notification handler""" # create structure, self initialized notify_obj = DevBroadcastDevInterface() h_notify = RegisterDeviceNotification(self.__hid_hwnd, ctypes.byref(notify_obj), DEVICE_NOTIFY_WINDOW_HANDLE) # return int(h_notify)
Register HID notification events on any window (passed by window handler), returns a notification handler
https://github.com/rene-aguirre/pywinusb/blob/954c4b2105d9f01cb0c50e24500bb747d4ecdc43/pywinusb/hid/hid_pnp_mixin.py#L132-L140
rene-aguirre/pywinusb
pywinusb/hid/hid_pnp_mixin.py
HidPnPWindowMixin._unregister_hid_notification
def _unregister_hid_notification(self): "Remove PnP notification handler" if not int(self.__h_notify): return #invalid result = UnregisterDeviceNotification(self.__h_notify) self.__h_notify = None return int(result)
python
def _unregister_hid_notification(self): "Remove PnP notification handler" if not int(self.__h_notify): return #invalid result = UnregisterDeviceNotification(self.__h_notify) self.__h_notify = None return int(result)
Remove PnP notification handler
https://github.com/rene-aguirre/pywinusb/blob/954c4b2105d9f01cb0c50e24500bb747d4ecdc43/pywinusb/hid/hid_pnp_mixin.py#L142-L148
rene-aguirre/pywinusb
pywinusb/hid/tools.py
write_documentation
def write_documentation(self, output_file): "Issue documentation report on output_file file like object" if not self.is_opened(): raise helpers.HIDError("Device has to be opened to get documentation") #format class CompundVarDict(object): """Compound variables dictionary. Keys are strings mapping variables. If any string has a '.' on it, it means that is an object with an attribute. The attribute name will be used then as the returned item value. """ def __init__(self, parent): self.parent = parent def __getitem__(self, key): if '.' not in key: return self.parent[key] else: all_keys = key.split('.') curr_var = self.parent[all_keys[0]] for item in all_keys[1:]: new_var = getattr(curr_var, item) curr_var = new_var return new_var dev_vars = vars(self) dev_vars['main_usage_str'] = repr( usage_pages.HidUsage(self.hid_caps.usage_page, self.hid_caps.usage) ) output_file.write( """\n\ HID device documentation report =============================== Top Level Details ----------------- Manufacturer String: %(vendor_name)s Product String: %(product_name)s Serial Number: %(serial_number)s Vendor ID: 0x%(vendor_id)04x Product ID: 0x%(product_id)04x Version number: 0x%(version_number)04x Device Path: %(device_path)s Device Instance Id: %(instance_id)s Parent Instance Id: %(parent_instance_id)s Top level usage: Page=0x%(hid_caps.usage_page)04x, Usage=0x%(hid_caps.usage)02x Usage identification: %(main_usage_str)s Link collections: %(hid_caps.number_link_collection_nodes)d collection(s) Reports ------- Input Report ~~~~~~~~~~~~ Length: %(hid_caps.input_report_byte_length)d byte(s) Buttons: %(hid_caps.number_input_button_caps)d button(s) Values: %(hid_caps.number_input_value_caps)d value(s) Output Report ~~~~~~~~~~~~~ length: %(hid_caps.output_report_byte_length)d byte(s) Buttons: %(hid_caps.number_output_button_caps)d button(s) Values: %(hid_caps.number_output_value_caps)d value(s) Feature Report ~~~~~~~~~~~~~ Length: %(hid_caps.feature_report_byte_length)d byte(s) Buttons: %(hid_caps.number_feature_button_caps)d button(s) Values: %(hid_caps.number_feature_value_caps)d value(s) """ % CompundVarDict(dev_vars)) #better than vars()! #return # inspect caps for report_kind in [winapi.HidP_Input, winapi.HidP_Output, winapi.HidP_Feature]: all_usages = self.usages_storage.get(report_kind, []) if all_usages: output_file.write('*** %s Caps ***\n\n' % { winapi.HidP_Input : "Input", winapi.HidP_Output : "Output", winapi.HidP_Feature : "Feature" }[report_kind]) # normalize usages to allow sorting by usage or min range value for item in all_usages: if getattr(item, 'usage', None) != None: item.flat_id = item.usage elif getattr(item, 'usage_min', None) != None: item.flat_id = item.usage_min else: item.flat_id = None sorted(all_usages, key=attrgetter('usage_page', 'flat_id')) for usage_item in all_usages: # remove helper attribute del usage_item.flat_id all_items = usage_item.inspect() # sort first by 'usage_page'... usage_page = all_items["usage_page"] del all_items["usage_page"] if "usage" in all_items: usage = all_items["usage"] output_file.write(" Usage {0} ({0:#x}), "\ "Page {1:#x}\n".format(usage, usage_page)) output_file.write(" ({0})\n".format( repr(usage_pages.HidUsage(usage_page, usage))) ) del all_items["usage"] elif 'usage_min' in all_items: usage = (all_items["usage_min"], all_items["usage_max"]) output_file.write(" Usage Range {0}~{1} ({0:#x}~{1:#x})," " Page {2:#x} ({3})\n".format( usage[0], usage[1], usage_page, str(usage_pages.UsagePage(usage_page))) ) del all_items["usage_min"] del all_items["usage_max"] else: raise AttributeError("Expecting any usage id") attribs = list( all_items.keys() ) attribs.sort() for key in attribs: if 'usage' in key: output_file.write("{0}{1}: {2} ({2:#x})\n".format(' '*8, key, all_items[key])) else: output_file.write("{0}{1}: {2}\n".format(' '*8, key, all_items[key])) output_file.write('\n')
python
def write_documentation(self, output_file): "Issue documentation report on output_file file like object" if not self.is_opened(): raise helpers.HIDError("Device has to be opened to get documentation") #format class CompundVarDict(object): """Compound variables dictionary. Keys are strings mapping variables. If any string has a '.' on it, it means that is an object with an attribute. The attribute name will be used then as the returned item value. """ def __init__(self, parent): self.parent = parent def __getitem__(self, key): if '.' not in key: return self.parent[key] else: all_keys = key.split('.') curr_var = self.parent[all_keys[0]] for item in all_keys[1:]: new_var = getattr(curr_var, item) curr_var = new_var return new_var dev_vars = vars(self) dev_vars['main_usage_str'] = repr( usage_pages.HidUsage(self.hid_caps.usage_page, self.hid_caps.usage) ) output_file.write( """\n\ HID device documentation report =============================== Top Level Details ----------------- Manufacturer String: %(vendor_name)s Product String: %(product_name)s Serial Number: %(serial_number)s Vendor ID: 0x%(vendor_id)04x Product ID: 0x%(product_id)04x Version number: 0x%(version_number)04x Device Path: %(device_path)s Device Instance Id: %(instance_id)s Parent Instance Id: %(parent_instance_id)s Top level usage: Page=0x%(hid_caps.usage_page)04x, Usage=0x%(hid_caps.usage)02x Usage identification: %(main_usage_str)s Link collections: %(hid_caps.number_link_collection_nodes)d collection(s) Reports ------- Input Report ~~~~~~~~~~~~ Length: %(hid_caps.input_report_byte_length)d byte(s) Buttons: %(hid_caps.number_input_button_caps)d button(s) Values: %(hid_caps.number_input_value_caps)d value(s) Output Report ~~~~~~~~~~~~~ length: %(hid_caps.output_report_byte_length)d byte(s) Buttons: %(hid_caps.number_output_button_caps)d button(s) Values: %(hid_caps.number_output_value_caps)d value(s) Feature Report ~~~~~~~~~~~~~ Length: %(hid_caps.feature_report_byte_length)d byte(s) Buttons: %(hid_caps.number_feature_button_caps)d button(s) Values: %(hid_caps.number_feature_value_caps)d value(s) """ % CompundVarDict(dev_vars)) #better than vars()! #return # inspect caps for report_kind in [winapi.HidP_Input, winapi.HidP_Output, winapi.HidP_Feature]: all_usages = self.usages_storage.get(report_kind, []) if all_usages: output_file.write('*** %s Caps ***\n\n' % { winapi.HidP_Input : "Input", winapi.HidP_Output : "Output", winapi.HidP_Feature : "Feature" }[report_kind]) # normalize usages to allow sorting by usage or min range value for item in all_usages: if getattr(item, 'usage', None) != None: item.flat_id = item.usage elif getattr(item, 'usage_min', None) != None: item.flat_id = item.usage_min else: item.flat_id = None sorted(all_usages, key=attrgetter('usage_page', 'flat_id')) for usage_item in all_usages: # remove helper attribute del usage_item.flat_id all_items = usage_item.inspect() # sort first by 'usage_page'... usage_page = all_items["usage_page"] del all_items["usage_page"] if "usage" in all_items: usage = all_items["usage"] output_file.write(" Usage {0} ({0:#x}), "\ "Page {1:#x}\n".format(usage, usage_page)) output_file.write(" ({0})\n".format( repr(usage_pages.HidUsage(usage_page, usage))) ) del all_items["usage"] elif 'usage_min' in all_items: usage = (all_items["usage_min"], all_items["usage_max"]) output_file.write(" Usage Range {0}~{1} ({0:#x}~{1:#x})," " Page {2:#x} ({3})\n".format( usage[0], usage[1], usage_page, str(usage_pages.UsagePage(usage_page))) ) del all_items["usage_min"] del all_items["usage_max"] else: raise AttributeError("Expecting any usage id") attribs = list( all_items.keys() ) attribs.sort() for key in attribs: if 'usage' in key: output_file.write("{0}{1}: {2} ({2:#x})\n".format(' '*8, key, all_items[key])) else: output_file.write("{0}{1}: {2}\n".format(' '*8, key, all_items[key])) output_file.write('\n')
Issue documentation report on output_file file like object
https://github.com/rene-aguirre/pywinusb/blob/954c4b2105d9f01cb0c50e24500bb747d4ecdc43/pywinusb/hid/tools.py#L10-L137
rene-aguirre/pywinusb
pywinusb/hid/wnd_hook_mixin.py
WndProcHookMixin.hook_wnd_proc
def hook_wnd_proc(self): """Attach to OS Window message handler""" self.__local_wnd_proc_wrapped = WndProcType(self.local_wnd_proc) self.__old_wnd_proc = SetWindowLong(self.__local_win_handle, GWL_WNDPROC, self.__local_wnd_proc_wrapped)
python
def hook_wnd_proc(self): """Attach to OS Window message handler""" self.__local_wnd_proc_wrapped = WndProcType(self.local_wnd_proc) self.__old_wnd_proc = SetWindowLong(self.__local_win_handle, GWL_WNDPROC, self.__local_wnd_proc_wrapped)
Attach to OS Window message handler
https://github.com/rene-aguirre/pywinusb/blob/954c4b2105d9f01cb0c50e24500bb747d4ecdc43/pywinusb/hid/wnd_hook_mixin.py#L73-L78
rene-aguirre/pywinusb
pywinusb/hid/wnd_hook_mixin.py
WndProcHookMixin.unhook_wnd_proc
def unhook_wnd_proc(self): """Restore previous Window message handler""" if not self.__local_wnd_proc_wrapped: return SetWindowLong(self.__local_win_handle, GWL_WNDPROC, self.__old_wnd_proc) ## Allow the ctypes wrapper to be garbage collected self.__local_wnd_proc_wrapped = None
python
def unhook_wnd_proc(self): """Restore previous Window message handler""" if not self.__local_wnd_proc_wrapped: return SetWindowLong(self.__local_win_handle, GWL_WNDPROC, self.__old_wnd_proc) ## Allow the ctypes wrapper to be garbage collected self.__local_wnd_proc_wrapped = None
Restore previous Window message handler
https://github.com/rene-aguirre/pywinusb/blob/954c4b2105d9f01cb0c50e24500bb747d4ecdc43/pywinusb/hid/wnd_hook_mixin.py#L79-L88
rene-aguirre/pywinusb
pywinusb/hid/wnd_hook_mixin.py
WndProcHookMixin.local_wnd_proc
def local_wnd_proc(self, h_wnd, msg, w_param, l_param): """ Call the handler if one exists. """ # performance note: has_key is the fastest way to check for a key when # the key is unlikely to be found (which is the case here, since most # messages will not have handlers). This is called via a ctypes shim # for every single windows message so dispatch speed is important if msg in self.__msg_dict: # if the handler returns false, we terminate the message here Note # that we don't pass the hwnd or the message along Handlers should # be really, really careful about returning false here if self.__msg_dict[msg](w_param, l_param) == False: return # Restore the old WndProc on Destroy. if msg == WM_DESTROY: self.unhook_wnd_proc() return CallWindowProc(self.__old_wnd_proc, h_wnd, msg, w_param, l_param)
python
def local_wnd_proc(self, h_wnd, msg, w_param, l_param): """ Call the handler if one exists. """ # performance note: has_key is the fastest way to check for a key when # the key is unlikely to be found (which is the case here, since most # messages will not have handlers). This is called via a ctypes shim # for every single windows message so dispatch speed is important if msg in self.__msg_dict: # if the handler returns false, we terminate the message here Note # that we don't pass the hwnd or the message along Handlers should # be really, really careful about returning false here if self.__msg_dict[msg](w_param, l_param) == False: return # Restore the old WndProc on Destroy. if msg == WM_DESTROY: self.unhook_wnd_proc() return CallWindowProc(self.__old_wnd_proc, h_wnd, msg, w_param, l_param)
Call the handler if one exists.
https://github.com/rene-aguirre/pywinusb/blob/954c4b2105d9f01cb0c50e24500bb747d4ecdc43/pywinusb/hid/wnd_hook_mixin.py#L94-L114
rene-aguirre/pywinusb
examples/simple_feature.py
read_values
def read_values(target_usage): """read feature report values""" # browse all devices all_devices = hid.HidDeviceFilter().get_devices() if not all_devices: print("Can't find any non system HID device connected") else: # search for our target usage usage_found = False for device in all_devices: try: device.open() # browse feature reports for report in device.find_feature_reports(): if target_usage in report: # we found our usage report.get() # print result print("The value:", list(report[target_usage])) print("All the report: {0}".format(report.get_raw_data())) usage_found = True finally: device.close() if not usage_found: print("The target device was found, but the requested usage does not exist!\n")
python
def read_values(target_usage): """read feature report values""" # browse all devices all_devices = hid.HidDeviceFilter().get_devices() if not all_devices: print("Can't find any non system HID device connected") else: # search for our target usage usage_found = False for device in all_devices: try: device.open() # browse feature reports for report in device.find_feature_reports(): if target_usage in report: # we found our usage report.get() # print result print("The value:", list(report[target_usage])) print("All the report: {0}".format(report.get_raw_data())) usage_found = True finally: device.close() if not usage_found: print("The target device was found, but the requested usage does not exist!\n")
read feature report values
https://github.com/rene-aguirre/pywinusb/blob/954c4b2105d9f01cb0c50e24500bb747d4ecdc43/examples/simple_feature.py#L9-L34
rene-aguirre/pywinusb
examples/mute_led.py
set_mute
def set_mute(mute_value): "Browse for mute usages and set value" all_mutes = ( \ (0x8, 0x9), # LED page (0x1, 0xA7), # desktop page (0xb, 0x2f), ) all_target_usages = [hid.get_full_usage_id(u[0], u[1]) for u in all_mutes] # usually you'll find and open the target device, here we'll browse for the # current connected devices all_devices = hid.find_all_hid_devices() success = 0 if not all_devices: print("Can't any HID device!") else: # search for our target usage # target pageId, usageId for device in all_devices: try: device.open() # target 'to set' value could be in feature or output reports for report in device.find_output_reports() + device.find_feature_reports(): for target_usage in all_target_usages: if target_usage in report: # set our value and send report[target_usage] = value report.send() success += 1 finally: device.close() # fit to sys.exit() proper result values print("{0} Mute usage(s) set\n".format(success)) if success: return 0 return -1
python
def set_mute(mute_value): "Browse for mute usages and set value" all_mutes = ( \ (0x8, 0x9), # LED page (0x1, 0xA7), # desktop page (0xb, 0x2f), ) all_target_usages = [hid.get_full_usage_id(u[0], u[1]) for u in all_mutes] # usually you'll find and open the target device, here we'll browse for the # current connected devices all_devices = hid.find_all_hid_devices() success = 0 if not all_devices: print("Can't any HID device!") else: # search for our target usage # target pageId, usageId for device in all_devices: try: device.open() # target 'to set' value could be in feature or output reports for report in device.find_output_reports() + device.find_feature_reports(): for target_usage in all_target_usages: if target_usage in report: # set our value and send report[target_usage] = value report.send() success += 1 finally: device.close() # fit to sys.exit() proper result values print("{0} Mute usage(s) set\n".format(success)) if success: return 0 return -1
Browse for mute usages and set value
https://github.com/rene-aguirre/pywinusb/blob/954c4b2105d9f01cb0c50e24500bb747d4ecdc43/examples/mute_led.py#L13-L49
rene-aguirre/pywinusb
pywinusb/hid/winapi.py
winapi_result
def winapi_result( result ): """Validate WINAPI BOOL result, raise exception if failed""" if not result: raise WinApiException("%d (%x): %s" % (ctypes.GetLastError(), ctypes.GetLastError(), ctypes.FormatError())) return result
python
def winapi_result( result ): """Validate WINAPI BOOL result, raise exception if failed""" if not result: raise WinApiException("%d (%x): %s" % (ctypes.GetLastError(), ctypes.GetLastError(), ctypes.FormatError())) return result
Validate WINAPI BOOL result, raise exception if failed
https://github.com/rene-aguirre/pywinusb/blob/954c4b2105d9f01cb0c50e24500bb747d4ecdc43/pywinusb/hid/winapi.py#L28-L33
rene-aguirre/pywinusb
pywinusb/hid/winapi.py
enum_device_interfaces
def enum_device_interfaces(h_info, guid): """Function generator that returns a device_interface_data enumerator for the given device interface info and GUID parameters """ dev_interface_data = SP_DEVICE_INTERFACE_DATA() dev_interface_data.cb_size = sizeof(dev_interface_data) device_index = 0 while SetupDiEnumDeviceInterfaces(h_info, None, byref(guid), device_index, byref(dev_interface_data) ): yield dev_interface_data device_index += 1 del dev_interface_data
python
def enum_device_interfaces(h_info, guid): """Function generator that returns a device_interface_data enumerator for the given device interface info and GUID parameters """ dev_interface_data = SP_DEVICE_INTERFACE_DATA() dev_interface_data.cb_size = sizeof(dev_interface_data) device_index = 0 while SetupDiEnumDeviceInterfaces(h_info, None, byref(guid), device_index, byref(dev_interface_data) ): yield dev_interface_data device_index += 1 del dev_interface_data
Function generator that returns a device_interface_data enumerator for the given device interface info and GUID parameters
https://github.com/rene-aguirre/pywinusb/blob/954c4b2105d9f01cb0c50e24500bb747d4ecdc43/pywinusb/hid/winapi.py#L467-L482
rene-aguirre/pywinusb
pywinusb/hid/winapi.py
get_device_path
def get_device_path(h_info, interface_data, ptr_info_data = None): """"Returns Hardware device path Parameters: h_info, interface set info handler interface_data, device interface enumeration data ptr_info_data, pointer to SP_DEVINFO_DATA() instance to receive details """ required_size = c_ulong(0) dev_inter_detail_data = SP_DEVICE_INTERFACE_DETAIL_DATA() dev_inter_detail_data.cb_size = sizeof(SP_DEVICE_INTERFACE_DETAIL_DATA) # get actual storage requirement SetupDiGetDeviceInterfaceDetail(h_info, byref(interface_data), None, 0, byref(required_size), None) ctypes.resize(dev_inter_detail_data, required_size.value) # read value SetupDiGetDeviceInterfaceDetail(h_info, byref(interface_data), byref(dev_inter_detail_data), required_size, None, ptr_info_data) # extract string only return dev_inter_detail_data.get_string()
python
def get_device_path(h_info, interface_data, ptr_info_data = None): """"Returns Hardware device path Parameters: h_info, interface set info handler interface_data, device interface enumeration data ptr_info_data, pointer to SP_DEVINFO_DATA() instance to receive details """ required_size = c_ulong(0) dev_inter_detail_data = SP_DEVICE_INTERFACE_DETAIL_DATA() dev_inter_detail_data.cb_size = sizeof(SP_DEVICE_INTERFACE_DETAIL_DATA) # get actual storage requirement SetupDiGetDeviceInterfaceDetail(h_info, byref(interface_data), None, 0, byref(required_size), None) ctypes.resize(dev_inter_detail_data, required_size.value) # read value SetupDiGetDeviceInterfaceDetail(h_info, byref(interface_data), byref(dev_inter_detail_data), required_size, None, ptr_info_data) # extract string only return dev_inter_detail_data.get_string()
Returns Hardware device path Parameters: h_info, interface set info handler interface_data, device interface enumeration data ptr_info_data, pointer to SP_DEVINFO_DATA() instance to receive details
https://github.com/rene-aguirre/pywinusb/blob/954c4b2105d9f01cb0c50e24500bb747d4ecdc43/pywinusb/hid/winapi.py#L484-L508
rene-aguirre/pywinusb
pywinusb/hid/winapi.py
DeviceInterfaceSetInfo.open
def open(self): """ Calls SetupDiGetClassDevs to obtain a handle to an opaque device information set that describes the device interfaces supported by all the USB collections currently installed in the system. The application should specify DIGCF.PRESENT and DIGCF.INTERFACEDEVICE in the Flags parameter passed to SetupDiGetClassDevs. """ self.h_info = SetupDiGetClassDevs(byref(self.guid), None, None, (DIGCF.PRESENT | DIGCF.DEVICEINTERFACE) ) return self.h_info
python
def open(self): """ Calls SetupDiGetClassDevs to obtain a handle to an opaque device information set that describes the device interfaces supported by all the USB collections currently installed in the system. The application should specify DIGCF.PRESENT and DIGCF.INTERFACEDEVICE in the Flags parameter passed to SetupDiGetClassDevs. """ self.h_info = SetupDiGetClassDevs(byref(self.guid), None, None, (DIGCF.PRESENT | DIGCF.DEVICEINTERFACE) ) return self.h_info
Calls SetupDiGetClassDevs to obtain a handle to an opaque device information set that describes the device interfaces supported by all the USB collections currently installed in the system. The application should specify DIGCF.PRESENT and DIGCF.INTERFACEDEVICE in the Flags parameter passed to SetupDiGetClassDevs.
https://github.com/rene-aguirre/pywinusb/blob/954c4b2105d9f01cb0c50e24500bb747d4ecdc43/pywinusb/hid/winapi.py#L443-L454
rene-aguirre/pywinusb
pywinusb/hid/winapi.py
DeviceInterfaceSetInfo.close
def close(self): """Destroy allocated storage""" if self.h_info and self.h_info != INVALID_HANDLE_VALUE: # clean up SetupDiDestroyDeviceInfoList(self.h_info) self.h_info = None
python
def close(self): """Destroy allocated storage""" if self.h_info and self.h_info != INVALID_HANDLE_VALUE: # clean up SetupDiDestroyDeviceInfoList(self.h_info) self.h_info = None
Destroy allocated storage
https://github.com/rene-aguirre/pywinusb/blob/954c4b2105d9f01cb0c50e24500bb747d4ecdc43/pywinusb/hid/winapi.py#L460-L465
rene-aguirre/pywinusb
examples/simple_send.py
click_signal
def click_signal(target_usage, target_vendor_id): """This function will find a particular target_usage over output reports on target_vendor_id related devices, then it will flip the signal to simulate a 'click' event""" # usually you'll find and open the target device, here we'll browse for the # current connected devices all_devices = hid.HidDeviceFilter(vendor_id = target_vendor_id).get_devices() if not all_devices: print("Can't find target device (vendor_id = 0x%04x)!" % target_vendor_id) else: # search for our target usage # target pageId, usageId for device in all_devices: try: device.open() # browse output reports, we could search over feature reports also, # changing find_output_reports() to find_feature_reports() for report in device.find_output_reports(): if target_usage in report: # found out target! report[target_usage] = 1 # yes, changing values is that easy # at this point you could change different usages at a time... # and finally send the prepared output report report.send() # now toggle back the signal report[target_usage] = 0 report.send() print("\nUsage clicked!\n") return finally: device.close() print("The target device was found, but the requested usage does not exist!\n")
python
def click_signal(target_usage, target_vendor_id): """This function will find a particular target_usage over output reports on target_vendor_id related devices, then it will flip the signal to simulate a 'click' event""" # usually you'll find and open the target device, here we'll browse for the # current connected devices all_devices = hid.HidDeviceFilter(vendor_id = target_vendor_id).get_devices() if not all_devices: print("Can't find target device (vendor_id = 0x%04x)!" % target_vendor_id) else: # search for our target usage # target pageId, usageId for device in all_devices: try: device.open() # browse output reports, we could search over feature reports also, # changing find_output_reports() to find_feature_reports() for report in device.find_output_reports(): if target_usage in report: # found out target! report[target_usage] = 1 # yes, changing values is that easy # at this point you could change different usages at a time... # and finally send the prepared output report report.send() # now toggle back the signal report[target_usage] = 0 report.send() print("\nUsage clicked!\n") return finally: device.close() print("The target device was found, but the requested usage does not exist!\n")
This function will find a particular target_usage over output reports on target_vendor_id related devices, then it will flip the signal to simulate a 'click' event
https://github.com/rene-aguirre/pywinusb/blob/954c4b2105d9f01cb0c50e24500bb747d4ecdc43/examples/simple_send.py#L7-L40
regebro/tzlocal
update_windows_mappings.py
update_old_names
def update_old_names(): """Fetches the list of old tz names and returns a mapping""" url = urlparse(ZONEINFO_URL) log.info('Connecting to %s' % url.netloc) ftp = ftplib.FTP(url.netloc) ftp.login() gzfile = BytesIO() log.info('Fetching zoneinfo database') ftp.retrbinary('RETR ' + url.path, gzfile.write) gzfile.seek(0) log.info('Extracting backwards data') archive = tarfile.open(mode="r:gz", fileobj=gzfile) backward = {} for line in archive.extractfile('backward').readlines(): if line[0] == '#': continue if len(line.strip()) == 0: continue parts = line.split() if parts[0] != b'Link': continue backward[parts[2].decode('ascii')] = parts[1].decode('ascii') return backward
python
def update_old_names(): """Fetches the list of old tz names and returns a mapping""" url = urlparse(ZONEINFO_URL) log.info('Connecting to %s' % url.netloc) ftp = ftplib.FTP(url.netloc) ftp.login() gzfile = BytesIO() log.info('Fetching zoneinfo database') ftp.retrbinary('RETR ' + url.path, gzfile.write) gzfile.seek(0) log.info('Extracting backwards data') archive = tarfile.open(mode="r:gz", fileobj=gzfile) backward = {} for line in archive.extractfile('backward').readlines(): if line[0] == '#': continue if len(line.strip()) == 0: continue parts = line.split() if parts[0] != b'Link': continue backward[parts[2].decode('ascii')] = parts[1].decode('ascii') return backward
Fetches the list of old tz names and returns a mapping
https://github.com/regebro/tzlocal/blob/b73a692c8eec1255e9018717d391aaa78bad00e7/update_windows_mappings.py#L26-L53
Trust-Code/python-cnab
cnab240/registro.py
CampoBase._normalize_str
def _normalize_str(self, string): """ Remove special characters and strip spaces """ if string: if not isinstance(string, str): string = str(string, 'utf-8', 'replace') return unicodedata.normalize('NFKD', string).encode( 'ASCII', 'ignore').decode('ASCII') return ''
python
def _normalize_str(self, string): """ Remove special characters and strip spaces """ if string: if not isinstance(string, str): string = str(string, 'utf-8', 'replace') return unicodedata.normalize('NFKD', string).encode( 'ASCII', 'ignore').decode('ASCII') return ''
Remove special characters and strip spaces
https://github.com/Trust-Code/python-cnab/blob/a0c915b780e590b71073a670fc89bafb110998b1/cnab240/registro.py#L17-L27
lambdalisue/django-permission
src/permission/decorators/classbase.py
permission_required
def permission_required(perm, queryset=None, login_url=None, raise_exception=False): """ Permission check decorator for classbased generic view This decorator works as class decorator DO NOT use ``method_decorator`` or whatever while this decorator will use ``self`` argument for method of classbased generic view. Parameters ---------- perm : string A permission string queryset : queryset or model A queryset or model for finding object. With classbased generic view, ``None`` for using view default queryset. When the view does not define ``get_queryset``, ``queryset``, ``get_object``, or ``object`` then ``obj=None`` is used to check permission. With functional generic view, ``None`` for using passed queryset. When non queryset was passed then ``obj=None`` is used to check permission. Examples -------- >>> @permission_required('auth.change_user') >>> class UpdateAuthUserView(UpdateView): ... pass """ def wrapper(cls): def view_wrapper(view_func): @wraps(view_func, assigned=available_attrs(view_func)) def inner(self, request, *args, **kwargs): # get object obj = get_object_from_classbased_instance( self, queryset, request, *args, **kwargs ) if not request.user.has_perm(perm, obj=obj): if raise_exception: raise PermissionDenied else: return redirect_to_login(request, login_url) return view_func(self, request, *args, **kwargs) return inner cls.dispatch = view_wrapper(cls.dispatch) return cls return wrapper
python
def permission_required(perm, queryset=None, login_url=None, raise_exception=False): """ Permission check decorator for classbased generic view This decorator works as class decorator DO NOT use ``method_decorator`` or whatever while this decorator will use ``self`` argument for method of classbased generic view. Parameters ---------- perm : string A permission string queryset : queryset or model A queryset or model for finding object. With classbased generic view, ``None`` for using view default queryset. When the view does not define ``get_queryset``, ``queryset``, ``get_object``, or ``object`` then ``obj=None`` is used to check permission. With functional generic view, ``None`` for using passed queryset. When non queryset was passed then ``obj=None`` is used to check permission. Examples -------- >>> @permission_required('auth.change_user') >>> class UpdateAuthUserView(UpdateView): ... pass """ def wrapper(cls): def view_wrapper(view_func): @wraps(view_func, assigned=available_attrs(view_func)) def inner(self, request, *args, **kwargs): # get object obj = get_object_from_classbased_instance( self, queryset, request, *args, **kwargs ) if not request.user.has_perm(perm, obj=obj): if raise_exception: raise PermissionDenied else: return redirect_to_login(request, login_url) return view_func(self, request, *args, **kwargs) return inner cls.dispatch = view_wrapper(cls.dispatch) return cls return wrapper
Permission check decorator for classbased generic view This decorator works as class decorator DO NOT use ``method_decorator`` or whatever while this decorator will use ``self`` argument for method of classbased generic view. Parameters ---------- perm : string A permission string queryset : queryset or model A queryset or model for finding object. With classbased generic view, ``None`` for using view default queryset. When the view does not define ``get_queryset``, ``queryset``, ``get_object``, or ``object`` then ``obj=None`` is used to check permission. With functional generic view, ``None`` for using passed queryset. When non queryset was passed then ``obj=None`` is used to check permission. Examples -------- >>> @permission_required('auth.change_user') >>> class UpdateAuthUserView(UpdateView): ... pass
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/decorators/classbase.py#L11-L58
lambdalisue/django-permission
src/permission/decorators/classbase.py
get_object_from_classbased_instance
def get_object_from_classbased_instance( instance, queryset, request, *args, **kwargs): """ Get object from an instance of classbased generic view Parameters ---------- instance : instance An instance of classbased generic view queryset : instance A queryset instance request : instance A instance of HttpRequest Returns ------- instance An instance of model object or None """ from django.views.generic.edit import BaseCreateView # initialize request, args, kwargs of classbased_instance # most of methods of classbased view assumed these attributes # but these attributes is initialized in ``dispatch`` method. instance.request = request instance.args = args instance.kwargs = kwargs # get queryset from class if ``queryset_or_model`` is not specified if hasattr(instance, 'get_queryset') and not queryset: queryset = instance.get_queryset() elif hasattr(instance, 'queryset') and not queryset: queryset = instance.queryset elif hasattr(instance, 'model') and not queryset: queryset = instance.model._default_manager.all() # get object if hasattr(instance, 'get_object'): try: obj = instance.get_object(queryset) except AttributeError as e: # CreateView has ``get_object`` method but CreateView # should not have any object before thus simply set # None if isinstance(instance, BaseCreateView): obj = None else: raise e elif hasattr(instance, 'object'): obj = instance.object else: obj = None return obj
python
def get_object_from_classbased_instance( instance, queryset, request, *args, **kwargs): """ Get object from an instance of classbased generic view Parameters ---------- instance : instance An instance of classbased generic view queryset : instance A queryset instance request : instance A instance of HttpRequest Returns ------- instance An instance of model object or None """ from django.views.generic.edit import BaseCreateView # initialize request, args, kwargs of classbased_instance # most of methods of classbased view assumed these attributes # but these attributes is initialized in ``dispatch`` method. instance.request = request instance.args = args instance.kwargs = kwargs # get queryset from class if ``queryset_or_model`` is not specified if hasattr(instance, 'get_queryset') and not queryset: queryset = instance.get_queryset() elif hasattr(instance, 'queryset') and not queryset: queryset = instance.queryset elif hasattr(instance, 'model') and not queryset: queryset = instance.model._default_manager.all() # get object if hasattr(instance, 'get_object'): try: obj = instance.get_object(queryset) except AttributeError as e: # CreateView has ``get_object`` method but CreateView # should not have any object before thus simply set # None if isinstance(instance, BaseCreateView): obj = None else: raise e elif hasattr(instance, 'object'): obj = instance.object else: obj = None return obj
Get object from an instance of classbased generic view Parameters ---------- instance : instance An instance of classbased generic view queryset : instance A queryset instance request : instance A instance of HttpRequest Returns ------- instance An instance of model object or None
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/decorators/classbase.py#L61-L112
lambdalisue/django-permission
src/permission/logics/groupin.py
GroupInPermissionLogic.has_perm
def has_perm(self, user_obj, perm, obj=None): """ Check if user have permission (of object) If the user_obj is not authenticated, it return ``False``. If no object is specified, it return ``True`` when the corresponding permission was specified to ``True`` (changed from v0.7.0). This behavior is based on the django system. https://code.djangoproject.com/wiki/RowLevelPermissions If an object is specified, it will return ``True`` if the user is in group specified in ``group_names`` of this instance. This permission logic is used mainly for group based role permission system. You can change this behavior to set ``any_permission``, ``add_permission``, ``change_permission``, or ``delete_permission`` attributes of this instance. Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object). """ if not is_authenticated(user_obj): return False # construct the permission full name add_permission = self.get_full_permission_string('add') change_permission = self.get_full_permission_string('change') delete_permission = self.get_full_permission_string('delete') if obj is None: if user_obj.groups.filter(name__in=self.group_names): if self.add_permission and perm == add_permission: return True if self.change_permission and perm == change_permission: return True if self.delete_permission and perm == delete_permission: return True return self.any_permission return False elif user_obj.is_active: if user_obj.groups.filter(name__in=self.group_names): if self.any_permission: # have any kind of permissions to the obj return True if (self.add_permission and perm == add_permission): return True if (self.change_permission and perm == change_permission): return True if (self.delete_permission and perm == delete_permission): return True return False
python
def has_perm(self, user_obj, perm, obj=None): """ Check if user have permission (of object) If the user_obj is not authenticated, it return ``False``. If no object is specified, it return ``True`` when the corresponding permission was specified to ``True`` (changed from v0.7.0). This behavior is based on the django system. https://code.djangoproject.com/wiki/RowLevelPermissions If an object is specified, it will return ``True`` if the user is in group specified in ``group_names`` of this instance. This permission logic is used mainly for group based role permission system. You can change this behavior to set ``any_permission``, ``add_permission``, ``change_permission``, or ``delete_permission`` attributes of this instance. Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object). """ if not is_authenticated(user_obj): return False # construct the permission full name add_permission = self.get_full_permission_string('add') change_permission = self.get_full_permission_string('change') delete_permission = self.get_full_permission_string('delete') if obj is None: if user_obj.groups.filter(name__in=self.group_names): if self.add_permission and perm == add_permission: return True if self.change_permission and perm == change_permission: return True if self.delete_permission and perm == delete_permission: return True return self.any_permission return False elif user_obj.is_active: if user_obj.groups.filter(name__in=self.group_names): if self.any_permission: # have any kind of permissions to the obj return True if (self.add_permission and perm == add_permission): return True if (self.change_permission and perm == change_permission): return True if (self.delete_permission and perm == delete_permission): return True return False
Check if user have permission (of object) If the user_obj is not authenticated, it return ``False``. If no object is specified, it return ``True`` when the corresponding permission was specified to ``True`` (changed from v0.7.0). This behavior is based on the django system. https://code.djangoproject.com/wiki/RowLevelPermissions If an object is specified, it will return ``True`` if the user is in group specified in ``group_names`` of this instance. This permission logic is used mainly for group based role permission system. You can change this behavior to set ``any_permission``, ``add_permission``, ``change_permission``, or ``delete_permission`` attributes of this instance. Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object).
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/logics/groupin.py#L74-L138
lambdalisue/django-permission
src/permission/decorators/methodbase.py
permission_required
def permission_required(perm, queryset=None, login_url=None, raise_exception=False): """ Permission check decorator for classbased/functionbased generic view This decorator works as method or function decorator DO NOT use ``method_decorator`` or whatever while this decorator will use ``self`` argument for method of classbased generic view. Parameters ---------- perm : string A permission string queryset : queryset or model A queryset or model for finding object. With classbased generic view, ``None`` for using view default queryset. When the view does not define ``get_queryset``, ``queryset``, ``get_object``, or ``object`` then ``obj=None`` is used to check permission. With functional generic view, ``None`` for using passed queryset. When non queryset was passed then ``obj=None`` is used to check permission. Examples -------- >>> # As method decorator >>> class UpdateAuthUserView(UpdateView): >>> @permission_required('auth.change_user') >>> def dispatch(self, request, *args, **kwargs): ... pass >>> # As function decorator >>> @permission_required('auth.change_user') >>> def update_auth_user(request, *args, **kwargs): ... pass """ def wrapper(view_method): @wraps(view_method, assigned=available_attrs(view_method)) def inner(self, request=None, *args, **kwargs): if isinstance(self, HttpRequest): from permission.decorators.functionbase import \ permission_required as decorator # this is a functional view not classbased view. decorator = decorator(perm, queryset, login_url, raise_exception) decorator = decorator(view_method) if not request: args = list(args) args.insert(0, request) request = self return decorator(request, *args, **kwargs) else: from permission.decorators.classbase import \ get_object_from_classbased_instance # get object obj = get_object_from_classbased_instance( self, queryset, request, *args, **kwargs ) if not request.user.has_perm(perm, obj=obj): if raise_exception: raise PermissionDenied else: return redirect_to_login(request, login_url) return view_method(self, request, *args, **kwargs) return inner return wrapper
python
def permission_required(perm, queryset=None, login_url=None, raise_exception=False): """ Permission check decorator for classbased/functionbased generic view This decorator works as method or function decorator DO NOT use ``method_decorator`` or whatever while this decorator will use ``self`` argument for method of classbased generic view. Parameters ---------- perm : string A permission string queryset : queryset or model A queryset or model for finding object. With classbased generic view, ``None`` for using view default queryset. When the view does not define ``get_queryset``, ``queryset``, ``get_object``, or ``object`` then ``obj=None`` is used to check permission. With functional generic view, ``None`` for using passed queryset. When non queryset was passed then ``obj=None`` is used to check permission. Examples -------- >>> # As method decorator >>> class UpdateAuthUserView(UpdateView): >>> @permission_required('auth.change_user') >>> def dispatch(self, request, *args, **kwargs): ... pass >>> # As function decorator >>> @permission_required('auth.change_user') >>> def update_auth_user(request, *args, **kwargs): ... pass """ def wrapper(view_method): @wraps(view_method, assigned=available_attrs(view_method)) def inner(self, request=None, *args, **kwargs): if isinstance(self, HttpRequest): from permission.decorators.functionbase import \ permission_required as decorator # this is a functional view not classbased view. decorator = decorator(perm, queryset, login_url, raise_exception) decorator = decorator(view_method) if not request: args = list(args) args.insert(0, request) request = self return decorator(request, *args, **kwargs) else: from permission.decorators.classbase import \ get_object_from_classbased_instance # get object obj = get_object_from_classbased_instance( self, queryset, request, *args, **kwargs ) if not request.user.has_perm(perm, obj=obj): if raise_exception: raise PermissionDenied else: return redirect_to_login(request, login_url) return view_method(self, request, *args, **kwargs) return inner return wrapper
Permission check decorator for classbased/functionbased generic view This decorator works as method or function decorator DO NOT use ``method_decorator`` or whatever while this decorator will use ``self`` argument for method of classbased generic view. Parameters ---------- perm : string A permission string queryset : queryset or model A queryset or model for finding object. With classbased generic view, ``None`` for using view default queryset. When the view does not define ``get_queryset``, ``queryset``, ``get_object``, or ``object`` then ``obj=None`` is used to check permission. With functional generic view, ``None`` for using passed queryset. When non queryset was passed then ``obj=None`` is used to check permission. Examples -------- >>> # As method decorator >>> class UpdateAuthUserView(UpdateView): >>> @permission_required('auth.change_user') >>> def dispatch(self, request, *args, **kwargs): ... pass >>> # As function decorator >>> @permission_required('auth.change_user') >>> def update_auth_user(request, *args, **kwargs): ... pass
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/decorators/methodbase.py#L12-L77
lambdalisue/django-permission
src/permission/utils/field_lookup.py
field_lookup
def field_lookup(obj, field_path): """ Lookup django model field in similar way of django query lookup. Args: obj (instance): Django Model instance field_path (str): '__' separated field path Example: >>> from django.db import model >>> from django.contrib.auth.models import User >>> class Article(models.Model): >>> title = models.CharField('title', max_length=200) >>> author = models.ForeignKey(User, null=True, >>> related_name='permission_test_articles_author') >>> editors = models.ManyToManyField(User, >>> related_name='permission_test_articles_editors') >>> user = User.objects.create_user('test_user', 'password') >>> article = Article.objects.create(title='test_article', ... author=user) >>> article.editors.add(user) >>> assert 'test_article' == field_lookup(article, 'title') >>> assert 'test_user' == field_lookup(article, 'user__username') >>> assert ['test_user'] == list(field_lookup(article, ... 'editors__username')) """ if hasattr(obj, 'iterator'): return (field_lookup(x, field_path) for x in obj.iterator()) elif isinstance(obj, Iterable): return (field_lookup(x, field_path) for x in iter(obj)) # split the path field_path = field_path.split('__', 1) if len(field_path) == 1: return getattr(obj, field_path[0], None) return field_lookup(field_lookup(obj, field_path[0]), field_path[1])
python
def field_lookup(obj, field_path): """ Lookup django model field in similar way of django query lookup. Args: obj (instance): Django Model instance field_path (str): '__' separated field path Example: >>> from django.db import model >>> from django.contrib.auth.models import User >>> class Article(models.Model): >>> title = models.CharField('title', max_length=200) >>> author = models.ForeignKey(User, null=True, >>> related_name='permission_test_articles_author') >>> editors = models.ManyToManyField(User, >>> related_name='permission_test_articles_editors') >>> user = User.objects.create_user('test_user', 'password') >>> article = Article.objects.create(title='test_article', ... author=user) >>> article.editors.add(user) >>> assert 'test_article' == field_lookup(article, 'title') >>> assert 'test_user' == field_lookup(article, 'user__username') >>> assert ['test_user'] == list(field_lookup(article, ... 'editors__username')) """ if hasattr(obj, 'iterator'): return (field_lookup(x, field_path) for x in obj.iterator()) elif isinstance(obj, Iterable): return (field_lookup(x, field_path) for x in iter(obj)) # split the path field_path = field_path.split('__', 1) if len(field_path) == 1: return getattr(obj, field_path[0], None) return field_lookup(field_lookup(obj, field_path[0]), field_path[1])
Lookup django model field in similar way of django query lookup. Args: obj (instance): Django Model instance field_path (str): '__' separated field path Example: >>> from django.db import model >>> from django.contrib.auth.models import User >>> class Article(models.Model): >>> title = models.CharField('title', max_length=200) >>> author = models.ForeignKey(User, null=True, >>> related_name='permission_test_articles_author') >>> editors = models.ManyToManyField(User, >>> related_name='permission_test_articles_editors') >>> user = User.objects.create_user('test_user', 'password') >>> article = Article.objects.create(title='test_article', ... author=user) >>> article.editors.add(user) >>> assert 'test_article' == field_lookup(article, 'title') >>> assert 'test_user' == field_lookup(article, 'user__username') >>> assert ['test_user'] == list(field_lookup(article, ... 'editors__username'))
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/utils/field_lookup.py#L6-L40
lambdalisue/django-permission
src/permission/decorators/functionbase.py
permission_required
def permission_required(perm, queryset=None, login_url=None, raise_exception=False): """ Permission check decorator for function-base generic view This decorator works as function decorator Parameters ---------- perm : string A permission string queryset : queryset or model A queryset or model for finding object. With classbased generic view, ``None`` for using view default queryset. When the view does not define ``get_queryset``, ``queryset``, ``get_object``, or ``object`` then ``obj=None`` is used to check permission. With functional generic view, ``None`` for using passed queryset. When non queryset was passed then ``obj=None`` is used to check permission. Examples -------- >>> @permission_required('auth.change_user') >>> def update_auth_user(request, *args, **kwargs): ... pass """ def wrapper(view_func): @wraps(view_func, assigned=available_attrs(view_func)) def inner(request, *args, **kwargs): _kwargs = copy.copy(kwargs) # overwrite queryset if specified if queryset: _kwargs['queryset'] = queryset # get object from view if 'date_field' in _kwargs: fn = get_object_from_date_based_view else: fn = get_object_from_list_detail_view if fn.validate(request, *args, **_kwargs): obj = fn(request, *args, **_kwargs) else: # required arguments is not passed obj = None if not request.user.has_perm(perm, obj=obj): if raise_exception: raise PermissionDenied else: return redirect_to_login(request, login_url) return view_func(request, *args, **_kwargs) return inner return wrapper
python
def permission_required(perm, queryset=None, login_url=None, raise_exception=False): """ Permission check decorator for function-base generic view This decorator works as function decorator Parameters ---------- perm : string A permission string queryset : queryset or model A queryset or model for finding object. With classbased generic view, ``None`` for using view default queryset. When the view does not define ``get_queryset``, ``queryset``, ``get_object``, or ``object`` then ``obj=None`` is used to check permission. With functional generic view, ``None`` for using passed queryset. When non queryset was passed then ``obj=None`` is used to check permission. Examples -------- >>> @permission_required('auth.change_user') >>> def update_auth_user(request, *args, **kwargs): ... pass """ def wrapper(view_func): @wraps(view_func, assigned=available_attrs(view_func)) def inner(request, *args, **kwargs): _kwargs = copy.copy(kwargs) # overwrite queryset if specified if queryset: _kwargs['queryset'] = queryset # get object from view if 'date_field' in _kwargs: fn = get_object_from_date_based_view else: fn = get_object_from_list_detail_view if fn.validate(request, *args, **_kwargs): obj = fn(request, *args, **_kwargs) else: # required arguments is not passed obj = None if not request.user.has_perm(perm, obj=obj): if raise_exception: raise PermissionDenied else: return redirect_to_login(request, login_url) return view_func(request, *args, **_kwargs) return inner return wrapper
Permission check decorator for function-base generic view This decorator works as function decorator Parameters ---------- perm : string A permission string queryset : queryset or model A queryset or model for finding object. With classbased generic view, ``None`` for using view default queryset. When the view does not define ``get_queryset``, ``queryset``, ``get_object``, or ``object`` then ``obj=None`` is used to check permission. With functional generic view, ``None`` for using passed queryset. When non queryset was passed then ``obj=None`` is used to check permission. Examples -------- >>> @permission_required('auth.change_user') >>> def update_auth_user(request, *args, **kwargs): ... pass
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/decorators/functionbase.py#L13-L66
lambdalisue/django-permission
src/permission/decorators/functionbase.py
get_object_from_list_detail_view
def get_object_from_list_detail_view(request, *args, **kwargs): """ Get object from generic list_detail.detail view Parameters ---------- request : instance An instance of HttpRequest Returns ------- instance An instance of model object or None """ queryset = kwargs['queryset'] object_id = kwargs.get('object_id', None) slug = kwargs.get('slug', None) slug_field = kwargs.get('slug_field', 'slug') if object_id: obj = get_object_or_404(queryset, pk=object_id) elif slug and slug_field: obj = get_object_or_404(queryset, **{slug_field: slug}) else: raise AttributeError( "Generic detail view must be called with either an " "object_id or a slug/slug_field." ) return obj
python
def get_object_from_list_detail_view(request, *args, **kwargs): """ Get object from generic list_detail.detail view Parameters ---------- request : instance An instance of HttpRequest Returns ------- instance An instance of model object or None """ queryset = kwargs['queryset'] object_id = kwargs.get('object_id', None) slug = kwargs.get('slug', None) slug_field = kwargs.get('slug_field', 'slug') if object_id: obj = get_object_or_404(queryset, pk=object_id) elif slug and slug_field: obj = get_object_or_404(queryset, **{slug_field: slug}) else: raise AttributeError( "Generic detail view must be called with either an " "object_id or a slug/slug_field." ) return obj
Get object from generic list_detail.detail view Parameters ---------- request : instance An instance of HttpRequest Returns ------- instance An instance of model object or None
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/decorators/functionbase.py#L69-L96
lambdalisue/django-permission
src/permission/decorators/functionbase.py
get_object_from_date_based_view
def get_object_from_date_based_view(request, *args, **kwargs): # noqa """ Get object from generic date_based.detail view Parameters ---------- request : instance An instance of HttpRequest Returns ------- instance An instance of model object or None """ import time import datetime from django.http import Http404 from django.db.models.fields import DateTimeField try: from django.utils import timezone datetime_now = timezone.now except ImportError: datetime_now = datetime.datetime.now year, month, day = kwargs['year'], kwargs['month'], kwargs['day'] month_format = kwargs.get('month_format', '%b') day_format = kwargs.get('day_format', '%d') date_field = kwargs['date_field'] queryset = kwargs['queryset'] object_id = kwargs.get('object_id', None) slug = kwargs.get('slug', None) slug_field = kwargs.get('slug_field', 'slug') try: tt = time.strptime( '%s-%s-%s' % (year, month, day), '%s-%s-%s' % ('%Y', month_format, day_format) ) date = datetime.date(*tt[:3]) except ValueError: raise Http404 model = queryset.model if isinstance(model._meta.get_field(date_field), DateTimeField): lookup_kwargs = { '%s__range' % date_field: ( datetime.datetime.combine(date, datetime.time.min), datetime.datetime.combine(date, datetime.time.max), )} else: lookup_kwargs = {date_field: date} now = datetime_now() if date >= now.date() and not kwargs.get('allow_future', False): lookup_kwargs['%s__lte' % date_field] = now if object_id: lookup_kwargs['pk'] = object_id elif slug and slug_field: lookup_kwargs['%s__exact' % slug_field] = slug else: raise AttributeError( "Generic detail view must be called with either an " "object_id or a slug/slug_field." ) return get_object_or_404(queryset, **lookup_kwargs)
python
def get_object_from_date_based_view(request, *args, **kwargs): # noqa """ Get object from generic date_based.detail view Parameters ---------- request : instance An instance of HttpRequest Returns ------- instance An instance of model object or None """ import time import datetime from django.http import Http404 from django.db.models.fields import DateTimeField try: from django.utils import timezone datetime_now = timezone.now except ImportError: datetime_now = datetime.datetime.now year, month, day = kwargs['year'], kwargs['month'], kwargs['day'] month_format = kwargs.get('month_format', '%b') day_format = kwargs.get('day_format', '%d') date_field = kwargs['date_field'] queryset = kwargs['queryset'] object_id = kwargs.get('object_id', None) slug = kwargs.get('slug', None) slug_field = kwargs.get('slug_field', 'slug') try: tt = time.strptime( '%s-%s-%s' % (year, month, day), '%s-%s-%s' % ('%Y', month_format, day_format) ) date = datetime.date(*tt[:3]) except ValueError: raise Http404 model = queryset.model if isinstance(model._meta.get_field(date_field), DateTimeField): lookup_kwargs = { '%s__range' % date_field: ( datetime.datetime.combine(date, datetime.time.min), datetime.datetime.combine(date, datetime.time.max), )} else: lookup_kwargs = {date_field: date} now = datetime_now() if date >= now.date() and not kwargs.get('allow_future', False): lookup_kwargs['%s__lte' % date_field] = now if object_id: lookup_kwargs['pk'] = object_id elif slug and slug_field: lookup_kwargs['%s__exact' % slug_field] = slug else: raise AttributeError( "Generic detail view must be called with either an " "object_id or a slug/slug_field." ) return get_object_or_404(queryset, **lookup_kwargs)
Get object from generic date_based.detail view Parameters ---------- request : instance An instance of HttpRequest Returns ------- instance An instance of model object or None
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/decorators/functionbase.py#L107-L171
lambdalisue/django-permission
src/permission/utils/handlers.py
PermissionHandlerRegistry.register
def register(self, model, handler=None): """ Register a permission handler to the model Parameters ---------- model : django model class A django model class handler : permission handler class, string, or None A permission handler class or a dotted path Raises ------ ImproperlyConfigured Raise when the model is abstract model KeyError Raise when the model is already registered in registry The model cannot have more than one handler. """ from permission.handlers import PermissionHandler if model._meta.abstract: raise ImproperlyConfigured( 'The model %s is abstract, so it cannot be registered ' 'with permission.' % model) if model in self._registry: raise KeyError("A permission handler class is already " "registered for '%s'" % model) if handler is None: handler = settings.PERMISSION_DEFAULT_PERMISSION_HANDLER if isstr(handler): handler = import_string(handler) if not inspect.isclass(handler): raise AttributeError( "`handler` attribute must be a class. " "An instance was specified.") if not issubclass(handler, PermissionHandler): raise AttributeError( "`handler` attribute must be a subclass of " "`permission.handlers.PermissionHandler`") # Instantiate the handler to save in the registry instance = handler(model) self._registry[model] = instance
python
def register(self, model, handler=None): """ Register a permission handler to the model Parameters ---------- model : django model class A django model class handler : permission handler class, string, or None A permission handler class or a dotted path Raises ------ ImproperlyConfigured Raise when the model is abstract model KeyError Raise when the model is already registered in registry The model cannot have more than one handler. """ from permission.handlers import PermissionHandler if model._meta.abstract: raise ImproperlyConfigured( 'The model %s is abstract, so it cannot be registered ' 'with permission.' % model) if model in self._registry: raise KeyError("A permission handler class is already " "registered for '%s'" % model) if handler is None: handler = settings.PERMISSION_DEFAULT_PERMISSION_HANDLER if isstr(handler): handler = import_string(handler) if not inspect.isclass(handler): raise AttributeError( "`handler` attribute must be a class. " "An instance was specified.") if not issubclass(handler, PermissionHandler): raise AttributeError( "`handler` attribute must be a subclass of " "`permission.handlers.PermissionHandler`") # Instantiate the handler to save in the registry instance = handler(model) self._registry[model] = instance
Register a permission handler to the model Parameters ---------- model : django model class A django model class handler : permission handler class, string, or None A permission handler class or a dotted path Raises ------ ImproperlyConfigured Raise when the model is abstract model KeyError Raise when the model is already registered in registry The model cannot have more than one handler.
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/utils/handlers.py#L20-L62
lambdalisue/django-permission
src/permission/utils/handlers.py
PermissionHandlerRegistry.unregister
def unregister(self, model): """ Unregister a permission handler from the model Parameters ---------- model : django model class A django model class Raises ------ KeyError Raise when the model have not registered in registry yet. """ if model not in self._registry: raise KeyError("A permission handler class have not been " "registered for '%s' yet" % model) # remove from registry del self._registry[model]
python
def unregister(self, model): """ Unregister a permission handler from the model Parameters ---------- model : django model class A django model class Raises ------ KeyError Raise when the model have not registered in registry yet. """ if model not in self._registry: raise KeyError("A permission handler class have not been " "registered for '%s' yet" % model) # remove from registry del self._registry[model]
Unregister a permission handler from the model Parameters ---------- model : django model class A django model class Raises ------ KeyError Raise when the model have not registered in registry yet.
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/utils/handlers.py#L64-L82
lambdalisue/django-permission
src/permission/handlers.py
PermissionHandler._get_app_perms
def _get_app_perms(self, *args): """ Get permissions related to the application specified in constructor Returns ------- set A set instance of `app_label.codename` formatted permission strings """ if not hasattr(self, '_app_perms_cache'): self._app_perms_cache = get_app_perms(self.app_label) return self._app_perms_cache
python
def _get_app_perms(self, *args): """ Get permissions related to the application specified in constructor Returns ------- set A set instance of `app_label.codename` formatted permission strings """ if not hasattr(self, '_app_perms_cache'): self._app_perms_cache = get_app_perms(self.app_label) return self._app_perms_cache
Get permissions related to the application specified in constructor Returns ------- set A set instance of `app_label.codename` formatted permission strings
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/handlers.py#L59-L70
lambdalisue/django-permission
src/permission/handlers.py
PermissionHandler._get_model_perms
def _get_model_perms(self, *args): """ Get permissions related to the model specified in constructor Returns ------- set A set instance of `app_label.codename` formatted permission strings """ if not hasattr(self, '_model_perms_cache'): if self.model is None: self._model_perms_cache = set() else: self._model_perms_cache = get_model_perms(self.model) return self._model_perms_cache
python
def _get_model_perms(self, *args): """ Get permissions related to the model specified in constructor Returns ------- set A set instance of `app_label.codename` formatted permission strings """ if not hasattr(self, '_model_perms_cache'): if self.model is None: self._model_perms_cache = set() else: self._model_perms_cache = get_model_perms(self.model) return self._model_perms_cache
Get permissions related to the model specified in constructor Returns ------- set A set instance of `app_label.codename` formatted permission strings
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/handlers.py#L72-L86
lambdalisue/django-permission
src/permission/handlers.py
PermissionHandler.get_supported_permissions
def get_supported_permissions(self): """ Get permissions which this handler can treat. Specified with :attr:`includes` and :attr:`excludes` of this instance. Returns ------- set A set instance of `app_label.codename` formatted permission strings """ if not hasattr(self, '_perms_cache'): if (self.includes and isinstance(self.includes, collections.Callable)): includes = self.includes(self) else: includes = self.includes or [] if (self.excludes and isinstance(self.excludes, collections.Callable)): excludes = self.excludes(self) else: excludes = self.excludes or [] includes = set(includes) excludes = set(excludes) includes = includes.difference(excludes) self._perms_cache = includes return self._perms_cache
python
def get_supported_permissions(self): """ Get permissions which this handler can treat. Specified with :attr:`includes` and :attr:`excludes` of this instance. Returns ------- set A set instance of `app_label.codename` formatted permission strings """ if not hasattr(self, '_perms_cache'): if (self.includes and isinstance(self.includes, collections.Callable)): includes = self.includes(self) else: includes = self.includes or [] if (self.excludes and isinstance(self.excludes, collections.Callable)): excludes = self.excludes(self) else: excludes = self.excludes or [] includes = set(includes) excludes = set(excludes) includes = includes.difference(excludes) self._perms_cache = includes return self._perms_cache
Get permissions which this handler can treat. Specified with :attr:`includes` and :attr:`excludes` of this instance. Returns ------- set A set instance of `app_label.codename` formatted permission strings
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/handlers.py#L88-L113
lambdalisue/django-permission
src/permission/handlers.py
PermissionHandler.get_supported_app_labels
def get_supported_app_labels(self): """ Get app labels which this handler can treat. Specified with :attr:`includes` and :attr:`excludes` of this instance. Returns ------- set A set instance of app_label """ get_app_label = lambda x: x.split(".", 1)[0] if not hasattr(self, '_app_labels_cache'): perms = self.get_supported_permissions() self._app_labels_cache = set([get_app_label(x) for x in perms]) return self._app_labels_cache
python
def get_supported_app_labels(self): """ Get app labels which this handler can treat. Specified with :attr:`includes` and :attr:`excludes` of this instance. Returns ------- set A set instance of app_label """ get_app_label = lambda x: x.split(".", 1)[0] if not hasattr(self, '_app_labels_cache'): perms = self.get_supported_permissions() self._app_labels_cache = set([get_app_label(x) for x in perms]) return self._app_labels_cache
Get app labels which this handler can treat. Specified with :attr:`includes` and :attr:`excludes` of this instance. Returns ------- set A set instance of app_label
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/handlers.py#L115-L129
lambdalisue/django-permission
src/permission/handlers.py
PermissionHandler.has_module_perms
def has_module_perms(self, user_obj, app_label): """ Check if user have permission of specified app Parameters ---------- user_obj : django user model instance A django user model instance which be checked app_label : string Django application name Returns ------- boolean Whether the specified user have any permissions of specified app """ cache_name = "_has_module_perms_%s_%s_cache" % (app_label, user_obj.pk) if hasattr(self, cache_name): return getattr(self, cache_name) if self.app_label != app_label: setattr(self, cache_name, False) else: for permission in self.get_supported_permissions(): if user_obj.has_perm(permission): setattr(self, cache_name, True) return True setattr(self, cache_name, False) return False
python
def has_module_perms(self, user_obj, app_label): """ Check if user have permission of specified app Parameters ---------- user_obj : django user model instance A django user model instance which be checked app_label : string Django application name Returns ------- boolean Whether the specified user have any permissions of specified app """ cache_name = "_has_module_perms_%s_%s_cache" % (app_label, user_obj.pk) if hasattr(self, cache_name): return getattr(self, cache_name) if self.app_label != app_label: setattr(self, cache_name, False) else: for permission in self.get_supported_permissions(): if user_obj.has_perm(permission): setattr(self, cache_name, True) return True setattr(self, cache_name, False) return False
Check if user have permission of specified app Parameters ---------- user_obj : django user model instance A django user model instance which be checked app_label : string Django application name Returns ------- boolean Whether the specified user have any permissions of specified app
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/handlers.py#L158-L186
lambdalisue/django-permission
src/permission/handlers.py
LogicalPermissionHandler.has_perm
def has_perm(self, user_obj, perm, obj=None): """ Check if user have permission (of object) based on specified models's ``_permission_logics`` attribute. The result will be stored in user_obj as a cache to reduce method call. Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object). """ if perm not in self.get_supported_permissions(): return False # use cache to reduce method call CACHE_NAME = '_logical_perms_cache' if not hasattr(user_obj, CACHE_NAME): setattr(user_obj, CACHE_NAME, {}) cache = getattr(user_obj, CACHE_NAME) cachekey = "%s %s" % (perm, hash(obj)) if cachekey not in cache: cache[cachekey] = self._has_perm(user_obj, perm, obj) return cache[cachekey]
python
def has_perm(self, user_obj, perm, obj=None): """ Check if user have permission (of object) based on specified models's ``_permission_logics`` attribute. The result will be stored in user_obj as a cache to reduce method call. Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object). """ if perm not in self.get_supported_permissions(): return False # use cache to reduce method call CACHE_NAME = '_logical_perms_cache' if not hasattr(user_obj, CACHE_NAME): setattr(user_obj, CACHE_NAME, {}) cache = getattr(user_obj, CACHE_NAME) cachekey = "%s %s" % (perm, hash(obj)) if cachekey not in cache: cache[cachekey] = self._has_perm(user_obj, perm, obj) return cache[cachekey]
Check if user have permission (of object) based on specified models's ``_permission_logics`` attribute. The result will be stored in user_obj as a cache to reduce method call. Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object).
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/handlers.py#L214-L246
lambdalisue/django-permission
src/permission/decorators/permission_required.py
permission_required
def permission_required(perm, queryset_or_model=None, login_url=None, raise_exception=False): """ Permission check decorator for classbased/functional generic view This decorator works as class, method or function decorator without any modification. DO NOT use ``method_decorator`` or whatever while this decorator will use ``self`` argument for method of classbased generic view. Parameters ---------- perm : string A permission string queryset_or_model : queryset or model A queryset or model for finding object. With classbased generic view, ``None`` for using view default queryset. When the view does not define ``get_queryset``, ``queryset``, ``get_object``, or ``object`` then ``obj=None`` is used to check permission. With functional generic view, ``None`` for using passed queryset. When non queryset was passed then ``obj=None`` is used to check permission. Examples -------- >>> # As class decorator >>> @permission_required('auth.change_user') >>> class UpdateAuthUserView(UpdateView): ... pass >>> # As method decorator >>> class UpdateAuthUserView(UpdateView): ... @permission_required('auth.change_user') ... def dispatch(self, request, *args, **kwargs): ... pass >>> # As function decorator >>> @permission_required('auth.change_user') >>> def update_auth_user(request, *args, **kwargs): ... pass .. Note:: Classbased generic view is recommended while you can regulate the queryset with ``get_queryset()`` method. Detecting object from passed kwargs may not work correctly. """ # convert model to queryset if queryset_or_model and issubclass(queryset_or_model, Model): queryset_or_model = queryset_or_model._default_manager.all() def wrapper(class_or_method): if inspect.isclass(class_or_method): from permission.decorators.classbase import \ permission_required as decorator else: # method_permission_required can handle method or function # correctly. from permission.decorators.methodbase import \ permission_required as decorator return decorator(perm, queryset_or_model, login_url, raise_exception)(class_or_method) return wrapper
python
def permission_required(perm, queryset_or_model=None, login_url=None, raise_exception=False): """ Permission check decorator for classbased/functional generic view This decorator works as class, method or function decorator without any modification. DO NOT use ``method_decorator`` or whatever while this decorator will use ``self`` argument for method of classbased generic view. Parameters ---------- perm : string A permission string queryset_or_model : queryset or model A queryset or model for finding object. With classbased generic view, ``None`` for using view default queryset. When the view does not define ``get_queryset``, ``queryset``, ``get_object``, or ``object`` then ``obj=None`` is used to check permission. With functional generic view, ``None`` for using passed queryset. When non queryset was passed then ``obj=None`` is used to check permission. Examples -------- >>> # As class decorator >>> @permission_required('auth.change_user') >>> class UpdateAuthUserView(UpdateView): ... pass >>> # As method decorator >>> class UpdateAuthUserView(UpdateView): ... @permission_required('auth.change_user') ... def dispatch(self, request, *args, **kwargs): ... pass >>> # As function decorator >>> @permission_required('auth.change_user') >>> def update_auth_user(request, *args, **kwargs): ... pass .. Note:: Classbased generic view is recommended while you can regulate the queryset with ``get_queryset()`` method. Detecting object from passed kwargs may not work correctly. """ # convert model to queryset if queryset_or_model and issubclass(queryset_or_model, Model): queryset_or_model = queryset_or_model._default_manager.all() def wrapper(class_or_method): if inspect.isclass(class_or_method): from permission.decorators.classbase import \ permission_required as decorator else: # method_permission_required can handle method or function # correctly. from permission.decorators.methodbase import \ permission_required as decorator return decorator(perm, queryset_or_model, login_url, raise_exception)(class_or_method) return wrapper
Permission check decorator for classbased/functional generic view This decorator works as class, method or function decorator without any modification. DO NOT use ``method_decorator`` or whatever while this decorator will use ``self`` argument for method of classbased generic view. Parameters ---------- perm : string A permission string queryset_or_model : queryset or model A queryset or model for finding object. With classbased generic view, ``None`` for using view default queryset. When the view does not define ``get_queryset``, ``queryset``, ``get_object``, or ``object`` then ``obj=None`` is used to check permission. With functional generic view, ``None`` for using passed queryset. When non queryset was passed then ``obj=None`` is used to check permission. Examples -------- >>> # As class decorator >>> @permission_required('auth.change_user') >>> class UpdateAuthUserView(UpdateView): ... pass >>> # As method decorator >>> class UpdateAuthUserView(UpdateView): ... @permission_required('auth.change_user') ... def dispatch(self, request, *args, **kwargs): ... pass >>> # As function decorator >>> @permission_required('auth.change_user') >>> def update_auth_user(request, *args, **kwargs): ... pass .. Note:: Classbased generic view is recommended while you can regulate the queryset with ``get_queryset()`` method. Detecting object from passed kwargs may not work correctly.
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/decorators/permission_required.py#L11-L71
lambdalisue/django-permission
src/permission/utils/permissions.py
get_perm_codename
def get_perm_codename(perm, fail_silently=True): """ Get permission codename from permission-string. Examples -------- >>> get_perm_codename('app_label.codename_model') 'codename_model' >>> get_perm_codename('app_label.codename') 'codename' >>> get_perm_codename('codename_model') 'codename_model' >>> get_perm_codename('codename') 'codename' >>> get_perm_codename('app_label.app_label.codename_model') 'app_label.codename_model' """ try: perm = perm.split('.', 1)[1] except IndexError as e: if not fail_silently: raise e return perm
python
def get_perm_codename(perm, fail_silently=True): """ Get permission codename from permission-string. Examples -------- >>> get_perm_codename('app_label.codename_model') 'codename_model' >>> get_perm_codename('app_label.codename') 'codename' >>> get_perm_codename('codename_model') 'codename_model' >>> get_perm_codename('codename') 'codename' >>> get_perm_codename('app_label.app_label.codename_model') 'app_label.codename_model' """ try: perm = perm.split('.', 1)[1] except IndexError as e: if not fail_silently: raise e return perm
Get permission codename from permission-string. Examples -------- >>> get_perm_codename('app_label.codename_model') 'codename_model' >>> get_perm_codename('app_label.codename') 'codename' >>> get_perm_codename('codename_model') 'codename_model' >>> get_perm_codename('codename') 'codename' >>> get_perm_codename('app_label.app_label.codename_model') 'app_label.codename_model'
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/utils/permissions.py#L12-L34
lambdalisue/django-permission
src/permission/utils/permissions.py
permission_to_perm
def permission_to_perm(permission): """ Convert a permission instance to a permission-string. Examples -------- >>> permission = Permission.objects.get( ... content_type__app_label='auth', ... codename='add_user', ... ) >>> permission_to_perm(permission) 'auth.add_user' """ app_label = permission.content_type.app_label codename = permission.codename return '%s.%s' % (app_label, codename)
python
def permission_to_perm(permission): """ Convert a permission instance to a permission-string. Examples -------- >>> permission = Permission.objects.get( ... content_type__app_label='auth', ... codename='add_user', ... ) >>> permission_to_perm(permission) 'auth.add_user' """ app_label = permission.content_type.app_label codename = permission.codename return '%s.%s' % (app_label, codename)
Convert a permission instance to a permission-string. Examples -------- >>> permission = Permission.objects.get( ... content_type__app_label='auth', ... codename='add_user', ... ) >>> permission_to_perm(permission) 'auth.add_user'
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/utils/permissions.py#L37-L52
lambdalisue/django-permission
src/permission/utils/permissions.py
perm_to_permission
def perm_to_permission(perm): """ Convert a permission-string to a permission instance. Examples -------- >>> permission = perm_to_permission('auth.add_user') >>> permission.content_type.app_label 'auth' >>> permission.codename 'add_user' """ from django.contrib.auth.models import Permission try: app_label, codename = perm.split('.', 1) except (ValueError, IndexError): raise AttributeError( 'The format of identifier string permission (perm) is wrong. ' "It should be in 'app_label.codename'." ) else: permission = Permission.objects.get( content_type__app_label=app_label, codename=codename ) return permission
python
def perm_to_permission(perm): """ Convert a permission-string to a permission instance. Examples -------- >>> permission = perm_to_permission('auth.add_user') >>> permission.content_type.app_label 'auth' >>> permission.codename 'add_user' """ from django.contrib.auth.models import Permission try: app_label, codename = perm.split('.', 1) except (ValueError, IndexError): raise AttributeError( 'The format of identifier string permission (perm) is wrong. ' "It should be in 'app_label.codename'." ) else: permission = Permission.objects.get( content_type__app_label=app_label, codename=codename ) return permission
Convert a permission-string to a permission instance. Examples -------- >>> permission = perm_to_permission('auth.add_user') >>> permission.content_type.app_label 'auth' >>> permission.codename 'add_user'
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/utils/permissions.py#L55-L80
lambdalisue/django-permission
src/permission/utils/permissions.py
get_app_perms
def get_app_perms(model_or_app_label): """ Get permission-string list of the specified django application. Parameters ---------- model_or_app_label : model class or string A model class or app_label string to specify the particular django application. Returns ------- set A set of perms of the specified django application. Examples -------- >>> perms1 = get_app_perms('auth') >>> perms2 = get_app_perms(Permission) >>> perms1 == perms2 True """ from django.contrib.auth.models import Permission if isinstance(model_or_app_label, string_types): app_label = model_or_app_label else: # assume model_or_app_label is model class app_label = model_or_app_label._meta.app_label qs = Permission.objects.filter(content_type__app_label=app_label) perms = ('%s.%s' % (app_label, p.codename) for p in qs.iterator()) return set(perms)
python
def get_app_perms(model_or_app_label): """ Get permission-string list of the specified django application. Parameters ---------- model_or_app_label : model class or string A model class or app_label string to specify the particular django application. Returns ------- set A set of perms of the specified django application. Examples -------- >>> perms1 = get_app_perms('auth') >>> perms2 = get_app_perms(Permission) >>> perms1 == perms2 True """ from django.contrib.auth.models import Permission if isinstance(model_or_app_label, string_types): app_label = model_or_app_label else: # assume model_or_app_label is model class app_label = model_or_app_label._meta.app_label qs = Permission.objects.filter(content_type__app_label=app_label) perms = ('%s.%s' % (app_label, p.codename) for p in qs.iterator()) return set(perms)
Get permission-string list of the specified django application. Parameters ---------- model_or_app_label : model class or string A model class or app_label string to specify the particular django application. Returns ------- set A set of perms of the specified django application. Examples -------- >>> perms1 = get_app_perms('auth') >>> perms2 = get_app_perms(Permission) >>> perms1 == perms2 True
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/utils/permissions.py#L83-L113
lambdalisue/django-permission
src/permission/utils/permissions.py
get_model_perms
def get_model_perms(model): """ Get permission-string list of a specified django model. Parameters ---------- model : model class A model class to specify the particular django model. Returns ------- set A set of perms of the specified django model. Examples -------- >>> sorted(get_model_perms(Permission)) == [ ... 'auth.add_permission', ... 'auth.change_permission', ... 'auth.delete_permission' ... ] True """ from django.contrib.auth.models import Permission app_label = model._meta.app_label model_name = model._meta.object_name.lower() qs = Permission.objects.filter(content_type__app_label=app_label, content_type__model=model_name) perms = ('%s.%s' % (app_label, p.codename) for p in qs.iterator()) return set(perms)
python
def get_model_perms(model): """ Get permission-string list of a specified django model. Parameters ---------- model : model class A model class to specify the particular django model. Returns ------- set A set of perms of the specified django model. Examples -------- >>> sorted(get_model_perms(Permission)) == [ ... 'auth.add_permission', ... 'auth.change_permission', ... 'auth.delete_permission' ... ] True """ from django.contrib.auth.models import Permission app_label = model._meta.app_label model_name = model._meta.object_name.lower() qs = Permission.objects.filter(content_type__app_label=app_label, content_type__model=model_name) perms = ('%s.%s' % (app_label, p.codename) for p in qs.iterator()) return set(perms)
Get permission-string list of a specified django model. Parameters ---------- model : model class A model class to specify the particular django model. Returns ------- set A set of perms of the specified django model. Examples -------- >>> sorted(get_model_perms(Permission)) == [ ... 'auth.add_permission', ... 'auth.change_permission', ... 'auth.delete_permission' ... ] True
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/utils/permissions.py#L116-L145
lambdalisue/django-permission
src/permission/logics/collaborators.py
CollaboratorsPermissionLogic.has_perm
def has_perm(self, user_obj, perm, obj=None): """ Check if user have permission (of object) If the user_obj is not authenticated, it return ``False``. If no object is specified, it return ``True`` when the corresponding permission was specified to ``True`` (changed from v0.7.0). This behavior is based on the django system. https://code.djangoproject.com/wiki/RowLevelPermissions If an object is specified, it will return ``True`` if the user is found in ``field_name`` of the object (e.g. ``obj.collaborators``). So once the object store the user as a collaborator in ``field_name`` attribute (default: ``collaborators``), the collaborator can change or delete the object (you can change this behavior to set ``any_permission``, ``change_permission`` or ``delete_permission`` attributes of this instance). Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object). """ if not is_authenticated(user_obj): return False # construct the permission full name change_permission = self.get_full_permission_string('change') delete_permission = self.get_full_permission_string('delete') if obj is None: # object permission without obj should return True # Ref: https://code.djangoproject.com/wiki/RowLevelPermissions if self.any_permission: return True if self.change_permission and perm == change_permission: return True if self.delete_permission and perm == delete_permission: return True return False elif user_obj.is_active: # get collaborator queryset collaborators = field_lookup(obj, self.field_name) if hasattr(collaborators, 'all'): collaborators = collaborators.all() if user_obj in collaborators: if self.any_permission: # have any kind of permissions to the obj return True if (self.change_permission and perm == change_permission): return True if (self.delete_permission and perm == delete_permission): return True return False
python
def has_perm(self, user_obj, perm, obj=None): """ Check if user have permission (of object) If the user_obj is not authenticated, it return ``False``. If no object is specified, it return ``True`` when the corresponding permission was specified to ``True`` (changed from v0.7.0). This behavior is based on the django system. https://code.djangoproject.com/wiki/RowLevelPermissions If an object is specified, it will return ``True`` if the user is found in ``field_name`` of the object (e.g. ``obj.collaborators``). So once the object store the user as a collaborator in ``field_name`` attribute (default: ``collaborators``), the collaborator can change or delete the object (you can change this behavior to set ``any_permission``, ``change_permission`` or ``delete_permission`` attributes of this instance). Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object). """ if not is_authenticated(user_obj): return False # construct the permission full name change_permission = self.get_full_permission_string('change') delete_permission = self.get_full_permission_string('delete') if obj is None: # object permission without obj should return True # Ref: https://code.djangoproject.com/wiki/RowLevelPermissions if self.any_permission: return True if self.change_permission and perm == change_permission: return True if self.delete_permission and perm == delete_permission: return True return False elif user_obj.is_active: # get collaborator queryset collaborators = field_lookup(obj, self.field_name) if hasattr(collaborators, 'all'): collaborators = collaborators.all() if user_obj in collaborators: if self.any_permission: # have any kind of permissions to the obj return True if (self.change_permission and perm == change_permission): return True if (self.delete_permission and perm == delete_permission): return True return False
Check if user have permission (of object) If the user_obj is not authenticated, it return ``False``. If no object is specified, it return ``True`` when the corresponding permission was specified to ``True`` (changed from v0.7.0). This behavior is based on the django system. https://code.djangoproject.com/wiki/RowLevelPermissions If an object is specified, it will return ``True`` if the user is found in ``field_name`` of the object (e.g. ``obj.collaborators``). So once the object store the user as a collaborator in ``field_name`` attribute (default: ``collaborators``), the collaborator can change or delete the object (you can change this behavior to set ``any_permission``, ``change_permission`` or ``delete_permission`` attributes of this instance). Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object).
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/logics/collaborators.py#L72-L137
lambdalisue/django-permission
src/permission/utils/logics.py
add_permission_logic
def add_permission_logic(model, permission_logic): """ Add permission logic to the model Parameters ---------- model : django model class A django model class which will be treated by the specified permission logic permission_logic : permission logic instance A permission logic instance which will be used to determine permission of the model Examples -------- >>> from django.db import models >>> from permission.logics import PermissionLogic >>> class Mock(models.Model): ... name = models.CharField('name', max_length=120) >>> add_permission_logic(Mock, PermissionLogic()) """ if not isinstance(permission_logic, PermissionLogic): raise AttributeError( '`permission_logic` must be an instance of PermissionLogic') if not hasattr(model, '_permission_logics'): model._permission_logics = set() if not hasattr(model, '_permission_handler'): from permission.utils.handlers import registry # register default permission handler registry.register(model, handler=None) model._permission_logics.add(permission_logic) # store target model to the permission_logic instance permission_logic.model = model
python
def add_permission_logic(model, permission_logic): """ Add permission logic to the model Parameters ---------- model : django model class A django model class which will be treated by the specified permission logic permission_logic : permission logic instance A permission logic instance which will be used to determine permission of the model Examples -------- >>> from django.db import models >>> from permission.logics import PermissionLogic >>> class Mock(models.Model): ... name = models.CharField('name', max_length=120) >>> add_permission_logic(Mock, PermissionLogic()) """ if not isinstance(permission_logic, PermissionLogic): raise AttributeError( '`permission_logic` must be an instance of PermissionLogic') if not hasattr(model, '_permission_logics'): model._permission_logics = set() if not hasattr(model, '_permission_handler'): from permission.utils.handlers import registry # register default permission handler registry.register(model, handler=None) model._permission_logics.add(permission_logic) # store target model to the permission_logic instance permission_logic.model = model
Add permission logic to the model Parameters ---------- model : django model class A django model class which will be treated by the specified permission logic permission_logic : permission logic instance A permission logic instance which will be used to determine permission of the model Examples -------- >>> from django.db import models >>> from permission.logics import PermissionLogic >>> class Mock(models.Model): ... name = models.CharField('name', max_length=120) >>> add_permission_logic(Mock, PermissionLogic())
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/utils/logics.py#L9-L41
lambdalisue/django-permission
src/permission/utils/logics.py
remove_permission_logic
def remove_permission_logic(model, permission_logic, fail_silently=True): """ Remove permission logic to the model Parameters ---------- model : django model class A django model class which will be treated by the specified permission logic permission_logic : permission logic class or instance A permission logic class or instance which will be used to determine permission of the model fail_silently : boolean If `True` then do not raise KeyError even the specified permission logic have not registered. Examples -------- >>> from django.db import models >>> from permission.logics import PermissionLogic >>> class Mock(models.Model): ... name = models.CharField('name', max_length=120) >>> logic = PermissionLogic() >>> add_permission_logic(Mock, logic) >>> remove_permission_logic(Mock, logic) """ if not hasattr(model, '_permission_logics'): model._permission_logics = set() if not isinstance(permission_logic, PermissionLogic): # remove all permission logic of related remove_set = set() for _permission_logic in model._permission_logics: if _permission_logic.__class__ == permission_logic: remove_set.add(_permission_logic) # difference model._permission_logics = model._permission_logics.difference(remove_set) else: if fail_silently and permission_logic not in model._permission_logics: pass else: model._permission_logics.remove(permission_logic)
python
def remove_permission_logic(model, permission_logic, fail_silently=True): """ Remove permission logic to the model Parameters ---------- model : django model class A django model class which will be treated by the specified permission logic permission_logic : permission logic class or instance A permission logic class or instance which will be used to determine permission of the model fail_silently : boolean If `True` then do not raise KeyError even the specified permission logic have not registered. Examples -------- >>> from django.db import models >>> from permission.logics import PermissionLogic >>> class Mock(models.Model): ... name = models.CharField('name', max_length=120) >>> logic = PermissionLogic() >>> add_permission_logic(Mock, logic) >>> remove_permission_logic(Mock, logic) """ if not hasattr(model, '_permission_logics'): model._permission_logics = set() if not isinstance(permission_logic, PermissionLogic): # remove all permission logic of related remove_set = set() for _permission_logic in model._permission_logics: if _permission_logic.__class__ == permission_logic: remove_set.add(_permission_logic) # difference model._permission_logics = model._permission_logics.difference(remove_set) else: if fail_silently and permission_logic not in model._permission_logics: pass else: model._permission_logics.remove(permission_logic)
Remove permission logic to the model Parameters ---------- model : django model class A django model class which will be treated by the specified permission logic permission_logic : permission logic class or instance A permission logic class or instance which will be used to determine permission of the model fail_silently : boolean If `True` then do not raise KeyError even the specified permission logic have not registered. Examples -------- >>> from django.db import models >>> from permission.logics import PermissionLogic >>> class Mock(models.Model): ... name = models.CharField('name', max_length=120) >>> logic = PermissionLogic() >>> add_permission_logic(Mock, logic) >>> remove_permission_logic(Mock, logic)
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/utils/logics.py#L44-L84
lambdalisue/django-permission
src/permission/utils/autodiscover.py
autodiscover
def autodiscover(module_name=None): """ Autodiscover INSTALLED_APPS perms.py modules and fail silently when not present. This forces an import on them to register any permissions bits they may want. """ from django.utils.module_loading import module_has_submodule from permission.compat import import_module from permission.conf import settings module_name = module_name or settings.PERMISSION_AUTODISCOVER_MODULE_NAME app_names = (app.name for app in apps.app_configs.values()) for app in app_names: mod = import_module(app) # Attempt to import the app's perms module try: # discover the permission module discover(app, module_name=module_name) except: # Decide whether to bubble up this error. If the app just doesn't # have an perms module, we can just ignore the error attempting # to import it, otherwise we want it to bubble up. if module_has_submodule(mod, module_name): raise
python
def autodiscover(module_name=None): """ Autodiscover INSTALLED_APPS perms.py modules and fail silently when not present. This forces an import on them to register any permissions bits they may want. """ from django.utils.module_loading import module_has_submodule from permission.compat import import_module from permission.conf import settings module_name = module_name or settings.PERMISSION_AUTODISCOVER_MODULE_NAME app_names = (app.name for app in apps.app_configs.values()) for app in app_names: mod = import_module(app) # Attempt to import the app's perms module try: # discover the permission module discover(app, module_name=module_name) except: # Decide whether to bubble up this error. If the app just doesn't # have an perms module, we can just ignore the error attempting # to import it, otherwise we want it to bubble up. if module_has_submodule(mod, module_name): raise
Autodiscover INSTALLED_APPS perms.py modules and fail silently when not present. This forces an import on them to register any permissions bits they may want.
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/utils/autodiscover.py#L7-L31
lambdalisue/django-permission
src/permission/utils/autodiscover.py
discover
def discover(app, module_name=None): """ Automatically apply the permission logics written in the specified module. Examples -------- Assume if you have a ``perms.py`` in ``your_app`` as:: from permission.logics import AuthorPermissionLogic PERMISSION_LOGICS = ( ('your_app.your_model', AuthorPermissionLogic), ) Use this method to apply the permission logics enumerated in ``PERMISSION_LOGICS`` variable like: >>> discover('your_app') """ from permission.compat import import_module from permission.compat import get_model from permission.conf import settings from permission.utils.logics import add_permission_logic variable_name = settings.PERMISSION_AUTODISCOVER_VARIABLE_NAME module_name = module_name or settings.PERMISSION_AUTODISCOVER_MODULE_NAME # import the module m = import_module('%s.%s' % (app, module_name)) # check if the module have PERMISSION_LOGICS variable if hasattr(m, variable_name): # apply permission logics automatically permission_logic_set = getattr(m, variable_name) for model, permission_logic in permission_logic_set: if isinstance(model, six.string_types): # convert model string to model instance model = get_model(*model.split('.', 1)) add_permission_logic(model, permission_logic)
python
def discover(app, module_name=None): """ Automatically apply the permission logics written in the specified module. Examples -------- Assume if you have a ``perms.py`` in ``your_app`` as:: from permission.logics import AuthorPermissionLogic PERMISSION_LOGICS = ( ('your_app.your_model', AuthorPermissionLogic), ) Use this method to apply the permission logics enumerated in ``PERMISSION_LOGICS`` variable like: >>> discover('your_app') """ from permission.compat import import_module from permission.compat import get_model from permission.conf import settings from permission.utils.logics import add_permission_logic variable_name = settings.PERMISSION_AUTODISCOVER_VARIABLE_NAME module_name = module_name or settings.PERMISSION_AUTODISCOVER_MODULE_NAME # import the module m = import_module('%s.%s' % (app, module_name)) # check if the module have PERMISSION_LOGICS variable if hasattr(m, variable_name): # apply permission logics automatically permission_logic_set = getattr(m, variable_name) for model, permission_logic in permission_logic_set: if isinstance(model, six.string_types): # convert model string to model instance model = get_model(*model.split('.', 1)) add_permission_logic(model, permission_logic)
Automatically apply the permission logics written in the specified module. Examples -------- Assume if you have a ``perms.py`` in ``your_app`` as:: from permission.logics import AuthorPermissionLogic PERMISSION_LOGICS = ( ('your_app.your_model', AuthorPermissionLogic), ) Use this method to apply the permission logics enumerated in ``PERMISSION_LOGICS`` variable like: >>> discover('your_app')
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/utils/autodiscover.py#L34-L72
lambdalisue/django-permission
src/permission/logics/oneself.py
OneselfPermissionLogic.has_perm
def has_perm(self, user_obj, perm, obj=None): """ Check if user have permission of himself If the user_obj is not authenticated, it return ``False``. If no object is specified, it return ``True`` when the corresponding permission was specified to ``True`` (changed from v0.7.0). This behavior is based on the django system. https://code.djangoproject.com/wiki/RowLevelPermissions If an object is specified, it will return ``True`` if the object is the user. So users can change or delete themselves (you can change this behavior to set ``any_permission``, ``change_permissino`` or ``delete_permission`` attributes of this instance). Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object). """ if not is_authenticated(user_obj): return False # construct the permission full name change_permission = self.get_full_permission_string('change') delete_permission = self.get_full_permission_string('delete') # check if the user is authenticated if obj is None: # object permission without obj should return True # Ref: https://code.djangoproject.com/wiki/RowLevelPermissions if self.any_permission: return True if self.change_permission and perm == change_permission: return True if self.delete_permission and perm == delete_permission: return True return False elif user_obj.is_active: # check if the user trying to interact with himself if obj == user_obj: if self.any_permission: # have any kind of permissions to himself return True if (self.change_permission and perm == change_permission): return True if (self.delete_permission and perm == delete_permission): return True return False
python
def has_perm(self, user_obj, perm, obj=None): """ Check if user have permission of himself If the user_obj is not authenticated, it return ``False``. If no object is specified, it return ``True`` when the corresponding permission was specified to ``True`` (changed from v0.7.0). This behavior is based on the django system. https://code.djangoproject.com/wiki/RowLevelPermissions If an object is specified, it will return ``True`` if the object is the user. So users can change or delete themselves (you can change this behavior to set ``any_permission``, ``change_permissino`` or ``delete_permission`` attributes of this instance). Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object). """ if not is_authenticated(user_obj): return False # construct the permission full name change_permission = self.get_full_permission_string('change') delete_permission = self.get_full_permission_string('delete') # check if the user is authenticated if obj is None: # object permission without obj should return True # Ref: https://code.djangoproject.com/wiki/RowLevelPermissions if self.any_permission: return True if self.change_permission and perm == change_permission: return True if self.delete_permission and perm == delete_permission: return True return False elif user_obj.is_active: # check if the user trying to interact with himself if obj == user_obj: if self.any_permission: # have any kind of permissions to himself return True if (self.change_permission and perm == change_permission): return True if (self.delete_permission and perm == delete_permission): return True return False
Check if user have permission of himself If the user_obj is not authenticated, it return ``False``. If no object is specified, it return ``True`` when the corresponding permission was specified to ``True`` (changed from v0.7.0). This behavior is based on the django system. https://code.djangoproject.com/wiki/RowLevelPermissions If an object is specified, it will return ``True`` if the object is the user. So users can change or delete themselves (you can change this behavior to set ``any_permission``, ``change_permissino`` or ``delete_permission`` attributes of this instance). Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object).
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/logics/oneself.py#L58-L118
lambdalisue/django-permission
src/permission/logics/base.py
PermissionLogic.get_full_permission_string
def get_full_permission_string(self, perm): """ Return full permission string (app_label.perm_model) """ if not getattr(self, 'model', None): raise AttributeError("You need to use `add_permission_logic` to " "register the instance to the model class " "before calling this method.") app_label = self.model._meta.app_label model_name = self.model._meta.object_name.lower() return "%s.%s_%s" % (app_label, perm, model_name)
python
def get_full_permission_string(self, perm): """ Return full permission string (app_label.perm_model) """ if not getattr(self, 'model', None): raise AttributeError("You need to use `add_permission_logic` to " "register the instance to the model class " "before calling this method.") app_label = self.model._meta.app_label model_name = self.model._meta.object_name.lower() return "%s.%s_%s" % (app_label, perm, model_name)
Return full permission string (app_label.perm_model)
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/logics/base.py#L8-L18
lambdalisue/django-permission
src/permission/decorators/utils.py
redirect_to_login
def redirect_to_login(request, login_url=None, redirect_field_name=REDIRECT_FIELD_NAME): """redirect to login""" path = request.build_absolute_uri() # if the login url is the same scheme and net location then just # use the path as the "next" url. login_scheme, login_netloc = \ urlparse(login_url or settings.LOGIN_URL)[:2] current_scheme, current_netloc = urlparse(path)[:2] if ((not login_scheme or login_scheme == current_scheme) and (not login_netloc or login_netloc == current_netloc)): path = request.get_full_path() from django.contrib.auth.views import \ redirect_to_login as auth_redirect_to_login return auth_redirect_to_login(path, login_url, redirect_field_name)
python
def redirect_to_login(request, login_url=None, redirect_field_name=REDIRECT_FIELD_NAME): """redirect to login""" path = request.build_absolute_uri() # if the login url is the same scheme and net location then just # use the path as the "next" url. login_scheme, login_netloc = \ urlparse(login_url or settings.LOGIN_URL)[:2] current_scheme, current_netloc = urlparse(path)[:2] if ((not login_scheme or login_scheme == current_scheme) and (not login_netloc or login_netloc == current_netloc)): path = request.get_full_path() from django.contrib.auth.views import \ redirect_to_login as auth_redirect_to_login return auth_redirect_to_login(path, login_url, redirect_field_name)
redirect to login
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/decorators/utils.py#L13-L27
lambdalisue/django-permission
src/permission/backends.py
PermissionBackend.has_perm
def has_perm(self, user_obj, perm, obj=None): """ Check if user have permission (of object) based on registered handlers. It will raise ``ObjectDoesNotExist`` exception when the specified string permission does not exist and ``PERMISSION_CHECK_PERMISSION_PRESENCE`` is ``True`` in ``settings`` module. Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object). Raises ------ django.core.exceptions.ObjectDoesNotExist If the specified string permission does not exist and ``PERMISSION_CHECK_PERMISSION_PRESENCE`` is ``True`` in ``settings`` module. """ if settings.PERMISSION_CHECK_PERMISSION_PRESENCE: # get permission instance from string permission (perm) # it raise ObjectDoesNotExists when the permission is not exists try: perm_to_permission(perm) except AttributeError: # Django 1.2 internally use wrong permission string thus ignore pass # get permission handlers fot this perm cache_name = '_%s_cache' % perm if hasattr(self, cache_name): handlers = getattr(self, cache_name) else: handlers = [h for h in registry.get_handlers() if perm in h.get_supported_permissions()] setattr(self, cache_name, handlers) for handler in handlers: if handler.has_perm(user_obj, perm, obj=obj): return True return False
python
def has_perm(self, user_obj, perm, obj=None): """ Check if user have permission (of object) based on registered handlers. It will raise ``ObjectDoesNotExist`` exception when the specified string permission does not exist and ``PERMISSION_CHECK_PERMISSION_PRESENCE`` is ``True`` in ``settings`` module. Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object). Raises ------ django.core.exceptions.ObjectDoesNotExist If the specified string permission does not exist and ``PERMISSION_CHECK_PERMISSION_PRESENCE`` is ``True`` in ``settings`` module. """ if settings.PERMISSION_CHECK_PERMISSION_PRESENCE: # get permission instance from string permission (perm) # it raise ObjectDoesNotExists when the permission is not exists try: perm_to_permission(perm) except AttributeError: # Django 1.2 internally use wrong permission string thus ignore pass # get permission handlers fot this perm cache_name = '_%s_cache' % perm if hasattr(self, cache_name): handlers = getattr(self, cache_name) else: handlers = [h for h in registry.get_handlers() if perm in h.get_supported_permissions()] setattr(self, cache_name, handlers) for handler in handlers: if handler.has_perm(user_obj, perm, obj=obj): return True return False
Check if user have permission (of object) based on registered handlers. It will raise ``ObjectDoesNotExist`` exception when the specified string permission does not exist and ``PERMISSION_CHECK_PERMISSION_PRESENCE`` is ``True`` in ``settings`` module. Parameters ---------- user_obj : django user model instance A django user model instance which be checked perm : string `app_label.codename` formatted permission string obj : None or django model instance None or django model instance for object permission Returns ------- boolean Whether the specified user have specified permission (of specified object). Raises ------ django.core.exceptions.ObjectDoesNotExist If the specified string permission does not exist and ``PERMISSION_CHECK_PERMISSION_PRESENCE`` is ``True`` in ``settings`` module.
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/backends.py#L28-L79
lambdalisue/django-permission
src/permission/backends.py
PermissionBackend.has_module_perms
def has_module_perms(self, user_obj, app_label): """ Check if user have permission of specified app based on registered handlers. It will raise ``ObjectDoesNotExist`` exception when the specified string permission does not exist and ``PERMISSION_CHECK_PERMISSION_PRESENCE`` is ``True`` in ``settings`` module. Parameters ---------- user_obj : django user model instance A django user model instance which is checked app_label : string `app_label.codename` formatted permission string Returns ------- boolean Whether the specified user have specified permission. Raises ------ django.core.exceptions.ObjectDoesNotExist If the specified string permission does not exist and ``PERMISSION_CHECK_PERMISSION_PRESENCE`` is ``True`` in ``settings`` module. """ # get permission handlers fot this perm cache_name = '_%s_cache' % app_label if hasattr(self, cache_name): handlers = getattr(self, cache_name) else: handlers = [h for h in registry.get_handlers() if app_label in h.get_supported_app_labels()] setattr(self, cache_name, handlers) for handler in handlers: if handler.has_module_perms(user_obj, app_label): return True return False
python
def has_module_perms(self, user_obj, app_label): """ Check if user have permission of specified app based on registered handlers. It will raise ``ObjectDoesNotExist`` exception when the specified string permission does not exist and ``PERMISSION_CHECK_PERMISSION_PRESENCE`` is ``True`` in ``settings`` module. Parameters ---------- user_obj : django user model instance A django user model instance which is checked app_label : string `app_label.codename` formatted permission string Returns ------- boolean Whether the specified user have specified permission. Raises ------ django.core.exceptions.ObjectDoesNotExist If the specified string permission does not exist and ``PERMISSION_CHECK_PERMISSION_PRESENCE`` is ``True`` in ``settings`` module. """ # get permission handlers fot this perm cache_name = '_%s_cache' % app_label if hasattr(self, cache_name): handlers = getattr(self, cache_name) else: handlers = [h for h in registry.get_handlers() if app_label in h.get_supported_app_labels()] setattr(self, cache_name, handlers) for handler in handlers: if handler.has_module_perms(user_obj, app_label): return True return False
Check if user have permission of specified app based on registered handlers. It will raise ``ObjectDoesNotExist`` exception when the specified string permission does not exist and ``PERMISSION_CHECK_PERMISSION_PRESENCE`` is ``True`` in ``settings`` module. Parameters ---------- user_obj : django user model instance A django user model instance which is checked app_label : string `app_label.codename` formatted permission string Returns ------- boolean Whether the specified user have specified permission. Raises ------ django.core.exceptions.ObjectDoesNotExist If the specified string permission does not exist and ``PERMISSION_CHECK_PERMISSION_PRESENCE`` is ``True`` in ``settings`` module.
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/backends.py#L81-L121
lambdalisue/django-permission
src/permission/templatetags/permissionif.py
of_operator
def of_operator(context, x, y): """ 'of' operator of permission if This operator is used to specify the target object of permission """ return x.eval(context), y.eval(context)
python
def of_operator(context, x, y): """ 'of' operator of permission if This operator is used to specify the target object of permission """ return x.eval(context), y.eval(context)
'of' operator of permission if This operator is used to specify the target object of permission
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/templatetags/permissionif.py#L17-L23
lambdalisue/django-permission
src/permission/templatetags/permissionif.py
has_operator
def has_operator(context, x, y): """ 'has' operator of permission if This operator is used to specify the user object of permission """ user = x.eval(context) perm = y.eval(context) if isinstance(perm, (list, tuple)): perm, obj = perm else: obj = None return user.has_perm(perm, obj)
python
def has_operator(context, x, y): """ 'has' operator of permission if This operator is used to specify the user object of permission """ user = x.eval(context) perm = y.eval(context) if isinstance(perm, (list, tuple)): perm, obj = perm else: obj = None return user.has_perm(perm, obj)
'has' operator of permission if This operator is used to specify the user object of permission
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/templatetags/permissionif.py#L26-L38
lambdalisue/django-permission
src/permission/templatetags/permissionif.py
do_permissionif
def do_permissionif(parser, token): """ Permission if templatetag Examples -------- :: {% if user has 'blogs.add_article' %} <p>This user have 'blogs.add_article' permission</p> {% elif user has 'blog.change_article' of object %} <p>This user have 'blogs.change_article' permission of {{object}}</p> {% endif %} {# If you set 'PERMISSION_REPLACE_BUILTIN_IF = False' in settings #} {% permission user has 'blogs.add_article' %} <p>This user have 'blogs.add_article' permission</p> {% elpermission user has 'blog.change_article' of object %} <p>This user have 'blogs.change_article' permission of {{object}}</p> {% endpermission %} """ bits = token.split_contents() ELIF = "el%s" % bits[0] ELSE = "else" ENDIF = "end%s" % bits[0] # {% if ... %} bits = bits[1:] condition = do_permissionif.Parser(parser, bits).parse() nodelist = parser.parse((ELIF, ELSE, ENDIF)) conditions_nodelists = [(condition, nodelist)] token = parser.next_token() # {% elif ... %} (repeatable) while token.contents.startswith(ELIF): bits = token.split_contents()[1:] condition = do_permissionif.Parser(parser, bits).parse() nodelist = parser.parse((ELIF, ELSE, ENDIF)) conditions_nodelists.append((condition, nodelist)) token = parser.next_token() # {% else %} (optional) if token.contents == ELSE: nodelist = parser.parse((ENDIF,)) conditions_nodelists.append((None, nodelist)) token = parser.next_token() # {% endif %} assert token.contents == ENDIF return IfNode(conditions_nodelists)
python
def do_permissionif(parser, token): """ Permission if templatetag Examples -------- :: {% if user has 'blogs.add_article' %} <p>This user have 'blogs.add_article' permission</p> {% elif user has 'blog.change_article' of object %} <p>This user have 'blogs.change_article' permission of {{object}}</p> {% endif %} {# If you set 'PERMISSION_REPLACE_BUILTIN_IF = False' in settings #} {% permission user has 'blogs.add_article' %} <p>This user have 'blogs.add_article' permission</p> {% elpermission user has 'blog.change_article' of object %} <p>This user have 'blogs.change_article' permission of {{object}}</p> {% endpermission %} """ bits = token.split_contents() ELIF = "el%s" % bits[0] ELSE = "else" ENDIF = "end%s" % bits[0] # {% if ... %} bits = bits[1:] condition = do_permissionif.Parser(parser, bits).parse() nodelist = parser.parse((ELIF, ELSE, ENDIF)) conditions_nodelists = [(condition, nodelist)] token = parser.next_token() # {% elif ... %} (repeatable) while token.contents.startswith(ELIF): bits = token.split_contents()[1:] condition = do_permissionif.Parser(parser, bits).parse() nodelist = parser.parse((ELIF, ELSE, ENDIF)) conditions_nodelists.append((condition, nodelist)) token = parser.next_token() # {% else %} (optional) if token.contents == ELSE: nodelist = parser.parse((ENDIF,)) conditions_nodelists.append((None, nodelist)) token = parser.next_token() # {% endif %} assert token.contents == ENDIF return IfNode(conditions_nodelists)
Permission if templatetag Examples -------- :: {% if user has 'blogs.add_article' %} <p>This user have 'blogs.add_article' permission</p> {% elif user has 'blog.change_article' of object %} <p>This user have 'blogs.change_article' permission of {{object}}</p> {% endif %} {# If you set 'PERMISSION_REPLACE_BUILTIN_IF = False' in settings #} {% permission user has 'blogs.add_article' %} <p>This user have 'blogs.add_article' permission</p> {% elpermission user has 'blog.change_article' of object %} <p>This user have 'blogs.change_article' permission of {{object}}</p> {% endpermission %}
https://github.com/lambdalisue/django-permission/blob/580f7a1f857701d06ccf41163f188ac04fbc4fac/src/permission/templatetags/permissionif.py#L77-L128
coddingtonbear/django-mailbox
django_mailbox/utils.py
get_body_from_message
def get_body_from_message(message, maintype, subtype): """ Fetchs the body message matching main/sub content type. """ body = six.text_type('') for part in message.walk(): if part.get('content-disposition', '').startswith('attachment;'): continue if part.get_content_maintype() == maintype and \ part.get_content_subtype() == subtype: charset = part.get_content_charset() this_part = part.get_payload(decode=True) if charset: try: this_part = this_part.decode(charset, 'replace') except LookupError: this_part = this_part.decode('ascii', 'replace') logger.warning( 'Unknown encoding %s encountered while decoding ' 'text payload. Interpreting as ASCII with ' 'replacement, but some data may not be ' 'represented as the sender intended.', charset ) except ValueError: this_part = this_part.decode('ascii', 'replace') logger.warning( 'Error encountered while decoding text ' 'payload from an incorrectly-constructed ' 'e-mail; payload was converted to ASCII with ' 'replacement, but some data may not be ' 'represented as the sender intended.' ) else: this_part = this_part.decode('ascii', 'replace') body += this_part return body
python
def get_body_from_message(message, maintype, subtype): """ Fetchs the body message matching main/sub content type. """ body = six.text_type('') for part in message.walk(): if part.get('content-disposition', '').startswith('attachment;'): continue if part.get_content_maintype() == maintype and \ part.get_content_subtype() == subtype: charset = part.get_content_charset() this_part = part.get_payload(decode=True) if charset: try: this_part = this_part.decode(charset, 'replace') except LookupError: this_part = this_part.decode('ascii', 'replace') logger.warning( 'Unknown encoding %s encountered while decoding ' 'text payload. Interpreting as ASCII with ' 'replacement, but some data may not be ' 'represented as the sender intended.', charset ) except ValueError: this_part = this_part.decode('ascii', 'replace') logger.warning( 'Error encountered while decoding text ' 'payload from an incorrectly-constructed ' 'e-mail; payload was converted to ASCII with ' 'replacement, but some data may not be ' 'represented as the sender intended.' ) else: this_part = this_part.decode('ascii', 'replace') body += this_part return body
Fetchs the body message matching main/sub content type.
https://github.com/coddingtonbear/django-mailbox/blob/fafc183e28dd0b5c76cd245a3ba9c1401e7e676e/django_mailbox/utils.py#L105-L143
AguaClara/aguaclara
aguaclara/core/physchem.py
diam_circle
def diam_circle(AreaCircle): """Return the diameter of a circle.""" ut.check_range([AreaCircle, ">0", "AreaCircle"]) return np.sqrt(4 * AreaCircle / np.pi)
python
def diam_circle(AreaCircle): """Return the diameter of a circle.""" ut.check_range([AreaCircle, ">0", "AreaCircle"]) return np.sqrt(4 * AreaCircle / np.pi)
Return the diameter of a circle.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L27-L30
AguaClara/aguaclara
aguaclara/core/physchem.py
density_water
def density_water(temp): """Return the density of water at a given temperature. If given units, the function will automatically convert to Kelvin. If not given units, the function will assume Kelvin. """ ut.check_range([temp, ">0", "Temperature in Kelvin"]) rhointerpolated = interpolate.CubicSpline(WATER_DENSITY_TABLE[0], WATER_DENSITY_TABLE[1]) return np.asscalar(rhointerpolated(temp))
python
def density_water(temp): """Return the density of water at a given temperature. If given units, the function will automatically convert to Kelvin. If not given units, the function will assume Kelvin. """ ut.check_range([temp, ">0", "Temperature in Kelvin"]) rhointerpolated = interpolate.CubicSpline(WATER_DENSITY_TABLE[0], WATER_DENSITY_TABLE[1]) return np.asscalar(rhointerpolated(temp))
Return the density of water at a given temperature. If given units, the function will automatically convert to Kelvin. If not given units, the function will assume Kelvin.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L63-L72
AguaClara/aguaclara
aguaclara/core/physchem.py
viscosity_kinematic
def viscosity_kinematic(temp): """Return the kinematic viscosity of water at a given temperature. If given units, the function will automatically convert to Kelvin. If not given units, the function will assume Kelvin. """ ut.check_range([temp, ">0", "Temperature in Kelvin"]) return (viscosity_dynamic(temp).magnitude / density_water(temp).magnitude)
python
def viscosity_kinematic(temp): """Return the kinematic viscosity of water at a given temperature. If given units, the function will automatically convert to Kelvin. If not given units, the function will assume Kelvin. """ ut.check_range([temp, ">0", "Temperature in Kelvin"]) return (viscosity_dynamic(temp).magnitude / density_water(temp).magnitude)
Return the kinematic viscosity of water at a given temperature. If given units, the function will automatically convert to Kelvin. If not given units, the function will assume Kelvin.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L76-L84
AguaClara/aguaclara
aguaclara/core/physchem.py
re_pipe
def re_pipe(FlowRate, Diam, Nu): """Return the Reynolds Number for a pipe.""" #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [Diam, ">0", "Diameter"], [Nu, ">0", "Nu"]) return (4 * FlowRate) / (np.pi * Diam * Nu)
python
def re_pipe(FlowRate, Diam, Nu): """Return the Reynolds Number for a pipe.""" #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [Diam, ">0", "Diameter"], [Nu, ">0", "Nu"]) return (4 * FlowRate) / (np.pi * Diam * Nu)
Return the Reynolds Number for a pipe.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L88-L93
AguaClara/aguaclara
aguaclara/core/physchem.py
radius_hydraulic
def radius_hydraulic(Width, DistCenter, openchannel): """Return the hydraulic radius. Width and DistCenter are length values and openchannel is a boolean. """ ut.check_range([Width, ">0", "Width"], [DistCenter, ">0", "DistCenter"], [openchannel, "boolean", "openchannel"]) if openchannel: return (Width*DistCenter) / (Width + 2*DistCenter) # if openchannel is True, the channel is open. Otherwise, the channel # is assumed to have a top. else: return (Width*DistCenter) / (2 * (Width+DistCenter))
python
def radius_hydraulic(Width, DistCenter, openchannel): """Return the hydraulic radius. Width and DistCenter are length values and openchannel is a boolean. """ ut.check_range([Width, ">0", "Width"], [DistCenter, ">0", "DistCenter"], [openchannel, "boolean", "openchannel"]) if openchannel: return (Width*DistCenter) / (Width + 2*DistCenter) # if openchannel is True, the channel is open. Otherwise, the channel # is assumed to have a top. else: return (Width*DistCenter) / (2 * (Width+DistCenter))
Return the hydraulic radius. Width and DistCenter are length values and openchannel is a boolean.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L98-L110
AguaClara/aguaclara
aguaclara/core/physchem.py
re_rect
def re_rect(FlowRate, Width, DistCenter, Nu, openchannel): """Return the Reynolds Number for a rectangular channel.""" #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([FlowRate, ">0", "Flow rate"], [Nu, ">0", "Nu"]) return (4 * FlowRate * radius_hydraulic(Width, DistCenter, openchannel).magnitude / (Width * DistCenter * Nu))
python
def re_rect(FlowRate, Width, DistCenter, Nu, openchannel): """Return the Reynolds Number for a rectangular channel.""" #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([FlowRate, ">0", "Flow rate"], [Nu, ">0", "Nu"]) return (4 * FlowRate * radius_hydraulic(Width, DistCenter, openchannel).magnitude / (Width * DistCenter * Nu))
Return the Reynolds Number for a rectangular channel.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L121-L128
AguaClara/aguaclara
aguaclara/core/physchem.py
re_general
def re_general(Vel, Area, PerimWetted, Nu): """Return the Reynolds Number for a general cross section.""" #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([Vel, ">=0", "Velocity"], [Nu, ">0", "Nu"]) return 4 * radius_hydraulic_general(Area, PerimWetted).magnitude * Vel / Nu
python
def re_general(Vel, Area, PerimWetted, Nu): """Return the Reynolds Number for a general cross section.""" #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([Vel, ">=0", "Velocity"], [Nu, ">0", "Nu"]) return 4 * radius_hydraulic_general(Area, PerimWetted).magnitude * Vel / Nu
Return the Reynolds Number for a general cross section.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L134-L139
AguaClara/aguaclara
aguaclara/core/physchem.py
fric
def fric(FlowRate, Diam, Nu, PipeRough): """Return the friction factor for pipe flow. This equation applies to both laminar and turbulent flows. """ #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([PipeRough, "0-1", "Pipe roughness"]) if re_pipe(FlowRate, Diam, Nu) >= RE_TRANSITION_PIPE: #Swamee-Jain friction factor for turbulent flow; best for #Re>3000 and ε/Diam < 0.02 f = (0.25 / (np.log10(PipeRough / (3.7 * Diam) + 5.74 / re_pipe(FlowRate, Diam, Nu) ** 0.9 ) ) ** 2 ) else: f = 64 / re_pipe(FlowRate, Diam, Nu) return f
python
def fric(FlowRate, Diam, Nu, PipeRough): """Return the friction factor for pipe flow. This equation applies to both laminar and turbulent flows. """ #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([PipeRough, "0-1", "Pipe roughness"]) if re_pipe(FlowRate, Diam, Nu) >= RE_TRANSITION_PIPE: #Swamee-Jain friction factor for turbulent flow; best for #Re>3000 and ε/Diam < 0.02 f = (0.25 / (np.log10(PipeRough / (3.7 * Diam) + 5.74 / re_pipe(FlowRate, Diam, Nu) ** 0.9 ) ) ** 2 ) else: f = 64 / re_pipe(FlowRate, Diam, Nu) return f
Return the friction factor for pipe flow. This equation applies to both laminar and turbulent flows.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L143-L161
AguaClara/aguaclara
aguaclara/core/physchem.py
fric_rect
def fric_rect(FlowRate, Width, DistCenter, Nu, PipeRough, openchannel): """Return the friction factor for a rectangular channel.""" #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([PipeRough, "0-1", "Pipe roughness"]) if re_rect(FlowRate,Width,DistCenter,Nu,openchannel) >= RE_TRANSITION_PIPE: #Swamee-Jain friction factor adapted for rectangular channel. #Diam = 4*R_h in this case. return (0.25 / (np.log10((PipeRough / (3.7 * 4 * radius_hydraulic(Width, DistCenter, openchannel).magnitude ) ) + (5.74 / (re_rect(FlowRate, Width, DistCenter, Nu, openchannel) ** 0.9) ) ) ) ** 2 ) else: return 64 / re_rect(FlowRate, Width, DistCenter, Nu, openchannel)
python
def fric_rect(FlowRate, Width, DistCenter, Nu, PipeRough, openchannel): """Return the friction factor for a rectangular channel.""" #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([PipeRough, "0-1", "Pipe roughness"]) if re_rect(FlowRate,Width,DistCenter,Nu,openchannel) >= RE_TRANSITION_PIPE: #Swamee-Jain friction factor adapted for rectangular channel. #Diam = 4*R_h in this case. return (0.25 / (np.log10((PipeRough / (3.7 * 4 * radius_hydraulic(Width, DistCenter, openchannel).magnitude ) ) + (5.74 / (re_rect(FlowRate, Width, DistCenter, Nu, openchannel) ** 0.9) ) ) ) ** 2 ) else: return 64 / re_rect(FlowRate, Width, DistCenter, Nu, openchannel)
Return the friction factor for a rectangular channel.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L166-L188
AguaClara/aguaclara
aguaclara/core/physchem.py
fric_general
def fric_general(Area, PerimWetted, Vel, Nu, PipeRough): """Return the friction factor for a general channel.""" #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([PipeRough, "0-1", "Pipe roughness"]) if re_general(Vel, Area, PerimWetted, Nu) >= RE_TRANSITION_PIPE: #Swamee-Jain friction factor adapted for any cross-section. #Diam = 4*R*h f= (0.25 / (np.log10((PipeRough / (3.7 * 4 * radius_hydraulic_general(Area, PerimWetted).magnitude ) ) + (5.74 / re_general(Vel, Area, PerimWetted, Nu) ** 0.9 ) ) ) ** 2 ) else: f = 64 / re_general(Vel, Area, PerimWetted, Nu) return f
python
def fric_general(Area, PerimWetted, Vel, Nu, PipeRough): """Return the friction factor for a general channel.""" #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([PipeRough, "0-1", "Pipe roughness"]) if re_general(Vel, Area, PerimWetted, Nu) >= RE_TRANSITION_PIPE: #Swamee-Jain friction factor adapted for any cross-section. #Diam = 4*R*h f= (0.25 / (np.log10((PipeRough / (3.7 * 4 * radius_hydraulic_general(Area, PerimWetted).magnitude ) ) + (5.74 / re_general(Vel, Area, PerimWetted, Nu) ** 0.9 ) ) ) ** 2 ) else: f = 64 / re_general(Vel, Area, PerimWetted, Nu) return f
Return the friction factor for a general channel.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L193-L215
AguaClara/aguaclara
aguaclara/core/physchem.py
headloss_fric
def headloss_fric(FlowRate, Diam, Length, Nu, PipeRough): """Return the major head loss (due to wall shear) in a pipe. This equation applies to both laminar and turbulent flows. """ #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([Length, ">0", "Length"]) return (fric(FlowRate, Diam, Nu, PipeRough) * 8 / (gravity.magnitude * np.pi**2) * (Length * FlowRate**2) / Diam**5 )
python
def headloss_fric(FlowRate, Diam, Length, Nu, PipeRough): """Return the major head loss (due to wall shear) in a pipe. This equation applies to both laminar and turbulent flows. """ #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([Length, ">0", "Length"]) return (fric(FlowRate, Diam, Nu, PipeRough) * 8 / (gravity.magnitude * np.pi**2) * (Length * FlowRate**2) / Diam**5 )
Return the major head loss (due to wall shear) in a pipe. This equation applies to both laminar and turbulent flows.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L219-L230
AguaClara/aguaclara
aguaclara/core/physchem.py
headloss_exp
def headloss_exp(FlowRate, Diam, KMinor): """Return the minor head loss (due to expansions) in a pipe. This equation applies to both laminar and turbulent flows. """ #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [Diam, ">0", "Diameter"], [KMinor, ">=0", "K minor"]) return KMinor * 8 / (gravity.magnitude * np.pi**2) * FlowRate**2 / Diam**4
python
def headloss_exp(FlowRate, Diam, KMinor): """Return the minor head loss (due to expansions) in a pipe. This equation applies to both laminar and turbulent flows. """ #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [Diam, ">0", "Diameter"], [KMinor, ">=0", "K minor"]) return KMinor * 8 / (gravity.magnitude * np.pi**2) * FlowRate**2 / Diam**4
Return the minor head loss (due to expansions) in a pipe. This equation applies to both laminar and turbulent flows.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L234-L242
AguaClara/aguaclara
aguaclara/core/physchem.py
headloss
def headloss(FlowRate, Diam, Length, Nu, PipeRough, KMinor): """Return the total head loss from major and minor losses in a pipe. This equation applies to both laminar and turbulent flows. """ #Inputs do not need to be checked here because they are checked by #functions this function calls. return (headloss_fric(FlowRate, Diam, Length, Nu, PipeRough).magnitude + headloss_exp(FlowRate, Diam, KMinor).magnitude)
python
def headloss(FlowRate, Diam, Length, Nu, PipeRough, KMinor): """Return the total head loss from major and minor losses in a pipe. This equation applies to both laminar and turbulent flows. """ #Inputs do not need to be checked here because they are checked by #functions this function calls. return (headloss_fric(FlowRate, Diam, Length, Nu, PipeRough).magnitude + headloss_exp(FlowRate, Diam, KMinor).magnitude)
Return the total head loss from major and minor losses in a pipe. This equation applies to both laminar and turbulent flows.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L246-L254
AguaClara/aguaclara
aguaclara/core/physchem.py
headloss_fric_rect
def headloss_fric_rect(FlowRate, Width, DistCenter, Length, Nu, PipeRough, openchannel): """Return the major head loss due to wall shear in a rectangular channel. This equation applies to both laminar and turbulent flows. """ #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([Length, ">0", "Length"]) return (fric_rect(FlowRate, Width, DistCenter, Nu, PipeRough, openchannel) * Length / (4 * radius_hydraulic(Width, DistCenter, openchannel).magnitude) * FlowRate**2 / (2 * gravity.magnitude * (Width*DistCenter)**2) )
python
def headloss_fric_rect(FlowRate, Width, DistCenter, Length, Nu, PipeRough, openchannel): """Return the major head loss due to wall shear in a rectangular channel. This equation applies to both laminar and turbulent flows. """ #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([Length, ">0", "Length"]) return (fric_rect(FlowRate, Width, DistCenter, Nu, PipeRough, openchannel) * Length / (4 * radius_hydraulic(Width, DistCenter, openchannel).magnitude) * FlowRate**2 / (2 * gravity.magnitude * (Width*DistCenter)**2) )
Return the major head loss due to wall shear in a rectangular channel. This equation applies to both laminar and turbulent flows.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L258-L272
AguaClara/aguaclara
aguaclara/core/physchem.py
headloss_exp_rect
def headloss_exp_rect(FlowRate, Width, DistCenter, KMinor): """Return the minor head loss due to expansion in a rectangular channel. This equation applies to both laminar and turbulent flows. """ #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [Width, ">0", "Width"], [DistCenter, ">0", "DistCenter"], [KMinor, ">=0", "K minor"]) return (KMinor * FlowRate**2 / (2 * gravity.magnitude * (Width*DistCenter)**2) )
python
def headloss_exp_rect(FlowRate, Width, DistCenter, KMinor): """Return the minor head loss due to expansion in a rectangular channel. This equation applies to both laminar and turbulent flows. """ #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [Width, ">0", "Width"], [DistCenter, ">0", "DistCenter"], [KMinor, ">=0", "K minor"]) return (KMinor * FlowRate**2 / (2 * gravity.magnitude * (Width*DistCenter)**2) )
Return the minor head loss due to expansion in a rectangular channel. This equation applies to both laminar and turbulent flows.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L276-L286
AguaClara/aguaclara
aguaclara/core/physchem.py
headloss_rect
def headloss_rect(FlowRate, Width, DistCenter, Length, KMinor, Nu, PipeRough, openchannel): """Return the total head loss in a rectangular channel. Total head loss is a combination of the major and minor losses. This equation applies to both laminar and turbulent flows. """ #Inputs do not need to be checked here because they are checked by #functions this function calls. return (headloss_exp_rect(FlowRate, Width, DistCenter, KMinor).magnitude + headloss_fric_rect(FlowRate, Width, DistCenter, Length, Nu, PipeRough, openchannel).magnitude)
python
def headloss_rect(FlowRate, Width, DistCenter, Length, KMinor, Nu, PipeRough, openchannel): """Return the total head loss in a rectangular channel. Total head loss is a combination of the major and minor losses. This equation applies to both laminar and turbulent flows. """ #Inputs do not need to be checked here because they are checked by #functions this function calls. return (headloss_exp_rect(FlowRate, Width, DistCenter, KMinor).magnitude + headloss_fric_rect(FlowRate, Width, DistCenter, Length, Nu, PipeRough, openchannel).magnitude)
Return the total head loss in a rectangular channel. Total head loss is a combination of the major and minor losses. This equation applies to both laminar and turbulent flows.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L290-L301
AguaClara/aguaclara
aguaclara/core/physchem.py
headloss_fric_general
def headloss_fric_general(Area, PerimWetted, Vel, Length, Nu, PipeRough): """Return the major head loss due to wall shear in the general case. This equation applies to both laminar and turbulent flows. """ #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([Length, ">0", "Length"]) return (fric_general(Area, PerimWetted, Vel, Nu, PipeRough) * Length / (4 * radius_hydraulic_general(Area, PerimWetted).magnitude) * Vel**2 / (2*gravity.magnitude) )
python
def headloss_fric_general(Area, PerimWetted, Vel, Length, Nu, PipeRough): """Return the major head loss due to wall shear in the general case. This equation applies to both laminar and turbulent flows. """ #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([Length, ">0", "Length"]) return (fric_general(Area, PerimWetted, Vel, Nu, PipeRough) * Length / (4 * radius_hydraulic_general(Area, PerimWetted).magnitude) * Vel**2 / (2*gravity.magnitude) )
Return the major head loss due to wall shear in the general case. This equation applies to both laminar and turbulent flows.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L305-L316
AguaClara/aguaclara
aguaclara/core/physchem.py
headloss_exp_general
def headloss_exp_general(Vel, KMinor): """Return the minor head loss due to expansion in the general case. This equation applies to both laminar and turbulent flows. """ #Checking input validity ut.check_range([Vel, ">0", "Velocity"], [KMinor, '>=0', 'K minor']) return KMinor * Vel**2 / (2*gravity.magnitude)
python
def headloss_exp_general(Vel, KMinor): """Return the minor head loss due to expansion in the general case. This equation applies to both laminar and turbulent flows. """ #Checking input validity ut.check_range([Vel, ">0", "Velocity"], [KMinor, '>=0', 'K minor']) return KMinor * Vel**2 / (2*gravity.magnitude)
Return the minor head loss due to expansion in the general case. This equation applies to both laminar and turbulent flows.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L320-L327
AguaClara/aguaclara
aguaclara/core/physchem.py
headloss_gen
def headloss_gen(Area, Vel, PerimWetted, Length, KMinor, Nu, PipeRough): """Return the total head lossin the general case. Total head loss is a combination of major and minor losses. This equation applies to both laminar and turbulent flows. """ #Inputs do not need to be checked here because they are checked by #functions this function calls. return (headloss_exp_general(Vel, KMinor).magnitude + headloss_fric_general(Area, PerimWetted, Vel, Length, Nu, PipeRough).magnitude)
python
def headloss_gen(Area, Vel, PerimWetted, Length, KMinor, Nu, PipeRough): """Return the total head lossin the general case. Total head loss is a combination of major and minor losses. This equation applies to both laminar and turbulent flows. """ #Inputs do not need to be checked here because they are checked by #functions this function calls. return (headloss_exp_general(Vel, KMinor).magnitude + headloss_fric_general(Area, PerimWetted, Vel, Length, Nu, PipeRough).magnitude)
Return the total head lossin the general case. Total head loss is a combination of major and minor losses. This equation applies to both laminar and turbulent flows.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L331-L341
AguaClara/aguaclara
aguaclara/core/physchem.py
headloss_manifold
def headloss_manifold(FlowRate, Diam, Length, KMinor, Nu, PipeRough, NumOutlets): """Return the total head loss through the manifold.""" #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([NumOutlets, ">0, int", 'Number of outlets']) return (headloss(FlowRate, Diam, Length, Nu, PipeRough, KMinor).magnitude * ((1/3 ) + (1 / (2*NumOutlets)) + (1 / (6*NumOutlets**2)) ) )
python
def headloss_manifold(FlowRate, Diam, Length, KMinor, Nu, PipeRough, NumOutlets): """Return the total head loss through the manifold.""" #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([NumOutlets, ">0, int", 'Number of outlets']) return (headloss(FlowRate, Diam, Length, Nu, PipeRough, KMinor).magnitude * ((1/3 ) + (1 / (2*NumOutlets)) + (1 / (6*NumOutlets**2)) ) )
Return the total head loss through the manifold.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L346-L356
AguaClara/aguaclara
aguaclara/core/physchem.py
flow_orifice
def flow_orifice(Diam, Height, RatioVCOrifice): """Return the flow rate of the orifice.""" #Checking input validity ut.check_range([Diam, ">0", "Diameter"], [RatioVCOrifice, "0-1", "VC orifice ratio"]) if Height > 0: return (RatioVCOrifice * area_circle(Diam).magnitude * np.sqrt(2 * gravity.magnitude * Height)) else: return 0
python
def flow_orifice(Diam, Height, RatioVCOrifice): """Return the flow rate of the orifice.""" #Checking input validity ut.check_range([Diam, ">0", "Diameter"], [RatioVCOrifice, "0-1", "VC orifice ratio"]) if Height > 0: return (RatioVCOrifice * area_circle(Diam).magnitude * np.sqrt(2 * gravity.magnitude * Height)) else: return 0
Return the flow rate of the orifice.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L361-L370
AguaClara/aguaclara
aguaclara/core/physchem.py
flow_orifice_vert
def flow_orifice_vert(Diam, Height, RatioVCOrifice): """Return the vertical flow rate of the orifice.""" #Checking input validity ut.check_range([RatioVCOrifice, "0-1", "VC orifice ratio"]) if Height > -Diam / 2: flow_vert = integrate.quad(lambda z: (Diam * np.sin(np.arccos(z/(Diam/2))) * np.sqrt(Height - z) ), - Diam / 2, min(Diam/2, Height)) return flow_vert[0] * RatioVCOrifice * np.sqrt(2 * gravity.magnitude) else: return 0
python
def flow_orifice_vert(Diam, Height, RatioVCOrifice): """Return the vertical flow rate of the orifice.""" #Checking input validity ut.check_range([RatioVCOrifice, "0-1", "VC orifice ratio"]) if Height > -Diam / 2: flow_vert = integrate.quad(lambda z: (Diam * np.sin(np.arccos(z/(Diam/2))) * np.sqrt(Height - z) ), - Diam / 2, min(Diam/2, Height)) return flow_vert[0] * RatioVCOrifice * np.sqrt(2 * gravity.magnitude) else: return 0
Return the vertical flow rate of the orifice.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L376-L388
AguaClara/aguaclara
aguaclara/core/physchem.py
head_orifice
def head_orifice(Diam, RatioVCOrifice, FlowRate): """Return the head of the orifice.""" #Checking input validity ut.check_range([Diam, ">0", "Diameter"], [FlowRate, ">0", "Flow rate"], [RatioVCOrifice, "0-1", "VC orifice ratio"]) return ((FlowRate / (RatioVCOrifice * area_circle(Diam).magnitude) )**2 / (2*gravity.magnitude) )
python
def head_orifice(Diam, RatioVCOrifice, FlowRate): """Return the head of the orifice.""" #Checking input validity ut.check_range([Diam, ">0", "Diameter"], [FlowRate, ">0", "Flow rate"], [RatioVCOrifice, "0-1", "VC orifice ratio"]) return ((FlowRate / (RatioVCOrifice * area_circle(Diam).magnitude) )**2 / (2*gravity.magnitude) )
Return the head of the orifice.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L392-L401
AguaClara/aguaclara
aguaclara/core/physchem.py
area_orifice
def area_orifice(Height, RatioVCOrifice, FlowRate): """Return the area of the orifice.""" #Checking input validity ut.check_range([Height, ">0", "Height"], [FlowRate, ">0", "Flow rate"], [RatioVCOrifice, "0-1, >0", "VC orifice ratio"]) return FlowRate / (RatioVCOrifice * np.sqrt(2 * gravity.magnitude * Height))
python
def area_orifice(Height, RatioVCOrifice, FlowRate): """Return the area of the orifice.""" #Checking input validity ut.check_range([Height, ">0", "Height"], [FlowRate, ">0", "Flow rate"], [RatioVCOrifice, "0-1, >0", "VC orifice ratio"]) return FlowRate / (RatioVCOrifice * np.sqrt(2 * gravity.magnitude * Height))
Return the area of the orifice.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L405-L410
AguaClara/aguaclara
aguaclara/core/physchem.py
num_orifices
def num_orifices(FlowPlant, RatioVCOrifice, HeadLossOrifice, DiamOrifice): """Return the number of orifices.""" #Inputs do not need to be checked here because they are checked by #functions this function calls. return np.ceil(area_orifice(HeadLossOrifice, RatioVCOrifice, FlowPlant).magnitude / area_circle(DiamOrifice).magnitude)
python
def num_orifices(FlowPlant, RatioVCOrifice, HeadLossOrifice, DiamOrifice): """Return the number of orifices.""" #Inputs do not need to be checked here because they are checked by #functions this function calls. return np.ceil(area_orifice(HeadLossOrifice, RatioVCOrifice, FlowPlant).magnitude / area_circle(DiamOrifice).magnitude)
Return the number of orifices.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L414-L420
AguaClara/aguaclara
aguaclara/core/physchem.py
flow_transition
def flow_transition(Diam, Nu): """Return the flow rate for the laminar/turbulent transition. This equation is used in some of the other equations for flow. """ #Checking input validity ut.check_range([Diam, ">0", "Diameter"], [Nu, ">0", "Nu"]) return np.pi * Diam * RE_TRANSITION_PIPE * Nu / 4
python
def flow_transition(Diam, Nu): """Return the flow rate for the laminar/turbulent transition. This equation is used in some of the other equations for flow. """ #Checking input validity ut.check_range([Diam, ">0", "Diameter"], [Nu, ">0", "Nu"]) return np.pi * Diam * RE_TRANSITION_PIPE * Nu / 4
Return the flow rate for the laminar/turbulent transition. This equation is used in some of the other equations for flow.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L425-L432
AguaClara/aguaclara
aguaclara/core/physchem.py
flow_hagen
def flow_hagen(Diam, HeadLossFric, Length, Nu): """Return the flow rate for laminar flow with only major losses.""" #Checking input validity ut.check_range([Diam, ">0", "Diameter"], [Length, ">0", "Length"], [HeadLossFric, ">=0", "Headloss due to friction"], [Nu, ">0", "Nu"]) return (np.pi*Diam**4) / (128*Nu) * gravity.magnitude * HeadLossFric / Length
python
def flow_hagen(Diam, HeadLossFric, Length, Nu): """Return the flow rate for laminar flow with only major losses.""" #Checking input validity ut.check_range([Diam, ">0", "Diameter"], [Length, ">0", "Length"], [HeadLossFric, ">=0", "Headloss due to friction"], [Nu, ">0", "Nu"]) return (np.pi*Diam**4) / (128*Nu) * gravity.magnitude * HeadLossFric / Length
Return the flow rate for laminar flow with only major losses.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L436-L442
AguaClara/aguaclara
aguaclara/core/physchem.py
flow_swamee
def flow_swamee(Diam, HeadLossFric, Length, Nu, PipeRough): """Return the flow rate for turbulent flow with only major losses.""" #Checking input validity ut.check_range([Diam, ">0", "Diameter"], [Length, ">0", "Length"], [HeadLossFric, ">0", "Headloss due to friction"], [Nu, ">0", "Nu"], [PipeRough, "0-1", "Pipe roughness"]) logterm = np.log10(PipeRough / (3.7 * Diam) + 2.51 * Nu * np.sqrt(Length / (2 * gravity.magnitude * HeadLossFric * Diam**3) ) ) return ((-np.pi / np.sqrt(2)) * Diam**(5/2) * logterm * np.sqrt(gravity.magnitude * HeadLossFric / Length) )
python
def flow_swamee(Diam, HeadLossFric, Length, Nu, PipeRough): """Return the flow rate for turbulent flow with only major losses.""" #Checking input validity ut.check_range([Diam, ">0", "Diameter"], [Length, ">0", "Length"], [HeadLossFric, ">0", "Headloss due to friction"], [Nu, ">0", "Nu"], [PipeRough, "0-1", "Pipe roughness"]) logterm = np.log10(PipeRough / (3.7 * Diam) + 2.51 * Nu * np.sqrt(Length / (2 * gravity.magnitude * HeadLossFric * Diam**3) ) ) return ((-np.pi / np.sqrt(2)) * Diam**(5/2) * logterm * np.sqrt(gravity.magnitude * HeadLossFric / Length) )
Return the flow rate for turbulent flow with only major losses.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L446-L460
AguaClara/aguaclara
aguaclara/core/physchem.py
flow_pipemajor
def flow_pipemajor(Diam, HeadLossFric, Length, Nu, PipeRough): """Return the flow rate with only major losses. This function applies to both laminar and turbulent flows. """ #Inputs do not need to be checked here because they are checked by #functions this function calls. FlowHagen = flow_hagen(Diam, HeadLossFric, Length, Nu).magnitude if FlowHagen < flow_transition(Diam, Nu).magnitude: return FlowHagen else: return flow_swamee(Diam, HeadLossFric, Length, Nu, PipeRough).magnitude
python
def flow_pipemajor(Diam, HeadLossFric, Length, Nu, PipeRough): """Return the flow rate with only major losses. This function applies to both laminar and turbulent flows. """ #Inputs do not need to be checked here because they are checked by #functions this function calls. FlowHagen = flow_hagen(Diam, HeadLossFric, Length, Nu).magnitude if FlowHagen < flow_transition(Diam, Nu).magnitude: return FlowHagen else: return flow_swamee(Diam, HeadLossFric, Length, Nu, PipeRough).magnitude
Return the flow rate with only major losses. This function applies to both laminar and turbulent flows.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L465-L476
AguaClara/aguaclara
aguaclara/core/physchem.py
flow_pipeminor
def flow_pipeminor(Diam, HeadLossExpans, KMinor): """Return the flow rate with only minor losses. This function applies to both laminar and turbulent flows. """ #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([HeadLossExpans, ">=0", "Headloss due to expansion"], [KMinor, ">0", "K minor"]) return (area_circle(Diam).magnitude * np.sqrt(2 * gravity.magnitude * HeadLossExpans / KMinor) )
python
def flow_pipeminor(Diam, HeadLossExpans, KMinor): """Return the flow rate with only minor losses. This function applies to both laminar and turbulent flows. """ #Checking input validity - inputs not checked here are checked by #functions this function calls. ut.check_range([HeadLossExpans, ">=0", "Headloss due to expansion"], [KMinor, ">0", "K minor"]) return (area_circle(Diam).magnitude * np.sqrt(2 * gravity.magnitude * HeadLossExpans / KMinor) )
Return the flow rate with only minor losses. This function applies to both laminar and turbulent flows.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L480-L492
AguaClara/aguaclara
aguaclara/core/physchem.py
flow_pipe
def flow_pipe(Diam, HeadLoss, Length, Nu, PipeRough, KMinor): """Return the the flow in a straight pipe. This function works for both major and minor losses and works whether the flow is laminar or turbulent. """ #Inputs do not need to be checked here because they are checked by #functions this function calls. if KMinor == 0: FlowRate = flow_pipemajor(Diam, HeadLoss, Length, Nu, PipeRough).magnitude else: FlowRatePrev = 0 err = 1.0 FlowRate = min(flow_pipemajor(Diam, HeadLoss, Length, Nu, PipeRough).magnitude, flow_pipeminor(Diam, HeadLoss, KMinor).magnitude ) while err > 0.01: FlowRatePrev = FlowRate HLFricNew = (HeadLoss * headloss_fric(FlowRate, Diam, Length, Nu, PipeRough).magnitude / (headloss_fric(FlowRate, Diam, Length, Nu, PipeRough).magnitude + headloss_exp(FlowRate, Diam, KMinor).magnitude ) ) FlowRate = flow_pipemajor(Diam, HLFricNew, Length, Nu, PipeRough).magnitude if FlowRate == 0: err = 0.0 else: err = (abs(FlowRate - FlowRatePrev) / ((FlowRate + FlowRatePrev) / 2) ) return FlowRate
python
def flow_pipe(Diam, HeadLoss, Length, Nu, PipeRough, KMinor): """Return the the flow in a straight pipe. This function works for both major and minor losses and works whether the flow is laminar or turbulent. """ #Inputs do not need to be checked here because they are checked by #functions this function calls. if KMinor == 0: FlowRate = flow_pipemajor(Diam, HeadLoss, Length, Nu, PipeRough).magnitude else: FlowRatePrev = 0 err = 1.0 FlowRate = min(flow_pipemajor(Diam, HeadLoss, Length, Nu, PipeRough).magnitude, flow_pipeminor(Diam, HeadLoss, KMinor).magnitude ) while err > 0.01: FlowRatePrev = FlowRate HLFricNew = (HeadLoss * headloss_fric(FlowRate, Diam, Length, Nu, PipeRough).magnitude / (headloss_fric(FlowRate, Diam, Length, Nu, PipeRough).magnitude + headloss_exp(FlowRate, Diam, KMinor).magnitude ) ) FlowRate = flow_pipemajor(Diam, HLFricNew, Length, Nu, PipeRough).magnitude if FlowRate == 0: err = 0.0 else: err = (abs(FlowRate - FlowRatePrev) / ((FlowRate + FlowRatePrev) / 2) ) return FlowRate
Return the the flow in a straight pipe. This function works for both major and minor losses and works whether the flow is laminar or turbulent.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L499-L534
AguaClara/aguaclara
aguaclara/core/physchem.py
diam_swamee
def diam_swamee(FlowRate, HeadLossFric, Length, Nu, PipeRough): """Return the inner diameter of a pipe. The Swamee Jain equation is dimensionally correct and returns the inner diameter of a pipe given the flow rate and the head loss due to shear on the pipe walls. The Swamee Jain equation does NOT take minor losses into account. This equation ONLY applies to turbulent flow. """ #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [Length, ">0", "Length"], [HeadLossFric, ">0", "Headloss due to friction"], [Nu, ">0", "Nu"], [PipeRough, "0-1", "Pipe roughness"]) a = ((PipeRough ** 1.25) * ((Length * FlowRate**2) / (gravity.magnitude * HeadLossFric) )**4.75 ) b = (Nu * FlowRate**9.4 * (Length / (gravity.magnitude * HeadLossFric)) ** 5.2 ) return 0.66 * (a+b)**0.04
python
def diam_swamee(FlowRate, HeadLossFric, Length, Nu, PipeRough): """Return the inner diameter of a pipe. The Swamee Jain equation is dimensionally correct and returns the inner diameter of a pipe given the flow rate and the head loss due to shear on the pipe walls. The Swamee Jain equation does NOT take minor losses into account. This equation ONLY applies to turbulent flow. """ #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [Length, ">0", "Length"], [HeadLossFric, ">0", "Headloss due to friction"], [Nu, ">0", "Nu"], [PipeRough, "0-1", "Pipe roughness"]) a = ((PipeRough ** 1.25) * ((Length * FlowRate**2) / (gravity.magnitude * HeadLossFric) )**4.75 ) b = (Nu * FlowRate**9.4 * (Length / (gravity.magnitude * HeadLossFric)) ** 5.2 ) return 0.66 * (a+b)**0.04
Return the inner diameter of a pipe. The Swamee Jain equation is dimensionally correct and returns the inner diameter of a pipe given the flow rate and the head loss due to shear on the pipe walls. The Swamee Jain equation does NOT take minor losses into account. This equation ONLY applies to turbulent flow.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L549-L570
AguaClara/aguaclara
aguaclara/core/physchem.py
diam_pipemajor
def diam_pipemajor(FlowRate, HeadLossFric, Length, Nu, PipeRough): """Return the pipe IDiam that would result in given major losses. This function applies to both laminar and turbulent flow. """ #Inputs do not need to be checked here because they are checked by #functions this function calls. DiamLaminar = diam_hagen(FlowRate, HeadLossFric, Length, Nu).magnitude if re_pipe(FlowRate, DiamLaminar, Nu) <= RE_TRANSITION_PIPE: return DiamLaminar else: return diam_swamee(FlowRate, HeadLossFric, Length, Nu, PipeRough).magnitude
python
def diam_pipemajor(FlowRate, HeadLossFric, Length, Nu, PipeRough): """Return the pipe IDiam that would result in given major losses. This function applies to both laminar and turbulent flow. """ #Inputs do not need to be checked here because they are checked by #functions this function calls. DiamLaminar = diam_hagen(FlowRate, HeadLossFric, Length, Nu).magnitude if re_pipe(FlowRate, DiamLaminar, Nu) <= RE_TRANSITION_PIPE: return DiamLaminar else: return diam_swamee(FlowRate, HeadLossFric, Length, Nu, PipeRough).magnitude
Return the pipe IDiam that would result in given major losses. This function applies to both laminar and turbulent flow.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L575-L586
AguaClara/aguaclara
aguaclara/core/physchem.py
diam_pipeminor
def diam_pipeminor(FlowRate, HeadLossExpans, KMinor): """Return the pipe ID that would result in the given minor losses. This function applies to both laminar and turbulent flow. """ #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [KMinor, ">=0", "K minor"], [HeadLossExpans, ">0", "Headloss due to expansion"]) return (np.sqrt(4 * FlowRate / np.pi) * (KMinor / (2 * gravity.magnitude * HeadLossExpans)) ** (1/4) )
python
def diam_pipeminor(FlowRate, HeadLossExpans, KMinor): """Return the pipe ID that would result in the given minor losses. This function applies to both laminar and turbulent flow. """ #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [KMinor, ">=0", "K minor"], [HeadLossExpans, ">0", "Headloss due to expansion"]) return (np.sqrt(4 * FlowRate / np.pi) * (KMinor / (2 * gravity.magnitude * HeadLossExpans)) ** (1/4) )
Return the pipe ID that would result in the given minor losses. This function applies to both laminar and turbulent flow.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L589-L599
AguaClara/aguaclara
aguaclara/core/physchem.py
diam_pipe
def diam_pipe(FlowRate, HeadLoss, Length, Nu, PipeRough, KMinor): """Return the pipe ID that would result in the given total head loss. This function applies to both laminar and turbulent flow and incorporates both minor and major losses. """ #Inputs do not need to be checked here because they are checked by #functions this function calls. if KMinor == 0: Diam = diam_pipemajor(FlowRate, HeadLoss, Length, Nu, PipeRough).magnitude else: Diam = max(diam_pipemajor(FlowRate, HeadLoss, Length, Nu, PipeRough).magnitude, diam_pipeminor(FlowRate, HeadLoss, KMinor).magnitude) err = 1.00 while err > 0.001: DiamPrev = Diam HLFricNew = (HeadLoss * headloss_fric(FlowRate, Diam, Length, Nu, PipeRough ).magnitude / (headloss_fric(FlowRate, Diam, Length, Nu, PipeRough ).magnitude + headloss_exp(FlowRate, Diam, KMinor ).magnitude ) ) Diam = diam_pipemajor(FlowRate, HLFricNew, Length, Nu, PipeRough ).magnitude err = abs(Diam - DiamPrev) / ((Diam + DiamPrev) / 2) return Diam
python
def diam_pipe(FlowRate, HeadLoss, Length, Nu, PipeRough, KMinor): """Return the pipe ID that would result in the given total head loss. This function applies to both laminar and turbulent flow and incorporates both minor and major losses. """ #Inputs do not need to be checked here because they are checked by #functions this function calls. if KMinor == 0: Diam = diam_pipemajor(FlowRate, HeadLoss, Length, Nu, PipeRough).magnitude else: Diam = max(diam_pipemajor(FlowRate, HeadLoss, Length, Nu, PipeRough).magnitude, diam_pipeminor(FlowRate, HeadLoss, KMinor).magnitude) err = 1.00 while err > 0.001: DiamPrev = Diam HLFricNew = (HeadLoss * headloss_fric(FlowRate, Diam, Length, Nu, PipeRough ).magnitude / (headloss_fric(FlowRate, Diam, Length, Nu, PipeRough ).magnitude + headloss_exp(FlowRate, Diam, KMinor ).magnitude ) ) Diam = diam_pipemajor(FlowRate, HLFricNew, Length, Nu, PipeRough ).magnitude err = abs(Diam - DiamPrev) / ((Diam + DiamPrev) / 2) return Diam
Return the pipe ID that would result in the given total head loss. This function applies to both laminar and turbulent flow and incorporates both minor and major losses.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L604-L636
AguaClara/aguaclara
aguaclara/core/physchem.py
width_rect_weir
def width_rect_weir(FlowRate, Height): """Return the width of a rectangular weir.""" #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [Height, ">0", "Height"]) return ((3 / 2) * FlowRate / (con.VC_ORIFICE_RATIO * np.sqrt(2 * gravity.magnitude) * Height ** (3 / 2)) )
python
def width_rect_weir(FlowRate, Height): """Return the width of a rectangular weir.""" #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [Height, ">0", "Height"]) return ((3 / 2) * FlowRate / (con.VC_ORIFICE_RATIO * np.sqrt(2 * gravity.magnitude) * Height ** (3 / 2)) )
Return the width of a rectangular weir.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L640-L646
AguaClara/aguaclara
aguaclara/core/physchem.py
headloss_weir
def headloss_weir(FlowRate, Width): """Return the headloss of a weir.""" #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [Width, ">0", "Width"]) return (((3/2) * FlowRate / (con.VC_ORIFICE_RATIO * np.sqrt(2 * gravity.magnitude) * Width) ) ** (2/3))
python
def headloss_weir(FlowRate, Width): """Return the headloss of a weir.""" #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [Width, ">0", "Width"]) return (((3/2) * FlowRate / (con.VC_ORIFICE_RATIO * np.sqrt(2 * gravity.magnitude) * Width) ) ** (2/3))
Return the headloss of a weir.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L653-L659
AguaClara/aguaclara
aguaclara/core/physchem.py
flow_rect_weir
def flow_rect_weir(Height, Width): """Return the flow of a rectangular weir.""" #Checking input validity ut.check_range([Height, ">0", "Height"], [Width, ">0", "Width"]) return ((2/3) * con.VC_ORIFICE_RATIO * (np.sqrt(2*gravity.magnitude) * Height**(3/2)) * Width)
python
def flow_rect_weir(Height, Width): """Return the flow of a rectangular weir.""" #Checking input validity ut.check_range([Height, ">0", "Height"], [Width, ">0", "Width"]) return ((2/3) * con.VC_ORIFICE_RATIO * (np.sqrt(2*gravity.magnitude) * Height**(3/2)) * Width)
Return the flow of a rectangular weir.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L663-L669
AguaClara/aguaclara
aguaclara/core/physchem.py
height_water_critical
def height_water_critical(FlowRate, Width): """Return the critical local water depth.""" #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [Width, ">0", "Width"]) return (FlowRate / (Width * np.sqrt(gravity.magnitude))) ** (2/3)
python
def height_water_critical(FlowRate, Width): """Return the critical local water depth.""" #Checking input validity ut.check_range([FlowRate, ">0", "Flow rate"], [Width, ">0", "Width"]) return (FlowRate / (Width * np.sqrt(gravity.magnitude))) ** (2/3)
Return the critical local water depth.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L673-L677
AguaClara/aguaclara
aguaclara/core/physchem.py
vel_horizontal
def vel_horizontal(HeightWaterCritical): """Return the horizontal velocity.""" #Checking input validity ut.check_range([HeightWaterCritical, ">0", "Critical height of water"]) return np.sqrt(gravity.magnitude * HeightWaterCritical)
python
def vel_horizontal(HeightWaterCritical): """Return the horizontal velocity.""" #Checking input validity ut.check_range([HeightWaterCritical, ">0", "Critical height of water"]) return np.sqrt(gravity.magnitude * HeightWaterCritical)
Return the horizontal velocity.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L681-L685
AguaClara/aguaclara
aguaclara/core/physchem.py
headloss_kozeny
def headloss_kozeny(Length, Diam, Vel, Porosity, Nu): """Return the Carmen Kozeny Sand Bed head loss.""" #Checking input validity ut.check_range([Length, ">0", "Length"], [Diam, ">0", "Diam"], [Vel, ">0", "Velocity"], [Nu, ">0", "Nu"], [Porosity, "0-1", "Porosity"]) return (K_KOZENY * Length * Nu / gravity.magnitude * (1-Porosity)**2 / Porosity**3 * 36 * Vel / Diam ** 2)
python
def headloss_kozeny(Length, Diam, Vel, Porosity, Nu): """Return the Carmen Kozeny Sand Bed head loss.""" #Checking input validity ut.check_range([Length, ">0", "Length"], [Diam, ">0", "Diam"], [Vel, ">0", "Velocity"], [Nu, ">0", "Nu"], [Porosity, "0-1", "Porosity"]) return (K_KOZENY * Length * Nu / gravity.magnitude * (1-Porosity)**2 / Porosity**3 * 36 * Vel / Diam ** 2)
Return the Carmen Kozeny Sand Bed head loss.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/physchem.py#L689-L698
AguaClara/aguaclara
aguaclara/research/peristaltic_pump.py
vol_per_rev_3_stop
def vol_per_rev_3_stop(color="", inner_diameter=0): """Return the volume per revolution of an Ismatec 6 roller pump given the inner diameter (ID) of 3-stop tubing. The calculation is interpolated from the table found at http://www.ismatec.com/int_e/pumps/t_mini_s_ms_ca/tubing_msca2.htm. Note: 1. Either input a string as the tubing color code or a number as the tubing inner diameter. If both are given, the function will default to using the color. 2. The calculation is interpolated for inner diameters between 0.13 and 3.17 mm. Accuracy is not guaranteed for tubes with smaller or larger diameters. :param color: Color code of the Ismatec 3-stop tubing :type color: string :param inner_diameter: Inner diameter of the Ismatec 3-stop tubing. Results will be most accurate for inner diameters between 0.13 and 3.17 mm. :type inner_diameter: float :return: Volume per revolution output by a 6-roller pump through the 3-stop tubing (mL/rev) :rtype: float :Examples: >>> from aguaclara.research.peristaltic_pump import vol_per_rev_3_stop >>> from aguaclara.core.units import unit_registry as u >>> round(vol_per_rev_3_stop(color="yellow-blue"), 6) <Quantity(0.148846, 'milliliter / rev')> >>> round(vol_per_rev_3_stop(inner_diameter=.20*u.mm), 6) <Quantity(0.003116, 'milliliter / rev')> """ if color != "": inner_diameter = ID_colored_tube(color) term1 = (R_pump * 2 * np.pi - k_nonlinear * inner_diameter) / u.rev term2 = np.pi * (inner_diameter ** 2) / 4 return (term1 * term2).to(u.mL/u.rev)
python
def vol_per_rev_3_stop(color="", inner_diameter=0): """Return the volume per revolution of an Ismatec 6 roller pump given the inner diameter (ID) of 3-stop tubing. The calculation is interpolated from the table found at http://www.ismatec.com/int_e/pumps/t_mini_s_ms_ca/tubing_msca2.htm. Note: 1. Either input a string as the tubing color code or a number as the tubing inner diameter. If both are given, the function will default to using the color. 2. The calculation is interpolated for inner diameters between 0.13 and 3.17 mm. Accuracy is not guaranteed for tubes with smaller or larger diameters. :param color: Color code of the Ismatec 3-stop tubing :type color: string :param inner_diameter: Inner diameter of the Ismatec 3-stop tubing. Results will be most accurate for inner diameters between 0.13 and 3.17 mm. :type inner_diameter: float :return: Volume per revolution output by a 6-roller pump through the 3-stop tubing (mL/rev) :rtype: float :Examples: >>> from aguaclara.research.peristaltic_pump import vol_per_rev_3_stop >>> from aguaclara.core.units import unit_registry as u >>> round(vol_per_rev_3_stop(color="yellow-blue"), 6) <Quantity(0.148846, 'milliliter / rev')> >>> round(vol_per_rev_3_stop(inner_diameter=.20*u.mm), 6) <Quantity(0.003116, 'milliliter / rev')> """ if color != "": inner_diameter = ID_colored_tube(color) term1 = (R_pump * 2 * np.pi - k_nonlinear * inner_diameter) / u.rev term2 = np.pi * (inner_diameter ** 2) / 4 return (term1 * term2).to(u.mL/u.rev)
Return the volume per revolution of an Ismatec 6 roller pump given the inner diameter (ID) of 3-stop tubing. The calculation is interpolated from the table found at http://www.ismatec.com/int_e/pumps/t_mini_s_ms_ca/tubing_msca2.htm. Note: 1. Either input a string as the tubing color code or a number as the tubing inner diameter. If both are given, the function will default to using the color. 2. The calculation is interpolated for inner diameters between 0.13 and 3.17 mm. Accuracy is not guaranteed for tubes with smaller or larger diameters. :param color: Color code of the Ismatec 3-stop tubing :type color: string :param inner_diameter: Inner diameter of the Ismatec 3-stop tubing. Results will be most accurate for inner diameters between 0.13 and 3.17 mm. :type inner_diameter: float :return: Volume per revolution output by a 6-roller pump through the 3-stop tubing (mL/rev) :rtype: float :Examples: >>> from aguaclara.research.peristaltic_pump import vol_per_rev_3_stop >>> from aguaclara.core.units import unit_registry as u >>> round(vol_per_rev_3_stop(color="yellow-blue"), 6) <Quantity(0.148846, 'milliliter / rev')> >>> round(vol_per_rev_3_stop(inner_diameter=.20*u.mm), 6) <Quantity(0.003116, 'milliliter / rev')>
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/research/peristaltic_pump.py#L14-L48
AguaClara/aguaclara
aguaclara/research/peristaltic_pump.py
ID_colored_tube
def ID_colored_tube(color): """Look up the inner diameter of Ismatec 3-stop tubing given its color code. :param color: Color of the 3-stop tubing :type color: string :returns: Inner diameter of the 3-stop tubing (mm) :rtype: float :Examples: >>> from aguaclara.research.peristaltic_pump import ID_colored_tube >>> from aguaclara.core.units import unit_registry as u >>> ID_colored_tube("yellow-blue") <Quantity(1.52, 'millimeter')> >>> ID_colored_tube("orange-yellow") <Quantity(0.51, 'millimeter')> >>> ID_colored_tube("purple-white") <Quantity(2.79, 'millimeter')> """ tubing_data_path = os.path.join(os.path.dirname(__file__), "data", "3_stop_tubing.txt") df = pd.read_csv(tubing_data_path, delimiter='\t') idx = df["Color"] == color return df[idx]['Diameter (mm)'].values[0] * u.mm
python
def ID_colored_tube(color): """Look up the inner diameter of Ismatec 3-stop tubing given its color code. :param color: Color of the 3-stop tubing :type color: string :returns: Inner diameter of the 3-stop tubing (mm) :rtype: float :Examples: >>> from aguaclara.research.peristaltic_pump import ID_colored_tube >>> from aguaclara.core.units import unit_registry as u >>> ID_colored_tube("yellow-blue") <Quantity(1.52, 'millimeter')> >>> ID_colored_tube("orange-yellow") <Quantity(0.51, 'millimeter')> >>> ID_colored_tube("purple-white") <Quantity(2.79, 'millimeter')> """ tubing_data_path = os.path.join(os.path.dirname(__file__), "data", "3_stop_tubing.txt") df = pd.read_csv(tubing_data_path, delimiter='\t') idx = df["Color"] == color return df[idx]['Diameter (mm)'].values[0] * u.mm
Look up the inner diameter of Ismatec 3-stop tubing given its color code. :param color: Color of the 3-stop tubing :type color: string :returns: Inner diameter of the 3-stop tubing (mm) :rtype: float :Examples: >>> from aguaclara.research.peristaltic_pump import ID_colored_tube >>> from aguaclara.core.units import unit_registry as u >>> ID_colored_tube("yellow-blue") <Quantity(1.52, 'millimeter')> >>> ID_colored_tube("orange-yellow") <Quantity(0.51, 'millimeter')> >>> ID_colored_tube("purple-white") <Quantity(2.79, 'millimeter')>
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/research/peristaltic_pump.py#L51-L75
AguaClara/aguaclara
aguaclara/research/peristaltic_pump.py
vol_per_rev_LS
def vol_per_rev_LS(id_number): """Look up the volume per revolution output by a Masterflex L/S pump through L/S tubing of the given ID number. :param id_number: Identification number of the L/S tubing. Valid numbers are 13-18, 24, 35, and 36. :type id_number: int :return: Volume per revolution output by a Masterflex L/S pump through the L/S tubing :rtype: float :Examples: >>> from aguaclara.research.peristaltic_pump import vol_per_rev_LS >>> from aguaclara.core.units import unit_registry as u >>> vol_per_rev_LS(13) <Quantity(0.06, 'milliliter / turn')> >>> vol_per_rev_LS(18) <Quantity(3.8, 'milliliter / turn')> """ tubing_data_path = os.path.join(os.path.dirname(__file__), "data", "LS_tubing.txt") df = pd.read_csv(tubing_data_path, delimiter='\t') idx = df["Number"] == id_number return df[idx]['Flow (mL/rev)'].values[0] * u.mL/u.turn
python
def vol_per_rev_LS(id_number): """Look up the volume per revolution output by a Masterflex L/S pump through L/S tubing of the given ID number. :param id_number: Identification number of the L/S tubing. Valid numbers are 13-18, 24, 35, and 36. :type id_number: int :return: Volume per revolution output by a Masterflex L/S pump through the L/S tubing :rtype: float :Examples: >>> from aguaclara.research.peristaltic_pump import vol_per_rev_LS >>> from aguaclara.core.units import unit_registry as u >>> vol_per_rev_LS(13) <Quantity(0.06, 'milliliter / turn')> >>> vol_per_rev_LS(18) <Quantity(3.8, 'milliliter / turn')> """ tubing_data_path = os.path.join(os.path.dirname(__file__), "data", "LS_tubing.txt") df = pd.read_csv(tubing_data_path, delimiter='\t') idx = df["Number"] == id_number return df[idx]['Flow (mL/rev)'].values[0] * u.mL/u.turn
Look up the volume per revolution output by a Masterflex L/S pump through L/S tubing of the given ID number. :param id_number: Identification number of the L/S tubing. Valid numbers are 13-18, 24, 35, and 36. :type id_number: int :return: Volume per revolution output by a Masterflex L/S pump through the L/S tubing :rtype: float :Examples: >>> from aguaclara.research.peristaltic_pump import vol_per_rev_LS >>> from aguaclara.core.units import unit_registry as u >>> vol_per_rev_LS(13) <Quantity(0.06, 'milliliter / turn')> >>> vol_per_rev_LS(18) <Quantity(3.8, 'milliliter / turn')>
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/research/peristaltic_pump.py#L78-L101
AguaClara/aguaclara
aguaclara/research/peristaltic_pump.py
flow_rate
def flow_rate(vol_per_rev, rpm): """Return the flow rate from a pump given the volume of fluid pumped per revolution and the desired pump speed. :param vol_per_rev: Volume of fluid output per revolution (dependent on pump and tubing) :type vol_per_rev: float :param rpm: Desired pump speed in revolutions per minute :type rpm: float :return: Flow rate of the pump (mL/s) :rtype: float :Examples: >>> from aguaclara.research.peristaltic_pump import flow_rate >>> from aguaclara.core.units import unit_registry as u >>> flow_rate(3*u.mL/u.rev, 5*u.rev/u.min) <Quantity(0.25, 'milliliter / second')> """ return (vol_per_rev * rpm).to(u.mL/u.s)
python
def flow_rate(vol_per_rev, rpm): """Return the flow rate from a pump given the volume of fluid pumped per revolution and the desired pump speed. :param vol_per_rev: Volume of fluid output per revolution (dependent on pump and tubing) :type vol_per_rev: float :param rpm: Desired pump speed in revolutions per minute :type rpm: float :return: Flow rate of the pump (mL/s) :rtype: float :Examples: >>> from aguaclara.research.peristaltic_pump import flow_rate >>> from aguaclara.core.units import unit_registry as u >>> flow_rate(3*u.mL/u.rev, 5*u.rev/u.min) <Quantity(0.25, 'milliliter / second')> """ return (vol_per_rev * rpm).to(u.mL/u.s)
Return the flow rate from a pump given the volume of fluid pumped per revolution and the desired pump speed. :param vol_per_rev: Volume of fluid output per revolution (dependent on pump and tubing) :type vol_per_rev: float :param rpm: Desired pump speed in revolutions per minute :type rpm: float :return: Flow rate of the pump (mL/s) :rtype: float :Examples: >>> from aguaclara.research.peristaltic_pump import flow_rate >>> from aguaclara.core.units import unit_registry as u >>> flow_rate(3*u.mL/u.rev, 5*u.rev/u.min) <Quantity(0.25, 'milliliter / second')>
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/research/peristaltic_pump.py#L104-L123
AguaClara/aguaclara
aguaclara/core/head_loss.py
k_value_expansion
def k_value_expansion(ent_pipe_id, exit_pipe_id, q, fitting_angle=180, rounded=False, nu=con.WATER_NU, pipe_rough=mats.PVC_PIPE_ROUGH): """Calculates the minor loss coefficient (k-value) of a square, tapered, or rounded expansion in a pipe. Defaults to square. To use tapered, set angle to something that isn't 180. To use rounded, set rounded to True. Parameters: ent_pipe_id: Entrance pipe's inner diameter from which fluid flows. exit_pipe_id: Exit pipe's inner diameter to which fluid flows. q: Fluid's flow rate. fitting_angle: Fitting angle. Default: square (180 degrees). rounded: Rounded fitting. Default: square (False). nu: Fluid's dynamic viscosity of the fluid. Default: room temperature water (1 * 10**-6 * m**2/s) pipe_rough: Pipe roughness. Default: PVC pipe roughness Returns: k-value of expansion. """ if ent_pipe_id > exit_pipe_id: print('k_value_expansion: Entrance pipe\'s inner diameter is larger ' 'than exit pipe\'s inner diameter, using reduction instead.') return k_value_reduction(ent_pipe_id, exit_pipe_id, q, fitting_angle, rounded, nu, pipe_rough) f = pc.fric(q, ent_pipe_id, nu, pipe_rough) # Darcy friction factor. re = pc.re_pipe(q, ent_pipe_id, nu) # Entrance pipe's Reynolds number. fitting_type = _get_fitting_type(fitting_angle, rounded) if fitting_type == 'square': return _k_value_square_expansion(ent_pipe_id, exit_pipe_id, re, f) elif fitting_type == 'tapered': return _k_value_tapered_expansion(ent_pipe_id, exit_pipe_id, re, f) elif fitting_type == 'rounded': return _k_value_rounded_expansion(ent_pipe_id, exit_pipe_id, re) elif fitting_type == 'ambiguous': raise ValueError('The fitting is ambiguously both tapered and rounded. ' 'Please set only either fitting_angle or rounded.')
python
def k_value_expansion(ent_pipe_id, exit_pipe_id, q, fitting_angle=180, rounded=False, nu=con.WATER_NU, pipe_rough=mats.PVC_PIPE_ROUGH): """Calculates the minor loss coefficient (k-value) of a square, tapered, or rounded expansion in a pipe. Defaults to square. To use tapered, set angle to something that isn't 180. To use rounded, set rounded to True. Parameters: ent_pipe_id: Entrance pipe's inner diameter from which fluid flows. exit_pipe_id: Exit pipe's inner diameter to which fluid flows. q: Fluid's flow rate. fitting_angle: Fitting angle. Default: square (180 degrees). rounded: Rounded fitting. Default: square (False). nu: Fluid's dynamic viscosity of the fluid. Default: room temperature water (1 * 10**-6 * m**2/s) pipe_rough: Pipe roughness. Default: PVC pipe roughness Returns: k-value of expansion. """ if ent_pipe_id > exit_pipe_id: print('k_value_expansion: Entrance pipe\'s inner diameter is larger ' 'than exit pipe\'s inner diameter, using reduction instead.') return k_value_reduction(ent_pipe_id, exit_pipe_id, q, fitting_angle, rounded, nu, pipe_rough) f = pc.fric(q, ent_pipe_id, nu, pipe_rough) # Darcy friction factor. re = pc.re_pipe(q, ent_pipe_id, nu) # Entrance pipe's Reynolds number. fitting_type = _get_fitting_type(fitting_angle, rounded) if fitting_type == 'square': return _k_value_square_expansion(ent_pipe_id, exit_pipe_id, re, f) elif fitting_type == 'tapered': return _k_value_tapered_expansion(ent_pipe_id, exit_pipe_id, re, f) elif fitting_type == 'rounded': return _k_value_rounded_expansion(ent_pipe_id, exit_pipe_id, re) elif fitting_type == 'ambiguous': raise ValueError('The fitting is ambiguously both tapered and rounded. ' 'Please set only either fitting_angle or rounded.')
Calculates the minor loss coefficient (k-value) of a square, tapered, or rounded expansion in a pipe. Defaults to square. To use tapered, set angle to something that isn't 180. To use rounded, set rounded to True. Parameters: ent_pipe_id: Entrance pipe's inner diameter from which fluid flows. exit_pipe_id: Exit pipe's inner diameter to which fluid flows. q: Fluid's flow rate. fitting_angle: Fitting angle. Default: square (180 degrees). rounded: Rounded fitting. Default: square (False). nu: Fluid's dynamic viscosity of the fluid. Default: room temperature water (1 * 10**-6 * m**2/s) pipe_rough: Pipe roughness. Default: PVC pipe roughness Returns: k-value of expansion.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/head_loss.py#L21-L67
AguaClara/aguaclara
aguaclara/core/head_loss.py
k_value_reduction
def k_value_reduction(ent_pipe_id, exit_pipe_id, q, fitting_angle=180, rounded=False, nu=con.WATER_NU, pipe_rough=mats.PVC_PIPE_ROUGH): """Calculates the minor loss coefficient (k-value) of a square, tapered, or rounded reduction in a pipe. Defaults to square. To use tapered, set angle to something that isn't 180. To use rounded, set rounded to True. Parameters: ent_pipe_id: Entrance pipe's inner diameter from which fluid flows. exit_pipe_id: Exit pipe's inner diameter to which fluid flows. q: Fluid's q rate. fitting_angle: Fitting angle. Default: square (180 degrees). rounded: Rounded fitting. Default: square (False). nu: Fluid's dynamic viscosity of the fluid. Default: room temperature water (1 * 10**-6 * m**2/s) pipe_rough: Pipe roughness. Default: PVC pipe roughness Returns: k-value of reduction. """ if ent_pipe_id < exit_pipe_id: print('k_value_reduction: Entrance pipe\'s inner diameter is less than ' 'exit pipe\'s inner diameter, using expansion instead.') return k_value_expansion(ent_pipe_id, exit_pipe_id, q, fitting_angle, rounded, nu, pipe_rough) f = pc.fric(q, ent_pipe_id, nu, pipe_rough) # Darcy friction factor. re = pc.re_pipe(q, ent_pipe_id, nu) # Entrance pipe's Reynolds number. fitting_type = _get_fitting_type(fitting_angle, rounded) if fitting_type == 'square': return _k_value_square_reduction(ent_pipe_id, exit_pipe_id, re, f) elif fitting_type == 'tapered': return _k_value_tapered_reduction(ent_pipe_id, exit_pipe_id, fitting_angle, re, f) elif fitting_type == 'rounded': return _k_value_rounded_reduction(ent_pipe_id, exit_pipe_id, re) elif fitting_type == 'ambiguous': raise ValueError('The fitting is ambiguously both tapered and rounded.' 'Please set only either fitting_angle or rounded.')
python
def k_value_reduction(ent_pipe_id, exit_pipe_id, q, fitting_angle=180, rounded=False, nu=con.WATER_NU, pipe_rough=mats.PVC_PIPE_ROUGH): """Calculates the minor loss coefficient (k-value) of a square, tapered, or rounded reduction in a pipe. Defaults to square. To use tapered, set angle to something that isn't 180. To use rounded, set rounded to True. Parameters: ent_pipe_id: Entrance pipe's inner diameter from which fluid flows. exit_pipe_id: Exit pipe's inner diameter to which fluid flows. q: Fluid's q rate. fitting_angle: Fitting angle. Default: square (180 degrees). rounded: Rounded fitting. Default: square (False). nu: Fluid's dynamic viscosity of the fluid. Default: room temperature water (1 * 10**-6 * m**2/s) pipe_rough: Pipe roughness. Default: PVC pipe roughness Returns: k-value of reduction. """ if ent_pipe_id < exit_pipe_id: print('k_value_reduction: Entrance pipe\'s inner diameter is less than ' 'exit pipe\'s inner diameter, using expansion instead.') return k_value_expansion(ent_pipe_id, exit_pipe_id, q, fitting_angle, rounded, nu, pipe_rough) f = pc.fric(q, ent_pipe_id, nu, pipe_rough) # Darcy friction factor. re = pc.re_pipe(q, ent_pipe_id, nu) # Entrance pipe's Reynolds number. fitting_type = _get_fitting_type(fitting_angle, rounded) if fitting_type == 'square': return _k_value_square_reduction(ent_pipe_id, exit_pipe_id, re, f) elif fitting_type == 'tapered': return _k_value_tapered_reduction(ent_pipe_id, exit_pipe_id, fitting_angle, re, f) elif fitting_type == 'rounded': return _k_value_rounded_reduction(ent_pipe_id, exit_pipe_id, re) elif fitting_type == 'ambiguous': raise ValueError('The fitting is ambiguously both tapered and rounded.' 'Please set only either fitting_angle or rounded.')
Calculates the minor loss coefficient (k-value) of a square, tapered, or rounded reduction in a pipe. Defaults to square. To use tapered, set angle to something that isn't 180. To use rounded, set rounded to True. Parameters: ent_pipe_id: Entrance pipe's inner diameter from which fluid flows. exit_pipe_id: Exit pipe's inner diameter to which fluid flows. q: Fluid's q rate. fitting_angle: Fitting angle. Default: square (180 degrees). rounded: Rounded fitting. Default: square (False). nu: Fluid's dynamic viscosity of the fluid. Default: room temperature water (1 * 10**-6 * m**2/s) pipe_rough: Pipe roughness. Default: PVC pipe roughness Returns: k-value of reduction.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/head_loss.py#L72-L118
AguaClara/aguaclara
aguaclara/core/head_loss.py
k_value_orifice
def k_value_orifice(pipe_id, orifice_id, orifice_l, q, nu=con.WATER_NU): """Calculates the minor loss coefficient of an orifice plate in a pipe. Parameters: pipe_id: Entrance pipe's inner diameter from which fluid flows. orifice_id: Orifice's inner diameter. orifice_l: Orifice's length from start to end. q: Fluid's q rate. nu: Fluid's dynamic viscosity of the fluid. Default: room temperature water (1 * 10**-6 * m**2/s) Returns: k-value at the orifice. """ if orifice_id > pipe_id: raise ValueError('The orifice\'s inner diameter cannot be larger than' 'that of the entrance pipe.') re = pc.re_pipe(q, pipe_id, nu) # Entrance pipe's Reynolds number. orifice_type = _get_orifice_type(orifice_l, orifice_id) if orifice_type == 'thin': return _k_value_thin_sharp_orifice(pipe_id, orifice_id, re) elif orifice_type == 'thick': return _k_value_thick_orifice(pipe_id, orifice_id, orifice_l, re) elif orifice_type == 'oversize': return k_value_reduction(pipe_id, orifice_id, q) \ + k_value_expansion(orifice_id, pipe_id, q)
python
def k_value_orifice(pipe_id, orifice_id, orifice_l, q, nu=con.WATER_NU): """Calculates the minor loss coefficient of an orifice plate in a pipe. Parameters: pipe_id: Entrance pipe's inner diameter from which fluid flows. orifice_id: Orifice's inner diameter. orifice_l: Orifice's length from start to end. q: Fluid's q rate. nu: Fluid's dynamic viscosity of the fluid. Default: room temperature water (1 * 10**-6 * m**2/s) Returns: k-value at the orifice. """ if orifice_id > pipe_id: raise ValueError('The orifice\'s inner diameter cannot be larger than' 'that of the entrance pipe.') re = pc.re_pipe(q, pipe_id, nu) # Entrance pipe's Reynolds number. orifice_type = _get_orifice_type(orifice_l, orifice_id) if orifice_type == 'thin': return _k_value_thin_sharp_orifice(pipe_id, orifice_id, re) elif orifice_type == 'thick': return _k_value_thick_orifice(pipe_id, orifice_id, orifice_l, re) elif orifice_type == 'oversize': return k_value_reduction(pipe_id, orifice_id, q) \ + k_value_expansion(orifice_id, pipe_id, q)
Calculates the minor loss coefficient of an orifice plate in a pipe. Parameters: pipe_id: Entrance pipe's inner diameter from which fluid flows. orifice_id: Orifice's inner diameter. orifice_l: Orifice's length from start to end. q: Fluid's q rate. nu: Fluid's dynamic viscosity of the fluid. Default: room temperature water (1 * 10**-6 * m**2/s) Returns: k-value at the orifice.
https://github.com/AguaClara/aguaclara/blob/8dd4e734768b166a7fc2b60388a24df2f93783fc/aguaclara/core/head_loss.py#L123-L155