partition
stringclasses
3 values
func_name
stringlengths
1
134
docstring
stringlengths
1
46.9k
path
stringlengths
4
223
original_string
stringlengths
75
104k
code
stringlengths
75
104k
docstring_tokens
listlengths
1
1.97k
repo
stringlengths
7
55
language
stringclasses
1 value
url
stringlengths
87
315
code_tokens
listlengths
19
28.4k
sha
stringlengths
40
40
valid
Catalog.get_resource
returns a single resource object. Will return None if no resource is found. Will raise an error if more than one resource with the same name is found.
src/geoserver/catalog.py
def get_resource(self, name=None, store=None, workspace=None): ''' returns a single resource object. Will return None if no resource is found. Will raise an error if more than one resource with the same name is found. ''' resources = self.get_resources(names=name, stores=store, workspaces=workspace) return self._return_first_item(resources)
def get_resource(self, name=None, store=None, workspace=None): ''' returns a single resource object. Will return None if no resource is found. Will raise an error if more than one resource with the same name is found. ''' resources = self.get_resources(names=name, stores=store, workspaces=workspace) return self._return_first_item(resources)
[ "returns", "a", "single", "resource", "object", ".", "Will", "return", "None", "if", "no", "resource", "is", "found", ".", "Will", "raise", "an", "error", "if", "more", "than", "one", "resource", "with", "the", "same", "name", "is", "found", "." ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/catalog.py#L899-L907
[ "def", "get_resource", "(", "self", ",", "name", "=", "None", ",", "store", "=", "None", ",", "workspace", "=", "None", ")", ":", "resources", "=", "self", ".", "get_resources", "(", "names", "=", "name", ",", "stores", "=", "store", ",", "workspaces", "=", "workspace", ")", "return", "self", ".", "_return_first_item", "(", "resources", ")" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
Catalog.get_layergroups
names and workspaces can be provided as a comma delimited strings or as arrays, and are used for filtering. If no workspaces are provided, will return all layer groups in the catalog (global and workspace specific). Will always return an array.
src/geoserver/catalog.py
def get_layergroups(self, names=None, workspaces=None): ''' names and workspaces can be provided as a comma delimited strings or as arrays, and are used for filtering. If no workspaces are provided, will return all layer groups in the catalog (global and workspace specific). Will always return an array. ''' layergroups = [] if workspaces is None or len(workspaces) == 0: # Add global layergroups url = "{}/layergroups.xml".format(self.service_url) groups = self.get_xml(url) layergroups.extend([LayerGroup(self, g.find("name").text, None) for g in groups.findall("layerGroup")]) workspaces = [] elif isinstance(workspaces, basestring): workspaces = [s.strip() for s in workspaces.split(',') if s.strip()] elif isinstance(workspaces, Workspace): workspaces = [workspaces] if not workspaces: workspaces = self.get_workspaces() for ws in workspaces: ws_name = _name(ws) url = "{}/workspaces/{}/layergroups.xml".format(self.service_url, ws_name) try: groups = self.get_xml(url) except FailedRequestError as e: if "no such workspace" in str(e).lower(): continue else: raise FailedRequestError("Failed to get layergroups: {}".format(e)) layergroups.extend([LayerGroup(self, g.find("name").text, ws_name) for g in groups.findall("layerGroup")]) if names is None: names = [] elif isinstance(names, basestring): names = [s.strip() for s in names.split(',') if s.strip()] if layergroups and names: return ([lg for lg in layergroups if lg.name in names]) return layergroups
def get_layergroups(self, names=None, workspaces=None): ''' names and workspaces can be provided as a comma delimited strings or as arrays, and are used for filtering. If no workspaces are provided, will return all layer groups in the catalog (global and workspace specific). Will always return an array. ''' layergroups = [] if workspaces is None or len(workspaces) == 0: # Add global layergroups url = "{}/layergroups.xml".format(self.service_url) groups = self.get_xml(url) layergroups.extend([LayerGroup(self, g.find("name").text, None) for g in groups.findall("layerGroup")]) workspaces = [] elif isinstance(workspaces, basestring): workspaces = [s.strip() for s in workspaces.split(',') if s.strip()] elif isinstance(workspaces, Workspace): workspaces = [workspaces] if not workspaces: workspaces = self.get_workspaces() for ws in workspaces: ws_name = _name(ws) url = "{}/workspaces/{}/layergroups.xml".format(self.service_url, ws_name) try: groups = self.get_xml(url) except FailedRequestError as e: if "no such workspace" in str(e).lower(): continue else: raise FailedRequestError("Failed to get layergroups: {}".format(e)) layergroups.extend([LayerGroup(self, g.find("name").text, ws_name) for g in groups.findall("layerGroup")]) if names is None: names = [] elif isinstance(names, basestring): names = [s.strip() for s in names.split(',') if s.strip()] if layergroups and names: return ([lg for lg in layergroups if lg.name in names]) return layergroups
[ "names", "and", "workspaces", "can", "be", "provided", "as", "a", "comma", "delimited", "strings", "or", "as", "arrays", "and", "are", "used", "for", "filtering", ".", "If", "no", "workspaces", "are", "provided", "will", "return", "all", "layer", "groups", "in", "the", "catalog", "(", "global", "and", "workspace", "specific", ")", ".", "Will", "always", "return", "an", "array", "." ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/catalog.py#L932-L976
[ "def", "get_layergroups", "(", "self", ",", "names", "=", "None", ",", "workspaces", "=", "None", ")", ":", "layergroups", "=", "[", "]", "if", "workspaces", "is", "None", "or", "len", "(", "workspaces", ")", "==", "0", ":", "# Add global layergroups", "url", "=", "\"{}/layergroups.xml\"", ".", "format", "(", "self", ".", "service_url", ")", "groups", "=", "self", ".", "get_xml", "(", "url", ")", "layergroups", ".", "extend", "(", "[", "LayerGroup", "(", "self", ",", "g", ".", "find", "(", "\"name\"", ")", ".", "text", ",", "None", ")", "for", "g", "in", "groups", ".", "findall", "(", "\"layerGroup\"", ")", "]", ")", "workspaces", "=", "[", "]", "elif", "isinstance", "(", "workspaces", ",", "basestring", ")", ":", "workspaces", "=", "[", "s", ".", "strip", "(", ")", "for", "s", "in", "workspaces", ".", "split", "(", "','", ")", "if", "s", ".", "strip", "(", ")", "]", "elif", "isinstance", "(", "workspaces", ",", "Workspace", ")", ":", "workspaces", "=", "[", "workspaces", "]", "if", "not", "workspaces", ":", "workspaces", "=", "self", ".", "get_workspaces", "(", ")", "for", "ws", "in", "workspaces", ":", "ws_name", "=", "_name", "(", "ws", ")", "url", "=", "\"{}/workspaces/{}/layergroups.xml\"", ".", "format", "(", "self", ".", "service_url", ",", "ws_name", ")", "try", ":", "groups", "=", "self", ".", "get_xml", "(", "url", ")", "except", "FailedRequestError", "as", "e", ":", "if", "\"no such workspace\"", "in", "str", "(", "e", ")", ".", "lower", "(", ")", ":", "continue", "else", ":", "raise", "FailedRequestError", "(", "\"Failed to get layergroups: {}\"", ".", "format", "(", "e", ")", ")", "layergroups", ".", "extend", "(", "[", "LayerGroup", "(", "self", ",", "g", ".", "find", "(", "\"name\"", ")", ".", "text", ",", "ws_name", ")", "for", "g", "in", "groups", ".", "findall", "(", "\"layerGroup\"", ")", "]", ")", "if", "names", "is", "None", ":", "names", "=", "[", "]", "elif", "isinstance", "(", "names", ",", "basestring", ")", ":", "names", "=", "[", "s", ".", "strip", "(", ")", "for", "s", "in", "names", ".", "split", "(", "','", ")", "if", "s", ".", "strip", "(", ")", "]", "if", "layergroups", "and", "names", ":", "return", "(", "[", "lg", "for", "lg", "in", "layergroups", "if", "lg", ".", "name", "in", "names", "]", ")", "return", "layergroups" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
Catalog.get_layergroup
returns a single layergroup object. Will return None if no layergroup is found. Will raise an error if more than one layergroup with the same name is found.
src/geoserver/catalog.py
def get_layergroup(self, name, workspace=None): ''' returns a single layergroup object. Will return None if no layergroup is found. Will raise an error if more than one layergroup with the same name is found. ''' layergroups = self.get_layergroups(names=name, workspaces=workspace) return self._return_first_item(layergroups)
def get_layergroup(self, name, workspace=None): ''' returns a single layergroup object. Will return None if no layergroup is found. Will raise an error if more than one layergroup with the same name is found. ''' layergroups = self.get_layergroups(names=name, workspaces=workspace) return self._return_first_item(layergroups)
[ "returns", "a", "single", "layergroup", "object", ".", "Will", "return", "None", "if", "no", "layergroup", "is", "found", ".", "Will", "raise", "an", "error", "if", "more", "than", "one", "layergroup", "with", "the", "same", "name", "is", "found", "." ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/catalog.py#L978-L986
[ "def", "get_layergroup", "(", "self", ",", "name", ",", "workspace", "=", "None", ")", ":", "layergroups", "=", "self", ".", "get_layergroups", "(", "names", "=", "name", ",", "workspaces", "=", "workspace", ")", "return", "self", ".", "_return_first_item", "(", "layergroups", ")" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
Catalog.get_styles
names and workspaces can be provided as a comma delimited strings or as arrays, and are used for filtering. If no workspaces are provided, will return all styles in the catalog (global and workspace specific). Will always return an array.
src/geoserver/catalog.py
def get_styles(self, names=None, workspaces=None): ''' names and workspaces can be provided as a comma delimited strings or as arrays, and are used for filtering. If no workspaces are provided, will return all styles in the catalog (global and workspace specific). Will always return an array. ''' all_styles = [] if workspaces is None: # Add global styles url = "{}/styles.xml".format(self.service_url) styles = self.get_xml(url) all_styles.extend([Style(self, s.find('name').text) for s in styles.findall("style")]) workspaces = [] elif isinstance(workspaces, basestring): workspaces = [s.strip() for s in workspaces.split(',') if s.strip()] elif isinstance(workspaces, Workspace): workspaces = [workspaces] if not workspaces: workspaces = self.get_workspaces() for ws in workspaces: url = "{}/workspaces/{}/styles.xml".format(self.service_url, _name(ws)) try: styles = self.get_xml(url) except FailedRequestError as e: if "no such workspace" in str(e).lower(): continue elif "workspace {} not found".format(_name(ws)) in str(e).lower(): continue else: raise FailedRequestError("Failed to get styles: {}".format(e)) all_styles.extend([Style(self, s.find("name").text, _name(ws)) for s in styles.findall("style")]) if names is None: names = [] elif isinstance(names, basestring): names = [s.strip() for s in names.split(',') if s.strip()] if all_styles and names: return ([style for style in all_styles if style.name in names]) return all_styles
def get_styles(self, names=None, workspaces=None): ''' names and workspaces can be provided as a comma delimited strings or as arrays, and are used for filtering. If no workspaces are provided, will return all styles in the catalog (global and workspace specific). Will always return an array. ''' all_styles = [] if workspaces is None: # Add global styles url = "{}/styles.xml".format(self.service_url) styles = self.get_xml(url) all_styles.extend([Style(self, s.find('name').text) for s in styles.findall("style")]) workspaces = [] elif isinstance(workspaces, basestring): workspaces = [s.strip() for s in workspaces.split(',') if s.strip()] elif isinstance(workspaces, Workspace): workspaces = [workspaces] if not workspaces: workspaces = self.get_workspaces() for ws in workspaces: url = "{}/workspaces/{}/styles.xml".format(self.service_url, _name(ws)) try: styles = self.get_xml(url) except FailedRequestError as e: if "no such workspace" in str(e).lower(): continue elif "workspace {} not found".format(_name(ws)) in str(e).lower(): continue else: raise FailedRequestError("Failed to get styles: {}".format(e)) all_styles.extend([Style(self, s.find("name").text, _name(ws)) for s in styles.findall("style")]) if names is None: names = [] elif isinstance(names, basestring): names = [s.strip() for s in names.split(',') if s.strip()] if all_styles and names: return ([style for style in all_styles if style.name in names]) return all_styles
[ "names", "and", "workspaces", "can", "be", "provided", "as", "a", "comma", "delimited", "strings", "or", "as", "arrays", "and", "are", "used", "for", "filtering", ".", "If", "no", "workspaces", "are", "provided", "will", "return", "all", "styles", "in", "the", "catalog", "(", "global", "and", "workspace", "specific", ")", ".", "Will", "always", "return", "an", "array", "." ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/catalog.py#L995-L1040
[ "def", "get_styles", "(", "self", ",", "names", "=", "None", ",", "workspaces", "=", "None", ")", ":", "all_styles", "=", "[", "]", "if", "workspaces", "is", "None", ":", "# Add global styles", "url", "=", "\"{}/styles.xml\"", ".", "format", "(", "self", ".", "service_url", ")", "styles", "=", "self", ".", "get_xml", "(", "url", ")", "all_styles", ".", "extend", "(", "[", "Style", "(", "self", ",", "s", ".", "find", "(", "'name'", ")", ".", "text", ")", "for", "s", "in", "styles", ".", "findall", "(", "\"style\"", ")", "]", ")", "workspaces", "=", "[", "]", "elif", "isinstance", "(", "workspaces", ",", "basestring", ")", ":", "workspaces", "=", "[", "s", ".", "strip", "(", ")", "for", "s", "in", "workspaces", ".", "split", "(", "','", ")", "if", "s", ".", "strip", "(", ")", "]", "elif", "isinstance", "(", "workspaces", ",", "Workspace", ")", ":", "workspaces", "=", "[", "workspaces", "]", "if", "not", "workspaces", ":", "workspaces", "=", "self", ".", "get_workspaces", "(", ")", "for", "ws", "in", "workspaces", ":", "url", "=", "\"{}/workspaces/{}/styles.xml\"", ".", "format", "(", "self", ".", "service_url", ",", "_name", "(", "ws", ")", ")", "try", ":", "styles", "=", "self", ".", "get_xml", "(", "url", ")", "except", "FailedRequestError", "as", "e", ":", "if", "\"no such workspace\"", "in", "str", "(", "e", ")", ".", "lower", "(", ")", ":", "continue", "elif", "\"workspace {} not found\"", ".", "format", "(", "_name", "(", "ws", ")", ")", "in", "str", "(", "e", ")", ".", "lower", "(", ")", ":", "continue", "else", ":", "raise", "FailedRequestError", "(", "\"Failed to get styles: {}\"", ".", "format", "(", "e", ")", ")", "all_styles", ".", "extend", "(", "[", "Style", "(", "self", ",", "s", ".", "find", "(", "\"name\"", ")", ".", "text", ",", "_name", "(", "ws", ")", ")", "for", "s", "in", "styles", ".", "findall", "(", "\"style\"", ")", "]", ")", "if", "names", "is", "None", ":", "names", "=", "[", "]", "elif", "isinstance", "(", "names", ",", "basestring", ")", ":", "names", "=", "[", "s", ".", "strip", "(", ")", "for", "s", "in", "names", ".", "split", "(", "','", ")", "if", "s", ".", "strip", "(", ")", "]", "if", "all_styles", "and", "names", ":", "return", "(", "[", "style", "for", "style", "in", "all_styles", "if", "style", ".", "name", "in", "names", "]", ")", "return", "all_styles" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
Catalog.get_style
returns a single style object. Will return None if no style is found. Will raise an error if more than one style with the same name is found.
src/geoserver/catalog.py
def get_style(self, name, workspace=None): ''' returns a single style object. Will return None if no style is found. Will raise an error if more than one style with the same name is found. ''' styles = self.get_styles(names=name, workspaces=workspace) return self._return_first_item(styles)
def get_style(self, name, workspace=None): ''' returns a single style object. Will return None if no style is found. Will raise an error if more than one style with the same name is found. ''' styles = self.get_styles(names=name, workspaces=workspace) return self._return_first_item(styles)
[ "returns", "a", "single", "style", "object", ".", "Will", "return", "None", "if", "no", "style", "is", "found", ".", "Will", "raise", "an", "error", "if", "more", "than", "one", "style", "with", "the", "same", "name", "is", "found", "." ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/catalog.py#L1042-L1050
[ "def", "get_style", "(", "self", ",", "name", ",", "workspace", "=", "None", ")", ":", "styles", "=", "self", ".", "get_styles", "(", "names", "=", "name", ",", "workspaces", "=", "workspace", ")", "return", "self", ".", "_return_first_item", "(", "styles", ")" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
Catalog.get_workspaces
Returns a list of workspaces in the catalog. If names is specified, will only return workspaces that match. names can either be a comma delimited string or an array. Will return an empty list if no workspaces are found.
src/geoserver/catalog.py
def get_workspaces(self, names=None): ''' Returns a list of workspaces in the catalog. If names is specified, will only return workspaces that match. names can either be a comma delimited string or an array. Will return an empty list if no workspaces are found. ''' if names is None: names = [] elif isinstance(names, basestring): names = [s.strip() for s in names.split(',') if s.strip()] data = self.get_xml("{}/workspaces.xml".format(self.service_url)) workspaces = [] workspaces.extend([workspace_from_index(self, node) for node in data.findall("workspace")]) if workspaces and names: return ([ws for ws in workspaces if ws.name in names]) return workspaces
def get_workspaces(self, names=None): ''' Returns a list of workspaces in the catalog. If names is specified, will only return workspaces that match. names can either be a comma delimited string or an array. Will return an empty list if no workspaces are found. ''' if names is None: names = [] elif isinstance(names, basestring): names = [s.strip() for s in names.split(',') if s.strip()] data = self.get_xml("{}/workspaces.xml".format(self.service_url)) workspaces = [] workspaces.extend([workspace_from_index(self, node) for node in data.findall("workspace")]) if workspaces and names: return ([ws for ws in workspaces if ws.name in names]) return workspaces
[ "Returns", "a", "list", "of", "workspaces", "in", "the", "catalog", ".", "If", "names", "is", "specified", "will", "only", "return", "workspaces", "that", "match", ".", "names", "can", "either", "be", "a", "comma", "delimited", "string", "or", "an", "array", ".", "Will", "return", "an", "empty", "list", "if", "no", "workspaces", "are", "found", "." ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/catalog.py#L1110-L1129
[ "def", "get_workspaces", "(", "self", ",", "names", "=", "None", ")", ":", "if", "names", "is", "None", ":", "names", "=", "[", "]", "elif", "isinstance", "(", "names", ",", "basestring", ")", ":", "names", "=", "[", "s", ".", "strip", "(", ")", "for", "s", "in", "names", ".", "split", "(", "','", ")", "if", "s", ".", "strip", "(", ")", "]", "data", "=", "self", ".", "get_xml", "(", "\"{}/workspaces.xml\"", ".", "format", "(", "self", ".", "service_url", ")", ")", "workspaces", "=", "[", "]", "workspaces", ".", "extend", "(", "[", "workspace_from_index", "(", "self", ",", "node", ")", "for", "node", "in", "data", ".", "findall", "(", "\"workspace\"", ")", "]", ")", "if", "workspaces", "and", "names", ":", "return", "(", "[", "ws", "for", "ws", "in", "workspaces", "if", "ws", ".", "name", "in", "names", "]", ")", "return", "workspaces" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
Catalog.get_workspace
returns a single workspace object. Will return None if no workspace is found. Will raise an error if more than one workspace with the same name is found.
src/geoserver/catalog.py
def get_workspace(self, name): ''' returns a single workspace object. Will return None if no workspace is found. Will raise an error if more than one workspace with the same name is found. ''' workspaces = self.get_workspaces(names=name) return self._return_first_item(workspaces)
def get_workspace(self, name): ''' returns a single workspace object. Will return None if no workspace is found. Will raise an error if more than one workspace with the same name is found. ''' workspaces = self.get_workspaces(names=name) return self._return_first_item(workspaces)
[ "returns", "a", "single", "workspace", "object", ".", "Will", "return", "None", "if", "no", "workspace", "is", "found", ".", "Will", "raise", "an", "error", "if", "more", "than", "one", "workspace", "with", "the", "same", "name", "is", "found", "." ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/catalog.py#L1131-L1139
[ "def", "get_workspace", "(", "self", ",", "name", ")", ":", "workspaces", "=", "self", ".", "get_workspaces", "(", "names", "=", "name", ")", "return", "self", ".", "_return_first_item", "(", "workspaces", ")" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
md_link
Extract a metadata link tuple from an xml node
src/geoserver/resource.py
def md_link(node): """Extract a metadata link tuple from an xml node""" mimetype = node.find("type") mdtype = node.find("metadataType") content = node.find("content") if None in [mimetype, mdtype, content]: return None else: return (mimetype.text, mdtype.text, content.text)
def md_link(node): """Extract a metadata link tuple from an xml node""" mimetype = node.find("type") mdtype = node.find("metadataType") content = node.find("content") if None in [mimetype, mdtype, content]: return None else: return (mimetype.text, mdtype.text, content.text)
[ "Extract", "a", "metadata", "link", "tuple", "from", "an", "xml", "node" ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/resource.py#L20-L28
[ "def", "md_link", "(", "node", ")", ":", "mimetype", "=", "node", ".", "find", "(", "\"type\"", ")", "mdtype", "=", "node", ".", "find", "(", "\"metadataType\"", ")", "content", "=", "node", ".", "find", "(", "\"content\"", ")", "if", "None", "in", "[", "mimetype", ",", "mdtype", ",", "content", "]", ":", "return", "None", "else", ":", "return", "(", "mimetype", ".", "text", ",", "mdtype", ".", "text", ",", "content", ".", "text", ")" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
build_url
Create a URL from a list of path segments and an optional dict of query parameters.
src/geoserver/support.py
def build_url(base, seg, query=None): """ Create a URL from a list of path segments and an optional dict of query parameters. """ def clean_segment(segment): """ Cleans the segment and encodes to UTF-8 if the segment is unicode. """ segment = segment.strip('/') if isinstance(segment, basestring): segment = segment.encode('utf-8') return segment seg = (quote(clean_segment(s)) for s in seg) if query is None or len(query) == 0: query_string = '' else: query_string = "?" + urlencode(query) path = '/'.join(seg) + query_string adjusted_base = base.rstrip('/') + '/' return urljoin(str(adjusted_base), str(path))
def build_url(base, seg, query=None): """ Create a URL from a list of path segments and an optional dict of query parameters. """ def clean_segment(segment): """ Cleans the segment and encodes to UTF-8 if the segment is unicode. """ segment = segment.strip('/') if isinstance(segment, basestring): segment = segment.encode('utf-8') return segment seg = (quote(clean_segment(s)) for s in seg) if query is None or len(query) == 0: query_string = '' else: query_string = "?" + urlencode(query) path = '/'.join(seg) + query_string adjusted_base = base.rstrip('/') + '/' return urljoin(str(adjusted_base), str(path))
[ "Create", "a", "URL", "from", "a", "list", "of", "path", "segments", "and", "an", "optional", "dict", "of", "query", "parameters", "." ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/support.py#L47-L69
[ "def", "build_url", "(", "base", ",", "seg", ",", "query", "=", "None", ")", ":", "def", "clean_segment", "(", "segment", ")", ":", "\"\"\"\n Cleans the segment and encodes to UTF-8 if the segment is unicode.\n \"\"\"", "segment", "=", "segment", ".", "strip", "(", "'/'", ")", "if", "isinstance", "(", "segment", ",", "basestring", ")", ":", "segment", "=", "segment", ".", "encode", "(", "'utf-8'", ")", "return", "segment", "seg", "=", "(", "quote", "(", "clean_segment", "(", "s", ")", ")", "for", "s", "in", "seg", ")", "if", "query", "is", "None", "or", "len", "(", "query", ")", "==", "0", ":", "query_string", "=", "''", "else", ":", "query_string", "=", "\"?\"", "+", "urlencode", "(", "query", ")", "path", "=", "'/'", ".", "join", "(", "seg", ")", "+", "query_string", "adjusted_base", "=", "base", ".", "rstrip", "(", "'/'", ")", "+", "'/'", "return", "urljoin", "(", "str", "(", "adjusted_base", ")", ",", "str", "(", "path", ")", ")" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
prepare_upload_bundle
GeoServer's REST API uses ZIP archives as containers for file formats such as Shapefile and WorldImage which include several 'boxcar' files alongside the main data. In such archives, GeoServer assumes that all of the relevant files will have the same base name and appropriate extensions, and live in the root of the ZIP archive. This method produces a zip file that matches these expectations, based on a basename, and a dict of extensions to paths or file-like objects. The client code is responsible for deleting the zip archive when it's done.
src/geoserver/support.py
def prepare_upload_bundle(name, data): """GeoServer's REST API uses ZIP archives as containers for file formats such as Shapefile and WorldImage which include several 'boxcar' files alongside the main data. In such archives, GeoServer assumes that all of the relevant files will have the same base name and appropriate extensions, and live in the root of the ZIP archive. This method produces a zip file that matches these expectations, based on a basename, and a dict of extensions to paths or file-like objects. The client code is responsible for deleting the zip archive when it's done.""" fd, path = mkstemp() zip_file = ZipFile(path, 'w') for ext, stream in data.items(): fname = "%s.%s" % (name, ext) if (isinstance(stream, basestring)): zip_file.write(stream, fname) else: zip_file.writestr(fname, stream.read()) zip_file.close() os.close(fd) return path
def prepare_upload_bundle(name, data): """GeoServer's REST API uses ZIP archives as containers for file formats such as Shapefile and WorldImage which include several 'boxcar' files alongside the main data. In such archives, GeoServer assumes that all of the relevant files will have the same base name and appropriate extensions, and live in the root of the ZIP archive. This method produces a zip file that matches these expectations, based on a basename, and a dict of extensions to paths or file-like objects. The client code is responsible for deleting the zip archive when it's done.""" fd, path = mkstemp() zip_file = ZipFile(path, 'w') for ext, stream in data.items(): fname = "%s.%s" % (name, ext) if (isinstance(stream, basestring)): zip_file.write(stream, fname) else: zip_file.writestr(fname, stream.read()) zip_file.close() os.close(fd) return path
[ "GeoServer", "s", "REST", "API", "uses", "ZIP", "archives", "as", "containers", "for", "file", "formats", "such", "as", "Shapefile", "and", "WorldImage", "which", "include", "several", "boxcar", "files", "alongside", "the", "main", "data", ".", "In", "such", "archives", "GeoServer", "assumes", "that", "all", "of", "the", "relevant", "files", "will", "have", "the", "same", "base", "name", "and", "appropriate", "extensions", "and", "live", "in", "the", "root", "of", "the", "ZIP", "archive", ".", "This", "method", "produces", "a", "zip", "file", "that", "matches", "these", "expectations", "based", "on", "a", "basename", "and", "a", "dict", "of", "extensions", "to", "paths", "or", "file", "-", "like", "objects", ".", "The", "client", "code", "is", "responsible", "for", "deleting", "the", "zip", "archive", "when", "it", "s", "done", "." ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/support.py#L231-L250
[ "def", "prepare_upload_bundle", "(", "name", ",", "data", ")", ":", "fd", ",", "path", "=", "mkstemp", "(", ")", "zip_file", "=", "ZipFile", "(", "path", ",", "'w'", ")", "for", "ext", ",", "stream", "in", "data", ".", "items", "(", ")", ":", "fname", "=", "\"%s.%s\"", "%", "(", "name", ",", "ext", ")", "if", "(", "isinstance", "(", "stream", ",", "basestring", ")", ")", ":", "zip_file", ".", "write", "(", "stream", ",", "fname", ")", "else", ":", "zip_file", ".", "writestr", "(", "fname", ",", "stream", ".", "read", "(", ")", ")", "zip_file", ".", "close", "(", ")", "os", ".", "close", "(", "fd", ")", "return", "path" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
md_dimension_info
Extract metadata Dimension Info from an xml node
src/geoserver/support.py
def md_dimension_info(name, node): """Extract metadata Dimension Info from an xml node""" def _get_value(child_name): return getattr(node.find(child_name), 'text', None) resolution = _get_value('resolution') defaultValue = node.find("defaultValue") strategy = defaultValue.find("strategy") if defaultValue is not None else None strategy = strategy.text if strategy is not None else None return DimensionInfo( name, _get_value('enabled') == 'true', _get_value('presentation'), int(resolution) if resolution else None, _get_value('units'), _get_value('unitSymbol'), strategy, _get_value('attribute'), _get_value('endAttribute'), _get_value('referenceValue'), _get_value('nearestMatchEnabled') )
def md_dimension_info(name, node): """Extract metadata Dimension Info from an xml node""" def _get_value(child_name): return getattr(node.find(child_name), 'text', None) resolution = _get_value('resolution') defaultValue = node.find("defaultValue") strategy = defaultValue.find("strategy") if defaultValue is not None else None strategy = strategy.text if strategy is not None else None return DimensionInfo( name, _get_value('enabled') == 'true', _get_value('presentation'), int(resolution) if resolution else None, _get_value('units'), _get_value('unitSymbol'), strategy, _get_value('attribute'), _get_value('endAttribute'), _get_value('referenceValue'), _get_value('nearestMatchEnabled') )
[ "Extract", "metadata", "Dimension", "Info", "from", "an", "xml", "node" ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/support.py#L399-L420
[ "def", "md_dimension_info", "(", "name", ",", "node", ")", ":", "def", "_get_value", "(", "child_name", ")", ":", "return", "getattr", "(", "node", ".", "find", "(", "child_name", ")", ",", "'text'", ",", "None", ")", "resolution", "=", "_get_value", "(", "'resolution'", ")", "defaultValue", "=", "node", ".", "find", "(", "\"defaultValue\"", ")", "strategy", "=", "defaultValue", ".", "find", "(", "\"strategy\"", ")", "if", "defaultValue", "is", "not", "None", "else", "None", "strategy", "=", "strategy", ".", "text", "if", "strategy", "is", "not", "None", "else", "None", "return", "DimensionInfo", "(", "name", ",", "_get_value", "(", "'enabled'", ")", "==", "'true'", ",", "_get_value", "(", "'presentation'", ")", ",", "int", "(", "resolution", ")", "if", "resolution", "else", "None", ",", "_get_value", "(", "'units'", ")", ",", "_get_value", "(", "'unitSymbol'", ")", ",", "strategy", ",", "_get_value", "(", "'attribute'", ")", ",", "_get_value", "(", "'endAttribute'", ")", ",", "_get_value", "(", "'referenceValue'", ")", ",", "_get_value", "(", "'nearestMatchEnabled'", ")", ")" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
md_dynamic_default_values_info
Extract metadata Dynamic Default Values from an xml node
src/geoserver/support.py
def md_dynamic_default_values_info(name, node): """Extract metadata Dynamic Default Values from an xml node""" configurations = node.find("configurations") if configurations is not None: configurations = [] for n in node.findall("configuration"): dimension = n.find("dimension") dimension = dimension.text if dimension is not None else None policy = n.find("policy") policy = policy.text if policy is not None else None defaultValueExpression = n.find("defaultValueExpression") defaultValueExpression = defaultValueExpression.text if defaultValueExpression is not None else None configurations.append(DynamicDefaultValuesConfiguration(dimension, policy, defaultValueExpression)) return DynamicDefaultValues(name, configurations)
def md_dynamic_default_values_info(name, node): """Extract metadata Dynamic Default Values from an xml node""" configurations = node.find("configurations") if configurations is not None: configurations = [] for n in node.findall("configuration"): dimension = n.find("dimension") dimension = dimension.text if dimension is not None else None policy = n.find("policy") policy = policy.text if policy is not None else None defaultValueExpression = n.find("defaultValueExpression") defaultValueExpression = defaultValueExpression.text if defaultValueExpression is not None else None configurations.append(DynamicDefaultValuesConfiguration(dimension, policy, defaultValueExpression)) return DynamicDefaultValues(name, configurations)
[ "Extract", "metadata", "Dynamic", "Default", "Values", "from", "an", "xml", "node" ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/support.py#L461-L476
[ "def", "md_dynamic_default_values_info", "(", "name", ",", "node", ")", ":", "configurations", "=", "node", ".", "find", "(", "\"configurations\"", ")", "if", "configurations", "is", "not", "None", ":", "configurations", "=", "[", "]", "for", "n", "in", "node", ".", "findall", "(", "\"configuration\"", ")", ":", "dimension", "=", "n", ".", "find", "(", "\"dimension\"", ")", "dimension", "=", "dimension", ".", "text", "if", "dimension", "is", "not", "None", "else", "None", "policy", "=", "n", ".", "find", "(", "\"policy\"", ")", "policy", "=", "policy", ".", "text", "if", "policy", "is", "not", "None", "else", "None", "defaultValueExpression", "=", "n", ".", "find", "(", "\"defaultValueExpression\"", ")", "defaultValueExpression", "=", "defaultValueExpression", ".", "text", "if", "defaultValueExpression", "is", "not", "None", "else", "None", "configurations", ".", "append", "(", "DynamicDefaultValuesConfiguration", "(", "dimension", ",", "policy", ",", "defaultValueExpression", ")", ")", "return", "DynamicDefaultValues", "(", "name", ",", "configurations", ")" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
md_jdbc_virtual_table
Extract metadata JDBC Virtual Tables from an xml node
src/geoserver/support.py
def md_jdbc_virtual_table(key, node): """Extract metadata JDBC Virtual Tables from an xml node""" name = node.find("name") sql = node.find("sql") escapeSql = node.find("escapeSql") escapeSql = escapeSql.text if escapeSql is not None else None keyColumn = node.find("keyColumn") keyColumn = keyColumn.text if keyColumn is not None else None n_g = node.find("geometry") geometry = JDBCVirtualTableGeometry(n_g.find("name"), n_g.find("type"), n_g.find("srid")) parameters = [] for n_p in node.findall("parameter"): p_name = n_p.find("name") p_defaultValue = n_p.find("defaultValue") p_defaultValue = p_defaultValue.text if p_defaultValue is not None else None p_regexpValidator = n_p.find("regexpValidator") p_regexpValidator = p_regexpValidator.text if p_regexpValidator is not None else None parameters.append(JDBCVirtualTableParam(p_name, p_defaultValue, p_regexpValidator)) return JDBCVirtualTable(name, sql, escapeSql, geometry, keyColumn, parameters)
def md_jdbc_virtual_table(key, node): """Extract metadata JDBC Virtual Tables from an xml node""" name = node.find("name") sql = node.find("sql") escapeSql = node.find("escapeSql") escapeSql = escapeSql.text if escapeSql is not None else None keyColumn = node.find("keyColumn") keyColumn = keyColumn.text if keyColumn is not None else None n_g = node.find("geometry") geometry = JDBCVirtualTableGeometry(n_g.find("name"), n_g.find("type"), n_g.find("srid")) parameters = [] for n_p in node.findall("parameter"): p_name = n_p.find("name") p_defaultValue = n_p.find("defaultValue") p_defaultValue = p_defaultValue.text if p_defaultValue is not None else None p_regexpValidator = n_p.find("regexpValidator") p_regexpValidator = p_regexpValidator.text if p_regexpValidator is not None else None parameters.append(JDBCVirtualTableParam(p_name, p_defaultValue, p_regexpValidator)) return JDBCVirtualTable(name, sql, escapeSql, geometry, keyColumn, parameters)
[ "Extract", "metadata", "JDBC", "Virtual", "Tables", "from", "an", "xml", "node" ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/support.py#L563-L582
[ "def", "md_jdbc_virtual_table", "(", "key", ",", "node", ")", ":", "name", "=", "node", ".", "find", "(", "\"name\"", ")", "sql", "=", "node", ".", "find", "(", "\"sql\"", ")", "escapeSql", "=", "node", ".", "find", "(", "\"escapeSql\"", ")", "escapeSql", "=", "escapeSql", ".", "text", "if", "escapeSql", "is", "not", "None", "else", "None", "keyColumn", "=", "node", ".", "find", "(", "\"keyColumn\"", ")", "keyColumn", "=", "keyColumn", ".", "text", "if", "keyColumn", "is", "not", "None", "else", "None", "n_g", "=", "node", ".", "find", "(", "\"geometry\"", ")", "geometry", "=", "JDBCVirtualTableGeometry", "(", "n_g", ".", "find", "(", "\"name\"", ")", ",", "n_g", ".", "find", "(", "\"type\"", ")", ",", "n_g", ".", "find", "(", "\"srid\"", ")", ")", "parameters", "=", "[", "]", "for", "n_p", "in", "node", ".", "findall", "(", "\"parameter\"", ")", ":", "p_name", "=", "n_p", ".", "find", "(", "\"name\"", ")", "p_defaultValue", "=", "n_p", ".", "find", "(", "\"defaultValue\"", ")", "p_defaultValue", "=", "p_defaultValue", ".", "text", "if", "p_defaultValue", "is", "not", "None", "else", "None", "p_regexpValidator", "=", "n_p", ".", "find", "(", "\"regexpValidator\"", ")", "p_regexpValidator", "=", "p_regexpValidator", ".", "text", "if", "p_regexpValidator", "is", "not", "None", "else", "None", "parameters", ".", "append", "(", "JDBCVirtualTableParam", "(", "p_name", ",", "p_defaultValue", ",", "p_regexpValidator", ")", ")", "return", "JDBCVirtualTable", "(", "name", ",", "sql", ",", "escapeSql", ",", "geometry", ",", "keyColumn", ",", "parameters", ")" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
md_entry
Extract metadata entries from an xml node
src/geoserver/support.py
def md_entry(node): """Extract metadata entries from an xml node""" key = None value = None if 'key' in node.attrib: key = node.attrib['key'] else: key = None if key in ['time', 'elevation'] or key.startswith('custom_dimension'): value = md_dimension_info(key, node.find("dimensionInfo")) elif key == 'DynamicDefaultValues': value = md_dynamic_default_values_info(key, node.find("DynamicDefaultValues")) elif key == 'JDBC_VIRTUAL_TABLE': value = md_jdbc_virtual_table(key, node.find("virtualTable")) else: value = node.text if None in [key, value]: return None else: return (key, value)
def md_entry(node): """Extract metadata entries from an xml node""" key = None value = None if 'key' in node.attrib: key = node.attrib['key'] else: key = None if key in ['time', 'elevation'] or key.startswith('custom_dimension'): value = md_dimension_info(key, node.find("dimensionInfo")) elif key == 'DynamicDefaultValues': value = md_dynamic_default_values_info(key, node.find("DynamicDefaultValues")) elif key == 'JDBC_VIRTUAL_TABLE': value = md_jdbc_virtual_table(key, node.find("virtualTable")) else: value = node.text if None in [key, value]: return None else: return (key, value)
[ "Extract", "metadata", "entries", "from", "an", "xml", "node" ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/support.py#L585-L606
[ "def", "md_entry", "(", "node", ")", ":", "key", "=", "None", "value", "=", "None", "if", "'key'", "in", "node", ".", "attrib", ":", "key", "=", "node", ".", "attrib", "[", "'key'", "]", "else", ":", "key", "=", "None", "if", "key", "in", "[", "'time'", ",", "'elevation'", "]", "or", "key", ".", "startswith", "(", "'custom_dimension'", ")", ":", "value", "=", "md_dimension_info", "(", "key", ",", "node", ".", "find", "(", "\"dimensionInfo\"", ")", ")", "elif", "key", "==", "'DynamicDefaultValues'", ":", "value", "=", "md_dynamic_default_values_info", "(", "key", ",", "node", ".", "find", "(", "\"DynamicDefaultValues\"", ")", ")", "elif", "key", "==", "'JDBC_VIRTUAL_TABLE'", ":", "value", "=", "md_jdbc_virtual_table", "(", "key", ",", "node", ".", "find", "(", "\"virtualTable\"", ")", ")", "else", ":", "value", "=", "node", ".", "text", "if", "None", "in", "[", "key", ",", "value", "]", ":", "return", "None", "else", ":", "return", "(", "key", ",", "value", ")" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
DimensionInfo.resolution_millis
if set, get the value of resolution in milliseconds
src/geoserver/support.py
def resolution_millis(self): '''if set, get the value of resolution in milliseconds''' if self.resolution is None or not isinstance(self.resolution, basestring): return self.resolution val, mult = self.resolution.split(' ') return int(float(val) * self._multipier(mult) * 1000)
def resolution_millis(self): '''if set, get the value of resolution in milliseconds''' if self.resolution is None or not isinstance(self.resolution, basestring): return self.resolution val, mult = self.resolution.split(' ') return int(float(val) * self._multipier(mult) * 1000)
[ "if", "set", "get", "the", "value", "of", "resolution", "in", "milliseconds" ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/support.py#L376-L381
[ "def", "resolution_millis", "(", "self", ")", ":", "if", "self", ".", "resolution", "is", "None", "or", "not", "isinstance", "(", "self", ".", "resolution", ",", "basestring", ")", ":", "return", "self", ".", "resolution", "val", ",", "mult", "=", "self", ".", "resolution", ".", "split", "(", "' '", ")", "return", "int", "(", "float", "(", "val", ")", "*", "self", ".", "_multipier", "(", "mult", ")", "*", "1000", ")" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
DimensionInfo.resolution_str
if set, get the value of resolution as "<n> <period>s", for example: "8 seconds"
src/geoserver/support.py
def resolution_str(self): '''if set, get the value of resolution as "<n> <period>s", for example: "8 seconds"''' if self.resolution is None or isinstance(self.resolution, basestring): return self.resolution seconds = self.resolution / 1000. biggest = self._lookup[0] for entry in self._lookup: if seconds < entry[1]: break biggest = entry val = seconds / biggest[1] if val == int(val): val = int(val) return '%s %s' % (val, biggest[0])
def resolution_str(self): '''if set, get the value of resolution as "<n> <period>s", for example: "8 seconds"''' if self.resolution is None or isinstance(self.resolution, basestring): return self.resolution seconds = self.resolution / 1000. biggest = self._lookup[0] for entry in self._lookup: if seconds < entry[1]: break biggest = entry val = seconds / biggest[1] if val == int(val): val = int(val) return '%s %s' % (val, biggest[0])
[ "if", "set", "get", "the", "value", "of", "resolution", "as", "<n", ">", "<period", ">", "s", "for", "example", ":", "8", "seconds" ]
boundlessgeo/gsconfig
python
https://github.com/boundlessgeo/gsconfig/blob/532f561f32b91ea8debea0573c503dd20988bf40/src/geoserver/support.py#L383-L396
[ "def", "resolution_str", "(", "self", ")", ":", "if", "self", ".", "resolution", "is", "None", "or", "isinstance", "(", "self", ".", "resolution", ",", "basestring", ")", ":", "return", "self", ".", "resolution", "seconds", "=", "self", ".", "resolution", "/", "1000.", "biggest", "=", "self", ".", "_lookup", "[", "0", "]", "for", "entry", "in", "self", ".", "_lookup", ":", "if", "seconds", "<", "entry", "[", "1", "]", ":", "break", "biggest", "=", "entry", "val", "=", "seconds", "/", "biggest", "[", "1", "]", "if", "val", "==", "int", "(", "val", ")", ":", "val", "=", "int", "(", "val", ")", "return", "'%s %s'", "%", "(", "val", ",", "biggest", "[", "0", "]", ")" ]
532f561f32b91ea8debea0573c503dd20988bf40
valid
MySQLBrowserResource._init
Read resource information into self._cache, for cached access. See DAVResource._init()
wsgidav/samples/mysql_dav_provider.py
def _init(self): """Read resource information into self._cache, for cached access. See DAVResource._init() """ # TODO: recalc self.path from <self._file_path>, to fix correct file system case # On windows this would lead to correct URLs self.provider._count_get_resource_inst_init += 1 tableName, primKey = self.provider._split_path(self.path) display_type = "Unknown" displayTypeComment = "" contentType = "text/html" # _logger.debug("getInfoDict(%s), nc=%s" % (path, self.connectCount)) if tableName is None: display_type = "Database" elif primKey is None: # "database" and table name display_type = "Database Table" else: contentType = "text/csv" if primKey == "_ENTIRE_CONTENTS": display_type = "Database Table Contents" displayTypeComment = "CSV Representation of Table Contents" else: display_type = "Database Record" displayTypeComment = "Attributes available as properties" # Avoid calling is_collection, since it would call isExisting -> _init_connection is_collection = primKey is None self._cache = { "content_length": None, "contentType": contentType, "created": time.time(), "display_name": self.name, "etag": hashlib.md5().update(self.path).hexdigest(), # "etag": md5.new(self.path).hexdigest(), "modified": None, "support_ranges": False, "display_info": {"type": display_type, "typeComment": displayTypeComment}, } # Some resource-only infos: if not is_collection: self._cache["modified"] = time.time() _logger.debug("---> _init, nc=%s" % self.provider._count_initConnection)
def _init(self): """Read resource information into self._cache, for cached access. See DAVResource._init() """ # TODO: recalc self.path from <self._file_path>, to fix correct file system case # On windows this would lead to correct URLs self.provider._count_get_resource_inst_init += 1 tableName, primKey = self.provider._split_path(self.path) display_type = "Unknown" displayTypeComment = "" contentType = "text/html" # _logger.debug("getInfoDict(%s), nc=%s" % (path, self.connectCount)) if tableName is None: display_type = "Database" elif primKey is None: # "database" and table name display_type = "Database Table" else: contentType = "text/csv" if primKey == "_ENTIRE_CONTENTS": display_type = "Database Table Contents" displayTypeComment = "CSV Representation of Table Contents" else: display_type = "Database Record" displayTypeComment = "Attributes available as properties" # Avoid calling is_collection, since it would call isExisting -> _init_connection is_collection = primKey is None self._cache = { "content_length": None, "contentType": contentType, "created": time.time(), "display_name": self.name, "etag": hashlib.md5().update(self.path).hexdigest(), # "etag": md5.new(self.path).hexdigest(), "modified": None, "support_ranges": False, "display_info": {"type": display_type, "typeComment": displayTypeComment}, } # Some resource-only infos: if not is_collection: self._cache["modified"] = time.time() _logger.debug("---> _init, nc=%s" % self.provider._count_initConnection)
[ "Read", "resource", "information", "into", "self", ".", "_cache", "for", "cached", "access", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/mysql_dav_provider.py#L90-L136
[ "def", "_init", "(", "self", ")", ":", "# TODO: recalc self.path from <self._file_path>, to fix correct file system case", "# On windows this would lead to correct URLs", "self", ".", "provider", ".", "_count_get_resource_inst_init", "+=", "1", "tableName", ",", "primKey", "=", "self", ".", "provider", ".", "_split_path", "(", "self", ".", "path", ")", "display_type", "=", "\"Unknown\"", "displayTypeComment", "=", "\"\"", "contentType", "=", "\"text/html\"", "# _logger.debug(\"getInfoDict(%s), nc=%s\" % (path, self.connectCount))", "if", "tableName", "is", "None", ":", "display_type", "=", "\"Database\"", "elif", "primKey", "is", "None", ":", "# \"database\" and table name", "display_type", "=", "\"Database Table\"", "else", ":", "contentType", "=", "\"text/csv\"", "if", "primKey", "==", "\"_ENTIRE_CONTENTS\"", ":", "display_type", "=", "\"Database Table Contents\"", "displayTypeComment", "=", "\"CSV Representation of Table Contents\"", "else", ":", "display_type", "=", "\"Database Record\"", "displayTypeComment", "=", "\"Attributes available as properties\"", "# Avoid calling is_collection, since it would call isExisting -> _init_connection", "is_collection", "=", "primKey", "is", "None", "self", ".", "_cache", "=", "{", "\"content_length\"", ":", "None", ",", "\"contentType\"", ":", "contentType", ",", "\"created\"", ":", "time", ".", "time", "(", ")", ",", "\"display_name\"", ":", "self", ".", "name", ",", "\"etag\"", ":", "hashlib", ".", "md5", "(", ")", ".", "update", "(", "self", ".", "path", ")", ".", "hexdigest", "(", ")", ",", "# \"etag\": md5.new(self.path).hexdigest(),", "\"modified\"", ":", "None", ",", "\"support_ranges\"", ":", "False", ",", "\"display_info\"", ":", "{", "\"type\"", ":", "display_type", ",", "\"typeComment\"", ":", "displayTypeComment", "}", ",", "}", "# Some resource-only infos:", "if", "not", "is_collection", ":", "self", ".", "_cache", "[", "\"modified\"", "]", "=", "time", ".", "time", "(", ")", "_logger", ".", "debug", "(", "\"---> _init, nc=%s\"", "%", "self", ".", "provider", ".", "_count_initConnection", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
MySQLBrowserResource.get_member_list
Return list of (direct) collection member names (UTF-8 byte strings). See DAVResource.get_member_list()
wsgidav/samples/mysql_dav_provider.py
def get_member_list(self): """Return list of (direct) collection member names (UTF-8 byte strings). See DAVResource.get_member_list() """ members = [] conn = self.provider._init_connection() try: tableName, primKey = self.provider._split_path(self.path) if tableName is None: retlist = self.provider._list_tables(conn) for name in retlist: members.append( MySQLBrowserResource( self.provider, util.join_uri(self.path, name), True, self.environ, ) ) elif primKey is None: pri_key = self.provider._find_primary_key(conn, tableName) if pri_key is not None: retlist = self.provider._list_fields(conn, tableName, pri_key) for name in retlist: members.append( MySQLBrowserResource( self.provider, util.join_uri(self.path, name), False, self.environ, ) ) members.insert( 0, MySQLBrowserResource( self.provider, util.join_uri(self.path, "_ENTIRE_CONTENTS"), False, self.environ, ), ) finally: conn.close() return members
def get_member_list(self): """Return list of (direct) collection member names (UTF-8 byte strings). See DAVResource.get_member_list() """ members = [] conn = self.provider._init_connection() try: tableName, primKey = self.provider._split_path(self.path) if tableName is None: retlist = self.provider._list_tables(conn) for name in retlist: members.append( MySQLBrowserResource( self.provider, util.join_uri(self.path, name), True, self.environ, ) ) elif primKey is None: pri_key = self.provider._find_primary_key(conn, tableName) if pri_key is not None: retlist = self.provider._list_fields(conn, tableName, pri_key) for name in retlist: members.append( MySQLBrowserResource( self.provider, util.join_uri(self.path, name), False, self.environ, ) ) members.insert( 0, MySQLBrowserResource( self.provider, util.join_uri(self.path, "_ENTIRE_CONTENTS"), False, self.environ, ), ) finally: conn.close() return members
[ "Return", "list", "of", "(", "direct", ")", "collection", "member", "names", "(", "UTF", "-", "8", "byte", "strings", ")", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/mysql_dav_provider.py#L165-L209
[ "def", "get_member_list", "(", "self", ")", ":", "members", "=", "[", "]", "conn", "=", "self", ".", "provider", ".", "_init_connection", "(", ")", "try", ":", "tableName", ",", "primKey", "=", "self", ".", "provider", ".", "_split_path", "(", "self", ".", "path", ")", "if", "tableName", "is", "None", ":", "retlist", "=", "self", ".", "provider", ".", "_list_tables", "(", "conn", ")", "for", "name", "in", "retlist", ":", "members", ".", "append", "(", "MySQLBrowserResource", "(", "self", ".", "provider", ",", "util", ".", "join_uri", "(", "self", ".", "path", ",", "name", ")", ",", "True", ",", "self", ".", "environ", ",", ")", ")", "elif", "primKey", "is", "None", ":", "pri_key", "=", "self", ".", "provider", ".", "_find_primary_key", "(", "conn", ",", "tableName", ")", "if", "pri_key", "is", "not", "None", ":", "retlist", "=", "self", ".", "provider", ".", "_list_fields", "(", "conn", ",", "tableName", ",", "pri_key", ")", "for", "name", "in", "retlist", ":", "members", ".", "append", "(", "MySQLBrowserResource", "(", "self", ".", "provider", ",", "util", ".", "join_uri", "(", "self", ".", "path", ",", "name", ")", ",", "False", ",", "self", ".", "environ", ",", ")", ")", "members", ".", "insert", "(", "0", ",", "MySQLBrowserResource", "(", "self", ".", "provider", ",", "util", ".", "join_uri", "(", "self", ".", "path", ",", "\"_ENTIRE_CONTENTS\"", ")", ",", "False", ",", "self", ".", "environ", ",", ")", ",", ")", "finally", ":", "conn", ".", "close", "(", ")", "return", "members" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
MySQLBrowserResource.get_content
Open content as a stream for reading. See DAVResource.get_content()
wsgidav/samples/mysql_dav_provider.py
def get_content(self): """Open content as a stream for reading. See DAVResource.get_content() """ filestream = compat.StringIO() tableName, primKey = self.provider._split_path(self.path) if primKey is not None: conn = self.provider._init_connection() listFields = self.provider._get_field_list(conn, tableName) csvwriter = csv.DictWriter(filestream, listFields, extrasaction="ignore") dictFields = {} for field_name in listFields: dictFields[field_name] = field_name csvwriter.writerow(dictFields) if primKey == "_ENTIRE_CONTENTS": cursor = conn.cursor(MySQLdb.cursors.DictCursor) cursor.execute("SELECT * from " + self.provider._db + "." + tableName) result_set = cursor.fetchall() for row in result_set: csvwriter.writerow(row) cursor.close() else: row = self.provider._get_record_by_primary_key(conn, tableName, primKey) if row is not None: csvwriter.writerow(row) conn.close() # this suffices for small dbs, but # for a production big database, I imagine you would have a FileMixin that # does the retrieving and population even as the file object is being read filestream.seek(0) return filestream
def get_content(self): """Open content as a stream for reading. See DAVResource.get_content() """ filestream = compat.StringIO() tableName, primKey = self.provider._split_path(self.path) if primKey is not None: conn = self.provider._init_connection() listFields = self.provider._get_field_list(conn, tableName) csvwriter = csv.DictWriter(filestream, listFields, extrasaction="ignore") dictFields = {} for field_name in listFields: dictFields[field_name] = field_name csvwriter.writerow(dictFields) if primKey == "_ENTIRE_CONTENTS": cursor = conn.cursor(MySQLdb.cursors.DictCursor) cursor.execute("SELECT * from " + self.provider._db + "." + tableName) result_set = cursor.fetchall() for row in result_set: csvwriter.writerow(row) cursor.close() else: row = self.provider._get_record_by_primary_key(conn, tableName, primKey) if row is not None: csvwriter.writerow(row) conn.close() # this suffices for small dbs, but # for a production big database, I imagine you would have a FileMixin that # does the retrieving and population even as the file object is being read filestream.seek(0) return filestream
[ "Open", "content", "as", "a", "stream", "for", "reading", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/mysql_dav_provider.py#L211-L245
[ "def", "get_content", "(", "self", ")", ":", "filestream", "=", "compat", ".", "StringIO", "(", ")", "tableName", ",", "primKey", "=", "self", ".", "provider", ".", "_split_path", "(", "self", ".", "path", ")", "if", "primKey", "is", "not", "None", ":", "conn", "=", "self", ".", "provider", ".", "_init_connection", "(", ")", "listFields", "=", "self", ".", "provider", ".", "_get_field_list", "(", "conn", ",", "tableName", ")", "csvwriter", "=", "csv", ".", "DictWriter", "(", "filestream", ",", "listFields", ",", "extrasaction", "=", "\"ignore\"", ")", "dictFields", "=", "{", "}", "for", "field_name", "in", "listFields", ":", "dictFields", "[", "field_name", "]", "=", "field_name", "csvwriter", ".", "writerow", "(", "dictFields", ")", "if", "primKey", "==", "\"_ENTIRE_CONTENTS\"", ":", "cursor", "=", "conn", ".", "cursor", "(", "MySQLdb", ".", "cursors", ".", "DictCursor", ")", "cursor", ".", "execute", "(", "\"SELECT * from \"", "+", "self", ".", "provider", ".", "_db", "+", "\".\"", "+", "tableName", ")", "result_set", "=", "cursor", ".", "fetchall", "(", ")", "for", "row", "in", "result_set", ":", "csvwriter", ".", "writerow", "(", "row", ")", "cursor", ".", "close", "(", ")", "else", ":", "row", "=", "self", ".", "provider", ".", "_get_record_by_primary_key", "(", "conn", ",", "tableName", ",", "primKey", ")", "if", "row", "is", "not", "None", ":", "csvwriter", ".", "writerow", "(", "row", ")", "conn", ".", "close", "(", ")", "# this suffices for small dbs, but", "# for a production big database, I imagine you would have a FileMixin that", "# does the retrieving and population even as the file object is being read", "filestream", ".", "seek", "(", "0", ")", "return", "filestream" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
MySQLBrowserResource.get_property_names
Return list of supported property names in Clark Notation. Return supported live and dead properties. (See also DAVProvider.get_property_names().) In addition, all table field names are returned as properties.
wsgidav/samples/mysql_dav_provider.py
def get_property_names(self, is_allprop): """Return list of supported property names in Clark Notation. Return supported live and dead properties. (See also DAVProvider.get_property_names().) In addition, all table field names are returned as properties. """ # Let default implementation return supported live and dead properties propNames = super(MySQLBrowserResource, self).get_property_names(is_allprop) # Add fieldnames as properties tableName, primKey = self.provider._split_path(self.path) if primKey is not None: conn = self.provider._init_connection() fieldlist = self.provider._get_field_list(conn, tableName) for fieldname in fieldlist: propNames.append("{%s:}%s" % (tableName, fieldname)) conn.close() return propNames
def get_property_names(self, is_allprop): """Return list of supported property names in Clark Notation. Return supported live and dead properties. (See also DAVProvider.get_property_names().) In addition, all table field names are returned as properties. """ # Let default implementation return supported live and dead properties propNames = super(MySQLBrowserResource, self).get_property_names(is_allprop) # Add fieldnames as properties tableName, primKey = self.provider._split_path(self.path) if primKey is not None: conn = self.provider._init_connection() fieldlist = self.provider._get_field_list(conn, tableName) for fieldname in fieldlist: propNames.append("{%s:}%s" % (tableName, fieldname)) conn.close() return propNames
[ "Return", "list", "of", "supported", "property", "names", "in", "Clark", "Notation", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/mysql_dav_provider.py#L247-L264
[ "def", "get_property_names", "(", "self", ",", "is_allprop", ")", ":", "# Let default implementation return supported live and dead properties", "propNames", "=", "super", "(", "MySQLBrowserResource", ",", "self", ")", ".", "get_property_names", "(", "is_allprop", ")", "# Add fieldnames as properties", "tableName", ",", "primKey", "=", "self", ".", "provider", ".", "_split_path", "(", "self", ".", "path", ")", "if", "primKey", "is", "not", "None", ":", "conn", "=", "self", ".", "provider", ".", "_init_connection", "(", ")", "fieldlist", "=", "self", ".", "provider", ".", "_get_field_list", "(", "conn", ",", "tableName", ")", "for", "fieldname", "in", "fieldlist", ":", "propNames", ".", "append", "(", "\"{%s:}%s\"", "%", "(", "tableName", ",", "fieldname", ")", ")", "conn", ".", "close", "(", ")", "return", "propNames" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
MySQLBrowserResource.get_property_value
Return the value of a property. The base implementation handles: - ``{DAV:}lockdiscovery`` and ``{DAV:}supportedlock`` using the associated lock manager. - All other *live* properties (i.e. name starts with ``{DAV:}``) are delegated to self.getLivePropertyValue() - Finally, other properties are considered *dead*, and are handled using the associated property manager, if one is present.
wsgidav/samples/mysql_dav_provider.py
def get_property_value(self, name): """Return the value of a property. The base implementation handles: - ``{DAV:}lockdiscovery`` and ``{DAV:}supportedlock`` using the associated lock manager. - All other *live* properties (i.e. name starts with ``{DAV:}``) are delegated to self.getLivePropertyValue() - Finally, other properties are considered *dead*, and are handled using the associated property manager, if one is present. """ # Return table field as property tableName, primKey = self.provider._split_path(self.path) if primKey is not None: ns, localName = util.split_namespace(name) if ns == (tableName + ":"): conn = self.provider._init_connection() fieldlist = self.provider._get_field_list(conn, tableName) if localName in fieldlist: val = self.provider._get_field_by_primary_key( conn, tableName, primKey, localName ) conn.close() return val conn.close() # else, let default implementation return supported live and dead properties return super(MySQLBrowserResource, self).get_property_value(name)
def get_property_value(self, name): """Return the value of a property. The base implementation handles: - ``{DAV:}lockdiscovery`` and ``{DAV:}supportedlock`` using the associated lock manager. - All other *live* properties (i.e. name starts with ``{DAV:}``) are delegated to self.getLivePropertyValue() - Finally, other properties are considered *dead*, and are handled using the associated property manager, if one is present. """ # Return table field as property tableName, primKey = self.provider._split_path(self.path) if primKey is not None: ns, localName = util.split_namespace(name) if ns == (tableName + ":"): conn = self.provider._init_connection() fieldlist = self.provider._get_field_list(conn, tableName) if localName in fieldlist: val = self.provider._get_field_by_primary_key( conn, tableName, primKey, localName ) conn.close() return val conn.close() # else, let default implementation return supported live and dead properties return super(MySQLBrowserResource, self).get_property_value(name)
[ "Return", "the", "value", "of", "a", "property", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/mysql_dav_provider.py#L266-L293
[ "def", "get_property_value", "(", "self", ",", "name", ")", ":", "# Return table field as property", "tableName", ",", "primKey", "=", "self", ".", "provider", ".", "_split_path", "(", "self", ".", "path", ")", "if", "primKey", "is", "not", "None", ":", "ns", ",", "localName", "=", "util", ".", "split_namespace", "(", "name", ")", "if", "ns", "==", "(", "tableName", "+", "\":\"", ")", ":", "conn", "=", "self", ".", "provider", ".", "_init_connection", "(", ")", "fieldlist", "=", "self", ".", "provider", ".", "_get_field_list", "(", "conn", ",", "tableName", ")", "if", "localName", "in", "fieldlist", ":", "val", "=", "self", ".", "provider", ".", "_get_field_by_primary_key", "(", "conn", ",", "tableName", ",", "primKey", ",", "localName", ")", "conn", ".", "close", "(", ")", "return", "val", "conn", ".", "close", "(", ")", "# else, let default implementation return supported live and dead properties", "return", "super", "(", "MySQLBrowserResource", ",", "self", ")", ".", "get_property_value", "(", "name", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
MySQLBrowserResource.set_property_value
Set or remove property value. See DAVResource.set_property_value()
wsgidav/samples/mysql_dav_provider.py
def set_property_value(self, name, value, dry_run=False): """Set or remove property value. See DAVResource.set_property_value() """ raise DAVError( HTTP_FORBIDDEN, err_condition=PRECONDITION_CODE_ProtectedProperty )
def set_property_value(self, name, value, dry_run=False): """Set or remove property value. See DAVResource.set_property_value() """ raise DAVError( HTTP_FORBIDDEN, err_condition=PRECONDITION_CODE_ProtectedProperty )
[ "Set", "or", "remove", "property", "value", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/mysql_dav_provider.py#L295-L302
[ "def", "set_property_value", "(", "self", ",", "name", ",", "value", ",", "dry_run", "=", "False", ")", ":", "raise", "DAVError", "(", "HTTP_FORBIDDEN", ",", "err_condition", "=", "PRECONDITION_CODE_ProtectedProperty", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
MySQLBrowserProvider._split_path
Return (tableName, primaryKey) tuple for a request path.
wsgidav/samples/mysql_dav_provider.py
def _split_path(self, path): """Return (tableName, primaryKey) tuple for a request path.""" if path.strip() in (None, "", "/"): return (None, None) tableName, primKey = util.save_split(path.strip("/"), "/", 1) # _logger.debug("'%s' -> ('%s', '%s')" % (path, tableName, primKey)) return (tableName, primKey)
def _split_path(self, path): """Return (tableName, primaryKey) tuple for a request path.""" if path.strip() in (None, "", "/"): return (None, None) tableName, primKey = util.save_split(path.strip("/"), "/", 1) # _logger.debug("'%s' -> ('%s', '%s')" % (path, tableName, primKey)) return (tableName, primKey)
[ "Return", "(", "tableName", "primaryKey", ")", "tuple", "for", "a", "request", "path", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/mysql_dav_provider.py#L327-L333
[ "def", "_split_path", "(", "self", ",", "path", ")", ":", "if", "path", ".", "strip", "(", ")", "in", "(", "None", ",", "\"\"", ",", "\"/\"", ")", ":", "return", "(", "None", ",", "None", ")", "tableName", ",", "primKey", "=", "util", ".", "save_split", "(", "path", ".", "strip", "(", "\"/\"", ")", ",", "\"/\"", ",", "1", ")", "# _logger.debug(\"'%s' -> ('%s', '%s')\" % (path, tableName, primKey))", "return", "(", "tableName", ",", "primKey", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
MySQLBrowserProvider.get_resource_inst
Return info dictionary for path. See get_resource_inst()
wsgidav/samples/mysql_dav_provider.py
def get_resource_inst(self, path, environ): """Return info dictionary for path. See get_resource_inst() """ # TODO: calling exists() makes directory browsing VERY slow. # At least compared to PyFileServer, which simply used string # functions to get display_type and displayTypeComment self._count_get_resource_inst += 1 if not self.exists(path, environ): return None _tableName, primKey = self._split_path(path) is_collection = primKey is None return MySQLBrowserResource(self, path, is_collection, environ)
def get_resource_inst(self, path, environ): """Return info dictionary for path. See get_resource_inst() """ # TODO: calling exists() makes directory browsing VERY slow. # At least compared to PyFileServer, which simply used string # functions to get display_type and displayTypeComment self._count_get_resource_inst += 1 if not self.exists(path, environ): return None _tableName, primKey = self._split_path(path) is_collection = primKey is None return MySQLBrowserResource(self, path, is_collection, environ)
[ "Return", "info", "dictionary", "for", "path", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/mysql_dav_provider.py#L569-L582
[ "def", "get_resource_inst", "(", "self", ",", "path", ",", "environ", ")", ":", "# TODO: calling exists() makes directory browsing VERY slow.", "# At least compared to PyFileServer, which simply used string", "# functions to get display_type and displayTypeComment", "self", ".", "_count_get_resource_inst", "+=", "1", "if", "not", "self", ".", "exists", "(", "path", ",", "environ", ")", ":", "return", "None", "_tableName", ",", "primKey", "=", "self", ".", "_split_path", "(", "path", ")", "is_collection", "=", "primKey", "is", "None", "return", "MySQLBrowserResource", "(", "self", ",", "path", ",", "is_collection", ",", "environ", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
get_http_status_string
Return HTTP response string, e.g. 204 -> ('204 No Content'). The return string always includes descriptive text, to satisfy Apache mod_dav. `v`: status code or DAVError
wsgidav/dav_error.py
def get_http_status_string(v): """Return HTTP response string, e.g. 204 -> ('204 No Content'). The return string always includes descriptive text, to satisfy Apache mod_dav. `v`: status code or DAVError """ code = get_http_status_code(v) try: return ERROR_DESCRIPTIONS[code] except KeyError: return "{} Status".format(code)
def get_http_status_string(v): """Return HTTP response string, e.g. 204 -> ('204 No Content'). The return string always includes descriptive text, to satisfy Apache mod_dav. `v`: status code or DAVError """ code = get_http_status_code(v) try: return ERROR_DESCRIPTIONS[code] except KeyError: return "{} Status".format(code)
[ "Return", "HTTP", "response", "string", "e", ".", "g", ".", "204", "-", ">", "(", "204", "No", "Content", ")", ".", "The", "return", "string", "always", "includes", "descriptive", "text", "to", "satisfy", "Apache", "mod_dav", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_error.py#L264-L274
[ "def", "get_http_status_string", "(", "v", ")", ":", "code", "=", "get_http_status_code", "(", "v", ")", "try", ":", "return", "ERROR_DESCRIPTIONS", "[", "code", "]", "except", "KeyError", ":", "return", "\"{} Status\"", ".", "format", "(", "code", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
as_DAVError
Convert any non-DAVError exception to HTTP_INTERNAL_ERROR.
wsgidav/dav_error.py
def as_DAVError(e): """Convert any non-DAVError exception to HTTP_INTERNAL_ERROR.""" if isinstance(e, DAVError): return e elif isinstance(e, Exception): # traceback.print_exc() return DAVError(HTTP_INTERNAL_ERROR, src_exception=e) else: return DAVError(HTTP_INTERNAL_ERROR, "{}".format(e))
def as_DAVError(e): """Convert any non-DAVError exception to HTTP_INTERNAL_ERROR.""" if isinstance(e, DAVError): return e elif isinstance(e, Exception): # traceback.print_exc() return DAVError(HTTP_INTERNAL_ERROR, src_exception=e) else: return DAVError(HTTP_INTERNAL_ERROR, "{}".format(e))
[ "Convert", "any", "non", "-", "DAVError", "exception", "to", "HTTP_INTERNAL_ERROR", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_error.py#L282-L290
[ "def", "as_DAVError", "(", "e", ")", ":", "if", "isinstance", "(", "e", ",", "DAVError", ")", ":", "return", "e", "elif", "isinstance", "(", "e", ",", "Exception", ")", ":", "# traceback.print_exc()", "return", "DAVError", "(", "HTTP_INTERNAL_ERROR", ",", "src_exception", "=", "e", ")", "else", ":", "return", "DAVError", "(", "HTTP_INTERNAL_ERROR", ",", "\"{}\"", ".", "format", "(", "e", ")", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
DAVError.get_user_info
Return readable string.
wsgidav/dav_error.py
def get_user_info(self): """Return readable string.""" if self.value in ERROR_DESCRIPTIONS: s = "{}".format(ERROR_DESCRIPTIONS[self.value]) else: s = "{}".format(self.value) if self.context_info: s += ": {}".format(self.context_info) elif self.value in ERROR_RESPONSES: s += ": {}".format(ERROR_RESPONSES[self.value]) if self.src_exception: s += "\n Source exception: '{}'".format(self.src_exception) if self.err_condition: s += "\n Error condition: '{}'".format(self.err_condition) return s
def get_user_info(self): """Return readable string.""" if self.value in ERROR_DESCRIPTIONS: s = "{}".format(ERROR_DESCRIPTIONS[self.value]) else: s = "{}".format(self.value) if self.context_info: s += ": {}".format(self.context_info) elif self.value in ERROR_RESPONSES: s += ": {}".format(ERROR_RESPONSES[self.value]) if self.src_exception: s += "\n Source exception: '{}'".format(self.src_exception) if self.err_condition: s += "\n Error condition: '{}'".format(self.err_condition) return s
[ "Return", "readable", "string", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_error.py#L205-L222
[ "def", "get_user_info", "(", "self", ")", ":", "if", "self", ".", "value", "in", "ERROR_DESCRIPTIONS", ":", "s", "=", "\"{}\"", ".", "format", "(", "ERROR_DESCRIPTIONS", "[", "self", ".", "value", "]", ")", "else", ":", "s", "=", "\"{}\"", ".", "format", "(", "self", ".", "value", ")", "if", "self", ".", "context_info", ":", "s", "+=", "\": {}\"", ".", "format", "(", "self", ".", "context_info", ")", "elif", "self", ".", "value", "in", "ERROR_RESPONSES", ":", "s", "+=", "\": {}\"", ".", "format", "(", "ERROR_RESPONSES", "[", "self", ".", "value", "]", ")", "if", "self", ".", "src_exception", ":", "s", "+=", "\"\\n Source exception: '{}'\"", ".", "format", "(", "self", ".", "src_exception", ")", "if", "self", ".", "err_condition", ":", "s", "+=", "\"\\n Error condition: '{}'\"", ".", "format", "(", "self", ".", "err_condition", ")", "return", "s" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
DAVError.get_response_page
Return a tuple (content-type, response page).
wsgidav/dav_error.py
def get_response_page(self): """Return a tuple (content-type, response page).""" # If it has pre- or post-condition: return as XML response if self.err_condition: return ("application/xml", compat.to_bytes(self.err_condition.as_string())) # Else return as HTML status = get_http_status_string(self) html = [] html.append( "<!DOCTYPE HTML PUBLIC '-//W3C//DTD HTML 4.01//EN' " "'http://www.w3.org/TR/html4/strict.dtd'>" ) html.append("<html><head>") html.append( " <meta http-equiv='Content-Type' content='text/html; charset=UTF-8'>" ) html.append(" <title>{}</title>".format(status)) html.append("</head><body>") html.append(" <h1>{}</h1>".format(status)) html.append(" <p>{}</p>".format(compat.html_escape(self.get_user_info()))) html.append("<hr/>") html.append( "<a href='https://github.com/mar10/wsgidav/'>WsgiDAV/{}</a> - {}".format( __version__, compat.html_escape(str(datetime.datetime.now()), "utf-8") ) ) html.append("</body></html>") html = "\n".join(html) return ("text/html", compat.to_bytes(html))
def get_response_page(self): """Return a tuple (content-type, response page).""" # If it has pre- or post-condition: return as XML response if self.err_condition: return ("application/xml", compat.to_bytes(self.err_condition.as_string())) # Else return as HTML status = get_http_status_string(self) html = [] html.append( "<!DOCTYPE HTML PUBLIC '-//W3C//DTD HTML 4.01//EN' " "'http://www.w3.org/TR/html4/strict.dtd'>" ) html.append("<html><head>") html.append( " <meta http-equiv='Content-Type' content='text/html; charset=UTF-8'>" ) html.append(" <title>{}</title>".format(status)) html.append("</head><body>") html.append(" <h1>{}</h1>".format(status)) html.append(" <p>{}</p>".format(compat.html_escape(self.get_user_info()))) html.append("<hr/>") html.append( "<a href='https://github.com/mar10/wsgidav/'>WsgiDAV/{}</a> - {}".format( __version__, compat.html_escape(str(datetime.datetime.now()), "utf-8") ) ) html.append("</body></html>") html = "\n".join(html) return ("text/html", compat.to_bytes(html))
[ "Return", "a", "tuple", "(", "content", "-", "type", "response", "page", ")", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_error.py#L224-L253
[ "def", "get_response_page", "(", "self", ")", ":", "# If it has pre- or post-condition: return as XML response", "if", "self", ".", "err_condition", ":", "return", "(", "\"application/xml\"", ",", "compat", ".", "to_bytes", "(", "self", ".", "err_condition", ".", "as_string", "(", ")", ")", ")", "# Else return as HTML", "status", "=", "get_http_status_string", "(", "self", ")", "html", "=", "[", "]", "html", ".", "append", "(", "\"<!DOCTYPE HTML PUBLIC '-//W3C//DTD HTML 4.01//EN' \"", "\"'http://www.w3.org/TR/html4/strict.dtd'>\"", ")", "html", ".", "append", "(", "\"<html><head>\"", ")", "html", ".", "append", "(", "\" <meta http-equiv='Content-Type' content='text/html; charset=UTF-8'>\"", ")", "html", ".", "append", "(", "\" <title>{}</title>\"", ".", "format", "(", "status", ")", ")", "html", ".", "append", "(", "\"</head><body>\"", ")", "html", ".", "append", "(", "\" <h1>{}</h1>\"", ".", "format", "(", "status", ")", ")", "html", ".", "append", "(", "\" <p>{}</p>\"", ".", "format", "(", "compat", ".", "html_escape", "(", "self", ".", "get_user_info", "(", ")", ")", ")", ")", "html", ".", "append", "(", "\"<hr/>\"", ")", "html", ".", "append", "(", "\"<a href='https://github.com/mar10/wsgidav/'>WsgiDAV/{}</a> - {}\"", ".", "format", "(", "__version__", ",", "compat", ".", "html_escape", "(", "str", "(", "datetime", ".", "datetime", ".", "now", "(", ")", ")", ",", "\"utf-8\"", ")", ")", ")", "html", ".", "append", "(", "\"</body></html>\"", ")", "html", "=", "\"\\n\"", ".", "join", "(", "html", ")", "return", "(", "\"text/html\"", ",", "compat", ".", "to_bytes", "(", "html", ")", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
VirtualResource.handle_delete
Change semantic of DELETE to remove resource tags.
wsgidav/samples/virtual_dav_provider.py
def handle_delete(self): """Change semantic of DELETE to remove resource tags.""" # DELETE is only supported for the '/by_tag/' collection if "/by_tag/" not in self.path: raise DAVError(HTTP_FORBIDDEN) # path must be '/by_tag/<tag>/<resname>' catType, tag, _rest = util.save_split(self.path.strip("/"), "/", 2) assert catType == "by_tag" assert tag in self.data["tags"] self.data["tags"].remove(tag) return True
def handle_delete(self): """Change semantic of DELETE to remove resource tags.""" # DELETE is only supported for the '/by_tag/' collection if "/by_tag/" not in self.path: raise DAVError(HTTP_FORBIDDEN) # path must be '/by_tag/<tag>/<resname>' catType, tag, _rest = util.save_split(self.path.strip("/"), "/", 2) assert catType == "by_tag" assert tag in self.data["tags"] self.data["tags"].remove(tag) return True
[ "Change", "semantic", "of", "DELETE", "to", "remove", "resource", "tags", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/virtual_dav_provider.py#L311-L321
[ "def", "handle_delete", "(", "self", ")", ":", "# DELETE is only supported for the '/by_tag/' collection", "if", "\"/by_tag/\"", "not", "in", "self", ".", "path", ":", "raise", "DAVError", "(", "HTTP_FORBIDDEN", ")", "# path must be '/by_tag/<tag>/<resname>'", "catType", ",", "tag", ",", "_rest", "=", "util", ".", "save_split", "(", "self", ".", "path", ".", "strip", "(", "\"/\"", ")", ",", "\"/\"", ",", "2", ")", "assert", "catType", "==", "\"by_tag\"", "assert", "tag", "in", "self", ".", "data", "[", "\"tags\"", "]", "self", ".", "data", "[", "\"tags\"", "]", ".", "remove", "(", "tag", ")", "return", "True" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
VirtualResource.handle_copy
Change semantic of COPY to add resource tags.
wsgidav/samples/virtual_dav_provider.py
def handle_copy(self, dest_path, depth_infinity): """Change semantic of COPY to add resource tags.""" # destPath must be '/by_tag/<tag>/<resname>' if "/by_tag/" not in dest_path: raise DAVError(HTTP_FORBIDDEN) catType, tag, _rest = util.save_split(dest_path.strip("/"), "/", 2) assert catType == "by_tag" if tag not in self.data["tags"]: self.data["tags"].append(tag) return True
def handle_copy(self, dest_path, depth_infinity): """Change semantic of COPY to add resource tags.""" # destPath must be '/by_tag/<tag>/<resname>' if "/by_tag/" not in dest_path: raise DAVError(HTTP_FORBIDDEN) catType, tag, _rest = util.save_split(dest_path.strip("/"), "/", 2) assert catType == "by_tag" if tag not in self.data["tags"]: self.data["tags"].append(tag) return True
[ "Change", "semantic", "of", "COPY", "to", "add", "resource", "tags", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/virtual_dav_provider.py#L323-L332
[ "def", "handle_copy", "(", "self", ",", "dest_path", ",", "depth_infinity", ")", ":", "# destPath must be '/by_tag/<tag>/<resname>'", "if", "\"/by_tag/\"", "not", "in", "dest_path", ":", "raise", "DAVError", "(", "HTTP_FORBIDDEN", ")", "catType", ",", "tag", ",", "_rest", "=", "util", ".", "save_split", "(", "dest_path", ".", "strip", "(", "\"/\"", ")", ",", "\"/\"", ",", "2", ")", "assert", "catType", "==", "\"by_tag\"", "if", "tag", "not", "in", "self", ".", "data", "[", "\"tags\"", "]", ":", "self", ".", "data", "[", "\"tags\"", "]", ".", "append", "(", "tag", ")", "return", "True" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
VirtualResource.handle_move
Change semantic of MOVE to change resource tags.
wsgidav/samples/virtual_dav_provider.py
def handle_move(self, dest_path): """Change semantic of MOVE to change resource tags.""" # path and destPath must be '/by_tag/<tag>/<resname>' if "/by_tag/" not in self.path: raise DAVError(HTTP_FORBIDDEN) if "/by_tag/" not in dest_path: raise DAVError(HTTP_FORBIDDEN) catType, tag, _rest = util.save_split(self.path.strip("/"), "/", 2) assert catType == "by_tag" assert tag in self.data["tags"] self.data["tags"].remove(tag) catType, tag, _rest = util.save_split(dest_path.strip("/"), "/", 2) assert catType == "by_tag" if tag not in self.data["tags"]: self.data["tags"].append(tag) return True
def handle_move(self, dest_path): """Change semantic of MOVE to change resource tags.""" # path and destPath must be '/by_tag/<tag>/<resname>' if "/by_tag/" not in self.path: raise DAVError(HTTP_FORBIDDEN) if "/by_tag/" not in dest_path: raise DAVError(HTTP_FORBIDDEN) catType, tag, _rest = util.save_split(self.path.strip("/"), "/", 2) assert catType == "by_tag" assert tag in self.data["tags"] self.data["tags"].remove(tag) catType, tag, _rest = util.save_split(dest_path.strip("/"), "/", 2) assert catType == "by_tag" if tag not in self.data["tags"]: self.data["tags"].append(tag) return True
[ "Change", "semantic", "of", "MOVE", "to", "change", "resource", "tags", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/virtual_dav_provider.py#L334-L349
[ "def", "handle_move", "(", "self", ",", "dest_path", ")", ":", "# path and destPath must be '/by_tag/<tag>/<resname>'", "if", "\"/by_tag/\"", "not", "in", "self", ".", "path", ":", "raise", "DAVError", "(", "HTTP_FORBIDDEN", ")", "if", "\"/by_tag/\"", "not", "in", "dest_path", ":", "raise", "DAVError", "(", "HTTP_FORBIDDEN", ")", "catType", ",", "tag", ",", "_rest", "=", "util", ".", "save_split", "(", "self", ".", "path", ".", "strip", "(", "\"/\"", ")", ",", "\"/\"", ",", "2", ")", "assert", "catType", "==", "\"by_tag\"", "assert", "tag", "in", "self", ".", "data", "[", "\"tags\"", "]", "self", ".", "data", "[", "\"tags\"", "]", ".", "remove", "(", "tag", ")", "catType", ",", "tag", ",", "_rest", "=", "util", ".", "save_split", "(", "dest_path", ".", "strip", "(", "\"/\"", ")", ",", "\"/\"", ",", "2", ")", "assert", "catType", "==", "\"by_tag\"", "if", "tag", "not", "in", "self", ".", "data", "[", "\"tags\"", "]", ":", "self", ".", "data", "[", "\"tags\"", "]", ".", "append", "(", "tag", ")", "return", "True" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
VirtualResource.get_property_names
Return list of supported property names in Clark Notation. See DAVResource.get_property_names()
wsgidav/samples/virtual_dav_provider.py
def get_property_names(self, is_allprop): """Return list of supported property names in Clark Notation. See DAVResource.get_property_names() """ # Let base class implementation add supported live and dead properties propNameList = super(VirtualResource, self).get_property_names(is_allprop) # Add custom live properties (report on 'allprop' and 'propnames') propNameList.extend(VirtualResource._supportedProps) return propNameList
def get_property_names(self, is_allprop): """Return list of supported property names in Clark Notation. See DAVResource.get_property_names() """ # Let base class implementation add supported live and dead properties propNameList = super(VirtualResource, self).get_property_names(is_allprop) # Add custom live properties (report on 'allprop' and 'propnames') propNameList.extend(VirtualResource._supportedProps) return propNameList
[ "Return", "list", "of", "supported", "property", "names", "in", "Clark", "Notation", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/virtual_dav_provider.py#L355-L364
[ "def", "get_property_names", "(", "self", ",", "is_allprop", ")", ":", "# Let base class implementation add supported live and dead properties", "propNameList", "=", "super", "(", "VirtualResource", ",", "self", ")", ".", "get_property_names", "(", "is_allprop", ")", "# Add custom live properties (report on 'allprop' and 'propnames')", "propNameList", ".", "extend", "(", "VirtualResource", ".", "_supportedProps", ")", "return", "propNameList" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
VirtualResource.get_property_value
Return the value of a property. See get_property_value()
wsgidav/samples/virtual_dav_provider.py
def get_property_value(self, name): """Return the value of a property. See get_property_value() """ # Supported custom live properties if name == "{virtres:}key": return self.data["key"] elif name == "{virtres:}title": return self.data["title"] elif name == "{virtres:}status": return self.data["status"] elif name == "{virtres:}orga": return self.data["orga"] elif name == "{virtres:}tags": # 'tags' is a string list return ",".join(self.data["tags"]) elif name == "{virtres:}description": return self.data["description"] # Let base class implementation report live and dead properties return super(VirtualResource, self).get_property_value(name)
def get_property_value(self, name): """Return the value of a property. See get_property_value() """ # Supported custom live properties if name == "{virtres:}key": return self.data["key"] elif name == "{virtres:}title": return self.data["title"] elif name == "{virtres:}status": return self.data["status"] elif name == "{virtres:}orga": return self.data["orga"] elif name == "{virtres:}tags": # 'tags' is a string list return ",".join(self.data["tags"]) elif name == "{virtres:}description": return self.data["description"] # Let base class implementation report live and dead properties return super(VirtualResource, self).get_property_value(name)
[ "Return", "the", "value", "of", "a", "property", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/virtual_dav_provider.py#L366-L386
[ "def", "get_property_value", "(", "self", ",", "name", ")", ":", "# Supported custom live properties", "if", "name", "==", "\"{virtres:}key\"", ":", "return", "self", ".", "data", "[", "\"key\"", "]", "elif", "name", "==", "\"{virtres:}title\"", ":", "return", "self", ".", "data", "[", "\"title\"", "]", "elif", "name", "==", "\"{virtres:}status\"", ":", "return", "self", ".", "data", "[", "\"status\"", "]", "elif", "name", "==", "\"{virtres:}orga\"", ":", "return", "self", ".", "data", "[", "\"orga\"", "]", "elif", "name", "==", "\"{virtres:}tags\"", ":", "# 'tags' is a string list", "return", "\",\"", ".", "join", "(", "self", ".", "data", "[", "\"tags\"", "]", ")", "elif", "name", "==", "\"{virtres:}description\"", ":", "return", "self", ".", "data", "[", "\"description\"", "]", "# Let base class implementation report live and dead properties", "return", "super", "(", "VirtualResource", ",", "self", ")", ".", "get_property_value", "(", "name", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
VirtualResource.set_property_value
Set or remove property value. See DAVResource.set_property_value()
wsgidav/samples/virtual_dav_provider.py
def set_property_value(self, name, value, dry_run=False): """Set or remove property value. See DAVResource.set_property_value() """ if value is None: # We can never remove properties raise DAVError(HTTP_FORBIDDEN) if name == "{virtres:}tags": # value is of type etree.Element self.data["tags"] = value.text.split(",") elif name == "{virtres:}description": # value is of type etree.Element self.data["description"] = value.text elif name in VirtualResource._supportedProps: # Supported property, but read-only raise DAVError( HTTP_FORBIDDEN, err_condition=PRECONDITION_CODE_ProtectedProperty ) else: # Unsupported property raise DAVError(HTTP_FORBIDDEN) # Write OK return
def set_property_value(self, name, value, dry_run=False): """Set or remove property value. See DAVResource.set_property_value() """ if value is None: # We can never remove properties raise DAVError(HTTP_FORBIDDEN) if name == "{virtres:}tags": # value is of type etree.Element self.data["tags"] = value.text.split(",") elif name == "{virtres:}description": # value is of type etree.Element self.data["description"] = value.text elif name in VirtualResource._supportedProps: # Supported property, but read-only raise DAVError( HTTP_FORBIDDEN, err_condition=PRECONDITION_CODE_ProtectedProperty ) else: # Unsupported property raise DAVError(HTTP_FORBIDDEN) # Write OK return
[ "Set", "or", "remove", "property", "value", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/virtual_dav_provider.py#L388-L411
[ "def", "set_property_value", "(", "self", ",", "name", ",", "value", ",", "dry_run", "=", "False", ")", ":", "if", "value", "is", "None", ":", "# We can never remove properties", "raise", "DAVError", "(", "HTTP_FORBIDDEN", ")", "if", "name", "==", "\"{virtres:}tags\"", ":", "# value is of type etree.Element", "self", ".", "data", "[", "\"tags\"", "]", "=", "value", ".", "text", ".", "split", "(", "\",\"", ")", "elif", "name", "==", "\"{virtres:}description\"", ":", "# value is of type etree.Element", "self", ".", "data", "[", "\"description\"", "]", "=", "value", ".", "text", "elif", "name", "in", "VirtualResource", ".", "_supportedProps", ":", "# Supported property, but read-only", "raise", "DAVError", "(", "HTTP_FORBIDDEN", ",", "err_condition", "=", "PRECONDITION_CODE_ProtectedProperty", ")", "else", ":", "# Unsupported property", "raise", "DAVError", "(", "HTTP_FORBIDDEN", ")", "# Write OK", "return" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
VirtualResourceProvider.get_resource_inst
Return _VirtualResource object for path. path is expected to be categoryType/category/name/artifact for example: 'by_tag/cool/My doc 2/info.html' See DAVProvider.get_resource_inst()
wsgidav/samples/virtual_dav_provider.py
def get_resource_inst(self, path, environ): """Return _VirtualResource object for path. path is expected to be categoryType/category/name/artifact for example: 'by_tag/cool/My doc 2/info.html' See DAVProvider.get_resource_inst() """ _logger.info("get_resource_inst('%s')" % path) self._count_get_resource_inst += 1 root = RootCollection(environ) return root.resolve("", path)
def get_resource_inst(self, path, environ): """Return _VirtualResource object for path. path is expected to be categoryType/category/name/artifact for example: 'by_tag/cool/My doc 2/info.html' See DAVProvider.get_resource_inst() """ _logger.info("get_resource_inst('%s')" % path) self._count_get_resource_inst += 1 root = RootCollection(environ) return root.resolve("", path)
[ "Return", "_VirtualResource", "object", "for", "path", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/virtual_dav_provider.py#L604-L617
[ "def", "get_resource_inst", "(", "self", ",", "path", ",", "environ", ")", ":", "_logger", ".", "info", "(", "\"get_resource_inst('%s')\"", "%", "path", ")", "self", ".", "_count_get_resource_inst", "+=", "1", "root", "=", "RootCollection", "(", "environ", ")", "return", "root", ".", "resolve", "(", "\"\"", ",", "path", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
WsgiDAVApp.add_provider
Add a provider to the provider_map routing table.
wsgidav/wsgidav_app.py
def add_provider(self, share, provider, readonly=False): """Add a provider to the provider_map routing table.""" # Make sure share starts with, or is '/' share = "/" + share.strip("/") assert share not in self.provider_map if compat.is_basestring(provider): # Syntax: # <mount_path>: <folder_path> # We allow a simple string as 'provider'. In this case we interpret # it as a file system root folder that is published. provider = FilesystemProvider(provider, readonly) elif type(provider) in (dict,): if "provider" in provider: # Syntax: # <mount_path>: {"provider": <class_path>, "args": <pos_args>, "kwargs": <named_args} prov_class = dynamic_import_class(provider["provider"]) provider = prov_class( *provider.get("args", []), **provider.get("kwargs", {}) ) else: # Syntax: # <mount_path>: {"root": <path>, "redaonly": <bool>} provider = FilesystemProvider( provider["root"], bool(provider.get("readonly", False)) ) elif type(provider) in (list, tuple): raise ValueError( "Provider {}: tuple/list syntax is no longer supported".format(provider) ) # provider = FilesystemProvider(provider[0], provider[1]) if not isinstance(provider, DAVProvider): raise ValueError("Invalid provider {}".format(provider)) provider.set_share_path(share) if self.mount_path: provider.set_mount_path(self.mount_path) # TODO: someday we may want to configure different lock/prop # managers per provider provider.set_lock_manager(self.lock_manager) provider.set_prop_manager(self.prop_manager) self.provider_map[share] = provider # self.provider_map[share] = {"provider": provider, "allow_anonymous": False} # Store the list of share paths, ordered by length, so route lookups # will return the most specific match self.sorted_share_list = [s.lower() for s in self.provider_map.keys()] self.sorted_share_list = sorted(self.sorted_share_list, key=len, reverse=True) return provider
def add_provider(self, share, provider, readonly=False): """Add a provider to the provider_map routing table.""" # Make sure share starts with, or is '/' share = "/" + share.strip("/") assert share not in self.provider_map if compat.is_basestring(provider): # Syntax: # <mount_path>: <folder_path> # We allow a simple string as 'provider'. In this case we interpret # it as a file system root folder that is published. provider = FilesystemProvider(provider, readonly) elif type(provider) in (dict,): if "provider" in provider: # Syntax: # <mount_path>: {"provider": <class_path>, "args": <pos_args>, "kwargs": <named_args} prov_class = dynamic_import_class(provider["provider"]) provider = prov_class( *provider.get("args", []), **provider.get("kwargs", {}) ) else: # Syntax: # <mount_path>: {"root": <path>, "redaonly": <bool>} provider = FilesystemProvider( provider["root"], bool(provider.get("readonly", False)) ) elif type(provider) in (list, tuple): raise ValueError( "Provider {}: tuple/list syntax is no longer supported".format(provider) ) # provider = FilesystemProvider(provider[0], provider[1]) if not isinstance(provider, DAVProvider): raise ValueError("Invalid provider {}".format(provider)) provider.set_share_path(share) if self.mount_path: provider.set_mount_path(self.mount_path) # TODO: someday we may want to configure different lock/prop # managers per provider provider.set_lock_manager(self.lock_manager) provider.set_prop_manager(self.prop_manager) self.provider_map[share] = provider # self.provider_map[share] = {"provider": provider, "allow_anonymous": False} # Store the list of share paths, ordered by length, so route lookups # will return the most specific match self.sorted_share_list = [s.lower() for s in self.provider_map.keys()] self.sorted_share_list = sorted(self.sorted_share_list, key=len, reverse=True) return provider
[ "Add", "a", "provider", "to", "the", "provider_map", "routing", "table", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/wsgidav_app.py#L290-L342
[ "def", "add_provider", "(", "self", ",", "share", ",", "provider", ",", "readonly", "=", "False", ")", ":", "# Make sure share starts with, or is '/'", "share", "=", "\"/\"", "+", "share", ".", "strip", "(", "\"/\"", ")", "assert", "share", "not", "in", "self", ".", "provider_map", "if", "compat", ".", "is_basestring", "(", "provider", ")", ":", "# Syntax:", "# <mount_path>: <folder_path>", "# We allow a simple string as 'provider'. In this case we interpret", "# it as a file system root folder that is published.", "provider", "=", "FilesystemProvider", "(", "provider", ",", "readonly", ")", "elif", "type", "(", "provider", ")", "in", "(", "dict", ",", ")", ":", "if", "\"provider\"", "in", "provider", ":", "# Syntax:", "# <mount_path>: {\"provider\": <class_path>, \"args\": <pos_args>, \"kwargs\": <named_args}", "prov_class", "=", "dynamic_import_class", "(", "provider", "[", "\"provider\"", "]", ")", "provider", "=", "prov_class", "(", "*", "provider", ".", "get", "(", "\"args\"", ",", "[", "]", ")", ",", "*", "*", "provider", ".", "get", "(", "\"kwargs\"", ",", "{", "}", ")", ")", "else", ":", "# Syntax:", "# <mount_path>: {\"root\": <path>, \"redaonly\": <bool>}", "provider", "=", "FilesystemProvider", "(", "provider", "[", "\"root\"", "]", ",", "bool", "(", "provider", ".", "get", "(", "\"readonly\"", ",", "False", ")", ")", ")", "elif", "type", "(", "provider", ")", "in", "(", "list", ",", "tuple", ")", ":", "raise", "ValueError", "(", "\"Provider {}: tuple/list syntax is no longer supported\"", ".", "format", "(", "provider", ")", ")", "# provider = FilesystemProvider(provider[0], provider[1])", "if", "not", "isinstance", "(", "provider", ",", "DAVProvider", ")", ":", "raise", "ValueError", "(", "\"Invalid provider {}\"", ".", "format", "(", "provider", ")", ")", "provider", ".", "set_share_path", "(", "share", ")", "if", "self", ".", "mount_path", ":", "provider", ".", "set_mount_path", "(", "self", ".", "mount_path", ")", "# TODO: someday we may want to configure different lock/prop", "# managers per provider", "provider", ".", "set_lock_manager", "(", "self", ".", "lock_manager", ")", "provider", ".", "set_prop_manager", "(", "self", ".", "prop_manager", ")", "self", ".", "provider_map", "[", "share", "]", "=", "provider", "# self.provider_map[share] = {\"provider\": provider, \"allow_anonymous\": False}", "# Store the list of share paths, ordered by length, so route lookups", "# will return the most specific match", "self", ".", "sorted_share_list", "=", "[", "s", ".", "lower", "(", ")", "for", "s", "in", "self", ".", "provider_map", ".", "keys", "(", ")", "]", "self", ".", "sorted_share_list", "=", "sorted", "(", "self", ".", "sorted_share_list", ",", "key", "=", "len", ",", "reverse", "=", "True", ")", "return", "provider" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
WsgiDAVApp.resolve_provider
Get the registered DAVProvider for a given path. Returns: tuple: (share, provider)
wsgidav/wsgidav_app.py
def resolve_provider(self, path): """Get the registered DAVProvider for a given path. Returns: tuple: (share, provider) """ # Find DAV provider that matches the share share = None lower_path = path.lower() for r in self.sorted_share_list: # @@: Case sensitivity should be an option of some sort here; # os.path.normpath might give the preferred case for a filename. if r == "/": share = r break elif lower_path == r or lower_path.startswith(r + "/"): share = r break if share is None: return None, None return share, self.provider_map.get(share)
def resolve_provider(self, path): """Get the registered DAVProvider for a given path. Returns: tuple: (share, provider) """ # Find DAV provider that matches the share share = None lower_path = path.lower() for r in self.sorted_share_list: # @@: Case sensitivity should be an option of some sort here; # os.path.normpath might give the preferred case for a filename. if r == "/": share = r break elif lower_path == r or lower_path.startswith(r + "/"): share = r break if share is None: return None, None return share, self.provider_map.get(share)
[ "Get", "the", "registered", "DAVProvider", "for", "a", "given", "path", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/wsgidav_app.py#L344-L365
[ "def", "resolve_provider", "(", "self", ",", "path", ")", ":", "# Find DAV provider that matches the share", "share", "=", "None", "lower_path", "=", "path", ".", "lower", "(", ")", "for", "r", "in", "self", ".", "sorted_share_list", ":", "# @@: Case sensitivity should be an option of some sort here;", "# os.path.normpath might give the preferred case for a filename.", "if", "r", "==", "\"/\"", ":", "share", "=", "r", "break", "elif", "lower_path", "==", "r", "or", "lower_path", ".", "startswith", "(", "r", "+", "\"/\"", ")", ":", "share", "=", "r", "break", "if", "share", "is", "None", ":", "return", "None", ",", "None", "return", "share", ",", "self", ".", "provider_map", ".", "get", "(", "share", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
HTTPAuthenticator.compute_digest_response
Computes digest hash. Calculation of the A1 (HA1) part is delegated to the dc interface method `digest_auth_user()`. Args: realm (str): user_name (str): method (str): WebDAV Request Method uri (str): nonce (str): server generated nonce value cnonce (str): client generated cnonce value qop (str): quality of protection nc (str) (number), nonce counter incremented by client Returns: MD5 hash string or False if user rejected by domain controller
wsgidav/http_authenticator.py
def compute_digest_response( self, realm, user_name, method, uri, nonce, cnonce, qop, nc, environ ): """Computes digest hash. Calculation of the A1 (HA1) part is delegated to the dc interface method `digest_auth_user()`. Args: realm (str): user_name (str): method (str): WebDAV Request Method uri (str): nonce (str): server generated nonce value cnonce (str): client generated cnonce value qop (str): quality of protection nc (str) (number), nonce counter incremented by client Returns: MD5 hash string or False if user rejected by domain controller """ def md5h(data): return md5(compat.to_bytes(data)).hexdigest() def md5kd(secret, data): return md5h(secret + ":" + data) A1 = self.domain_controller.digest_auth_user(realm, user_name, environ) if not A1: return False A2 = method + ":" + uri if qop: res = md5kd( A1, nonce + ":" + nc + ":" + cnonce + ":" + qop + ":" + md5h(A2) ) else: res = md5kd(A1, nonce + ":" + md5h(A2)) return res
def compute_digest_response( self, realm, user_name, method, uri, nonce, cnonce, qop, nc, environ ): """Computes digest hash. Calculation of the A1 (HA1) part is delegated to the dc interface method `digest_auth_user()`. Args: realm (str): user_name (str): method (str): WebDAV Request Method uri (str): nonce (str): server generated nonce value cnonce (str): client generated cnonce value qop (str): quality of protection nc (str) (number), nonce counter incremented by client Returns: MD5 hash string or False if user rejected by domain controller """ def md5h(data): return md5(compat.to_bytes(data)).hexdigest() def md5kd(secret, data): return md5h(secret + ":" + data) A1 = self.domain_controller.digest_auth_user(realm, user_name, environ) if not A1: return False A2 = method + ":" + uri if qop: res = md5kd( A1, nonce + ":" + nc + ":" + cnonce + ":" + qop + ":" + md5h(A2) ) else: res = md5kd(A1, nonce + ":" + md5h(A2)) return res
[ "Computes", "digest", "hash", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/http_authenticator.py#L566-L607
[ "def", "compute_digest_response", "(", "self", ",", "realm", ",", "user_name", ",", "method", ",", "uri", ",", "nonce", ",", "cnonce", ",", "qop", ",", "nc", ",", "environ", ")", ":", "def", "md5h", "(", "data", ")", ":", "return", "md5", "(", "compat", ".", "to_bytes", "(", "data", ")", ")", ".", "hexdigest", "(", ")", "def", "md5kd", "(", "secret", ",", "data", ")", ":", "return", "md5h", "(", "secret", "+", "\":\"", "+", "data", ")", "A1", "=", "self", ".", "domain_controller", ".", "digest_auth_user", "(", "realm", ",", "user_name", ",", "environ", ")", "if", "not", "A1", ":", "return", "False", "A2", "=", "method", "+", "\":\"", "+", "uri", "if", "qop", ":", "res", "=", "md5kd", "(", "A1", ",", "nonce", "+", "\":\"", "+", "nc", "+", "\":\"", "+", "cnonce", "+", "\":\"", "+", "qop", "+", "\":\"", "+", "md5h", "(", "A2", ")", ")", "else", ":", "res", "=", "md5kd", "(", "A1", ",", "nonce", "+", "\":\"", "+", "md5h", "(", "A2", ")", ")", "return", "res" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
FileLikeQueue.read
Read a chunk of bytes from queue. size = 0: Read next chunk (arbitrary length) > 0: Read one chunk of `size` bytes (or less if stream was closed) < 0: Read all bytes as single chunk (i.e. blocks until stream is closed) This method blocks until the requested size become available. However, if close() was called, '' is returned immediately.
wsgidav/stream_tools.py
def read(self, size=0): """Read a chunk of bytes from queue. size = 0: Read next chunk (arbitrary length) > 0: Read one chunk of `size` bytes (or less if stream was closed) < 0: Read all bytes as single chunk (i.e. blocks until stream is closed) This method blocks until the requested size become available. However, if close() was called, '' is returned immediately. """ res = self.unread self.unread = "" # Get next chunk, cumulating requested size as needed while res == "" or size < 0 or (size > 0 and len(res) < size): try: # Read pending data, blocking if neccessary # (but handle the case that close() is called while waiting) res += compat.to_native(self.queue.get(True, 0.1)) except compat.queue.Empty: # There was no pending data: wait for more, unless close() was called if self.is_closed: break # Deliver `size` bytes from buffer if size > 0 and len(res) > size: self.unread = res[size:] res = res[:size] # print("FileLikeQueue.read({}) => {} bytes".format(size, len(res))) return res
def read(self, size=0): """Read a chunk of bytes from queue. size = 0: Read next chunk (arbitrary length) > 0: Read one chunk of `size` bytes (or less if stream was closed) < 0: Read all bytes as single chunk (i.e. blocks until stream is closed) This method blocks until the requested size become available. However, if close() was called, '' is returned immediately. """ res = self.unread self.unread = "" # Get next chunk, cumulating requested size as needed while res == "" or size < 0 or (size > 0 and len(res) < size): try: # Read pending data, blocking if neccessary # (but handle the case that close() is called while waiting) res += compat.to_native(self.queue.get(True, 0.1)) except compat.queue.Empty: # There was no pending data: wait for more, unless close() was called if self.is_closed: break # Deliver `size` bytes from buffer if size > 0 and len(res) > size: self.unread = res[size:] res = res[:size] # print("FileLikeQueue.read({}) => {} bytes".format(size, len(res))) return res
[ "Read", "a", "chunk", "of", "bytes", "from", "queue", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/stream_tools.py#L55-L82
[ "def", "read", "(", "self", ",", "size", "=", "0", ")", ":", "res", "=", "self", ".", "unread", "self", ".", "unread", "=", "\"\"", "# Get next chunk, cumulating requested size as needed", "while", "res", "==", "\"\"", "or", "size", "<", "0", "or", "(", "size", ">", "0", "and", "len", "(", "res", ")", "<", "size", ")", ":", "try", ":", "# Read pending data, blocking if neccessary", "# (but handle the case that close() is called while waiting)", "res", "+=", "compat", ".", "to_native", "(", "self", ".", "queue", ".", "get", "(", "True", ",", "0.1", ")", ")", "except", "compat", ".", "queue", ".", "Empty", ":", "# There was no pending data: wait for more, unless close() was called", "if", "self", ".", "is_closed", ":", "break", "# Deliver `size` bytes from buffer", "if", "size", ">", "0", "and", "len", "(", "res", ")", ">", "size", ":", "self", ".", "unread", "=", "res", "[", "size", ":", "]", "res", "=", "res", "[", ":", "size", "]", "# print(\"FileLikeQueue.read({}) => {} bytes\".format(size, len(res)))", "return", "res" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
FileLikeQueue.write
Put a chunk of bytes (or an iterable) to the queue. May block if max_size number of chunks is reached.
wsgidav/stream_tools.py
def write(self, chunk): """Put a chunk of bytes (or an iterable) to the queue. May block if max_size number of chunks is reached. """ if self.is_closed: raise ValueError("Cannot write to closed object") # print("FileLikeQueue.write(), n={}".format(len(chunk))) # Add chunk to queue (blocks if queue is full) if compat.is_basestring(chunk): self.queue.put(chunk) else: # if not a string, assume an iterable for o in chunk: self.queue.put(o)
def write(self, chunk): """Put a chunk of bytes (or an iterable) to the queue. May block if max_size number of chunks is reached. """ if self.is_closed: raise ValueError("Cannot write to closed object") # print("FileLikeQueue.write(), n={}".format(len(chunk))) # Add chunk to queue (blocks if queue is full) if compat.is_basestring(chunk): self.queue.put(chunk) else: # if not a string, assume an iterable for o in chunk: self.queue.put(o)
[ "Put", "a", "chunk", "of", "bytes", "(", "or", "an", "iterable", ")", "to", "the", "queue", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/stream_tools.py#L84-L97
[ "def", "write", "(", "self", ",", "chunk", ")", ":", "if", "self", ".", "is_closed", ":", "raise", "ValueError", "(", "\"Cannot write to closed object\"", ")", "# print(\"FileLikeQueue.write(), n={}\".format(len(chunk)))", "# Add chunk to queue (blocks if queue is full)", "if", "compat", ".", "is_basestring", "(", "chunk", ")", ":", "self", ".", "queue", ".", "put", "(", "chunk", ")", "else", ":", "# if not a string, assume an iterable", "for", "o", "in", "chunk", ":", "self", ".", "queue", ".", "put", "(", "o", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
StreamingFile.read
Read bytes from an iterator.
wsgidav/stream_tools.py
def read(self, size=None): """Read bytes from an iterator.""" while size is None or len(self.buffer) < size: try: self.buffer += next(self.data_stream) except StopIteration: break sized_chunk = self.buffer[:size] if size is None: self.buffer = "" else: self.buffer = self.buffer[size:] return sized_chunk
def read(self, size=None): """Read bytes from an iterator.""" while size is None or len(self.buffer) < size: try: self.buffer += next(self.data_stream) except StopIteration: break sized_chunk = self.buffer[:size] if size is None: self.buffer = "" else: self.buffer = self.buffer[size:] return sized_chunk
[ "Read", "bytes", "from", "an", "iterator", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/stream_tools.py#L133-L146
[ "def", "read", "(", "self", ",", "size", "=", "None", ")", ":", "while", "size", "is", "None", "or", "len", "(", "self", ".", "buffer", ")", "<", "size", ":", "try", ":", "self", ".", "buffer", "+=", "next", "(", "self", ".", "data_stream", ")", "except", "StopIteration", ":", "break", "sized_chunk", "=", "self", ".", "buffer", "[", ":", "size", "]", "if", "size", "is", "None", ":", "self", ".", "buffer", "=", "\"\"", "else", ":", "self", ".", "buffer", "=", "self", ".", "buffer", "[", "size", ":", "]", "return", "sized_chunk" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
ExtServer.handle_error
Handle an error gracefully. May be overridden. The default is to _logger.info a traceback and continue.
wsgidav/server/ext_wsgiutils_server.py
def handle_error(self, request, client_address): """Handle an error gracefully. May be overridden. The default is to _logger.info a traceback and continue. """ ei = sys.exc_info() e = ei[1] # Suppress stack trace when client aborts connection disgracefully: # 10053: Software caused connection abort # 10054: Connection reset by peer if e.args[0] in (10053, 10054): _logger.error("*** Caught socket.error: {}".format(e)) return # This is what BaseHTTPServer.HTTPServer.handle_error does, but with # added thread ID and using stderr _logger.error("-" * 40, file=sys.stderr) _logger.error( "<{}> Exception happened during processing of request from {}".format( threading.currentThread().ident, client_address ) ) _logger.error(client_address, file=sys.stderr) traceback.print_exc() _logger.error("-" * 40, file=sys.stderr) _logger.error(request, file=sys.stderr)
def handle_error(self, request, client_address): """Handle an error gracefully. May be overridden. The default is to _logger.info a traceback and continue. """ ei = sys.exc_info() e = ei[1] # Suppress stack trace when client aborts connection disgracefully: # 10053: Software caused connection abort # 10054: Connection reset by peer if e.args[0] in (10053, 10054): _logger.error("*** Caught socket.error: {}".format(e)) return # This is what BaseHTTPServer.HTTPServer.handle_error does, but with # added thread ID and using stderr _logger.error("-" * 40, file=sys.stderr) _logger.error( "<{}> Exception happened during processing of request from {}".format( threading.currentThread().ident, client_address ) ) _logger.error(client_address, file=sys.stderr) traceback.print_exc() _logger.error("-" * 40, file=sys.stderr) _logger.error(request, file=sys.stderr)
[ "Handle", "an", "error", "gracefully", ".", "May", "be", "overridden", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/server/ext_wsgiutils_server.py#L302-L327
[ "def", "handle_error", "(", "self", ",", "request", ",", "client_address", ")", ":", "ei", "=", "sys", ".", "exc_info", "(", ")", "e", "=", "ei", "[", "1", "]", "# Suppress stack trace when client aborts connection disgracefully:", "# 10053: Software caused connection abort", "# 10054: Connection reset by peer", "if", "e", ".", "args", "[", "0", "]", "in", "(", "10053", ",", "10054", ")", ":", "_logger", ".", "error", "(", "\"*** Caught socket.error: {}\"", ".", "format", "(", "e", ")", ")", "return", "# This is what BaseHTTPServer.HTTPServer.handle_error does, but with", "# added thread ID and using stderr", "_logger", ".", "error", "(", "\"-\"", "*", "40", ",", "file", "=", "sys", ".", "stderr", ")", "_logger", ".", "error", "(", "\"<{}> Exception happened during processing of request from {}\"", ".", "format", "(", "threading", ".", "currentThread", "(", ")", ".", "ident", ",", "client_address", ")", ")", "_logger", ".", "error", "(", "client_address", ",", "file", "=", "sys", ".", "stderr", ")", "traceback", ".", "print_exc", "(", ")", "_logger", ".", "error", "(", "\"-\"", "*", "40", ",", "file", "=", "sys", ".", "stderr", ")", "_logger", ".", "error", "(", "request", ",", "file", "=", "sys", ".", "stderr", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
ExtServer.stop_serve_forever
Stop serve_forever_stoppable().
wsgidav/server/ext_wsgiutils_server.py
def stop_serve_forever(self): """Stop serve_forever_stoppable().""" assert hasattr( self, "stop_request" ), "serve_forever_stoppable() must be called before" assert not self.stop_request, "stop_serve_forever() must only be called once" # # Flag stop request self.stop_request = True time.sleep(0.1) if self.stopped: # _logger.info "stop_serve_forever() 'stopped'." return # Add a do_SHUTDOWN method to to the ExtHandler class def _shutdownHandler(self): """Send 200 OK response, and set server.stop_request to True. http://code.activestate.com/recipes/336012/ """ # _logger.info "Handling do_SHUTDOWN request" self.send_response(200) self.end_headers() self.server.stop_request = True if not hasattr(ExtHandler, "do_SHUTDOWN"): ExtHandler.do_SHUTDOWN = _shutdownHandler # Send request, so socket is unblocked (host, port) = self.server_address # _logger.info "stop_serve_forever() sending {}:{}/ SHUTDOWN...".format(host, port) conn = http_client.HTTPConnection("{}:{}".format(host, port)) conn.request("SHUTDOWN", "/") # _logger.info "stop_serve_forever() sent SHUTDOWN request, reading response..." conn.getresponse() # _logger.info "stop_serve_forever() received SHUTDOWN response." assert self.stop_request
def stop_serve_forever(self): """Stop serve_forever_stoppable().""" assert hasattr( self, "stop_request" ), "serve_forever_stoppable() must be called before" assert not self.stop_request, "stop_serve_forever() must only be called once" # # Flag stop request self.stop_request = True time.sleep(0.1) if self.stopped: # _logger.info "stop_serve_forever() 'stopped'." return # Add a do_SHUTDOWN method to to the ExtHandler class def _shutdownHandler(self): """Send 200 OK response, and set server.stop_request to True. http://code.activestate.com/recipes/336012/ """ # _logger.info "Handling do_SHUTDOWN request" self.send_response(200) self.end_headers() self.server.stop_request = True if not hasattr(ExtHandler, "do_SHUTDOWN"): ExtHandler.do_SHUTDOWN = _shutdownHandler # Send request, so socket is unblocked (host, port) = self.server_address # _logger.info "stop_serve_forever() sending {}:{}/ SHUTDOWN...".format(host, port) conn = http_client.HTTPConnection("{}:{}".format(host, port)) conn.request("SHUTDOWN", "/") # _logger.info "stop_serve_forever() sent SHUTDOWN request, reading response..." conn.getresponse() # _logger.info "stop_serve_forever() received SHUTDOWN response." assert self.stop_request
[ "Stop", "serve_forever_stoppable", "()", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/server/ext_wsgiutils_server.py#L331-L367
[ "def", "stop_serve_forever", "(", "self", ")", ":", "assert", "hasattr", "(", "self", ",", "\"stop_request\"", ")", ",", "\"serve_forever_stoppable() must be called before\"", "assert", "not", "self", ".", "stop_request", ",", "\"stop_serve_forever() must only be called once\"", "# # Flag stop request", "self", ".", "stop_request", "=", "True", "time", ".", "sleep", "(", "0.1", ")", "if", "self", ".", "stopped", ":", "# _logger.info \"stop_serve_forever() 'stopped'.\"", "return", "# Add a do_SHUTDOWN method to to the ExtHandler class", "def", "_shutdownHandler", "(", "self", ")", ":", "\"\"\"Send 200 OK response, and set server.stop_request to True.\n\n http://code.activestate.com/recipes/336012/\n \"\"\"", "# _logger.info \"Handling do_SHUTDOWN request\"", "self", ".", "send_response", "(", "200", ")", "self", ".", "end_headers", "(", ")", "self", ".", "server", ".", "stop_request", "=", "True", "if", "not", "hasattr", "(", "ExtHandler", ",", "\"do_SHUTDOWN\"", ")", ":", "ExtHandler", ".", "do_SHUTDOWN", "=", "_shutdownHandler", "# Send request, so socket is unblocked", "(", "host", ",", "port", ")", "=", "self", ".", "server_address", "# _logger.info \"stop_serve_forever() sending {}:{}/ SHUTDOWN...\".format(host, port)", "conn", "=", "http_client", ".", "HTTPConnection", "(", "\"{}:{}\"", ".", "format", "(", "host", ",", "port", ")", ")", "conn", ".", "request", "(", "\"SHUTDOWN\"", ",", "\"/\"", ")", "# _logger.info \"stop_serve_forever() sent SHUTDOWN request, reading response...\"", "conn", ".", "getresponse", "(", ")", "# _logger.info \"stop_serve_forever() received SHUTDOWN response.\"", "assert", "self", ".", "stop_request" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
ExtServer.serve_forever_stoppable
Handle one request at a time until stop_serve_forever(). http://code.activestate.com/recipes/336012/
wsgidav/server/ext_wsgiutils_server.py
def serve_forever_stoppable(self): """Handle one request at a time until stop_serve_forever(). http://code.activestate.com/recipes/336012/ """ self.stop_request = False self.stopped = False while not self.stop_request: self.handle_request() # _logger.info "serve_forever_stoppable() stopped." self.stopped = True
def serve_forever_stoppable(self): """Handle one request at a time until stop_serve_forever(). http://code.activestate.com/recipes/336012/ """ self.stop_request = False self.stopped = False while not self.stop_request: self.handle_request() # _logger.info "serve_forever_stoppable() stopped." self.stopped = True
[ "Handle", "one", "request", "at", "a", "time", "until", "stop_serve_forever", "()", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/server/ext_wsgiutils_server.py#L369-L381
[ "def", "serve_forever_stoppable", "(", "self", ")", ":", "self", ".", "stop_request", "=", "False", "self", ".", "stopped", "=", "False", "while", "not", "self", ".", "stop_request", ":", "self", ".", "handle_request", "(", ")", "# _logger.info \"serve_forever_stoppable() stopped.\"", "self", ".", "stopped", "=", "True" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
HgResource.get_property_names
Return list of supported property names in Clark Notation. See DAVResource.get_property_names()
wsgidav/samples/hg_dav_provider.py
def get_property_names(self, is_allprop): """Return list of supported property names in Clark Notation. See DAVResource.get_property_names() """ # Let base class implementation add supported live and dead properties propNameList = super(HgResource, self).get_property_names(is_allprop) # Add custom live properties (report on 'allprop' and 'propnames') if self.fctx: propNameList.extend( [ "{hg:}branch", "{hg:}date", "{hg:}description", "{hg:}filerev", "{hg:}rev", "{hg:}user", ] ) return propNameList
def get_property_names(self, is_allprop): """Return list of supported property names in Clark Notation. See DAVResource.get_property_names() """ # Let base class implementation add supported live and dead properties propNameList = super(HgResource, self).get_property_names(is_allprop) # Add custom live properties (report on 'allprop' and 'propnames') if self.fctx: propNameList.extend( [ "{hg:}branch", "{hg:}date", "{hg:}description", "{hg:}filerev", "{hg:}rev", "{hg:}user", ] ) return propNameList
[ "Return", "list", "of", "supported", "property", "names", "in", "Clark", "Notation", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/hg_dav_provider.py#L223-L242
[ "def", "get_property_names", "(", "self", ",", "is_allprop", ")", ":", "# Let base class implementation add supported live and dead properties", "propNameList", "=", "super", "(", "HgResource", ",", "self", ")", ".", "get_property_names", "(", "is_allprop", ")", "# Add custom live properties (report on 'allprop' and 'propnames')", "if", "self", ".", "fctx", ":", "propNameList", ".", "extend", "(", "[", "\"{hg:}branch\"", ",", "\"{hg:}date\"", ",", "\"{hg:}description\"", ",", "\"{hg:}filerev\"", ",", "\"{hg:}rev\"", ",", "\"{hg:}user\"", ",", "]", ")", "return", "propNameList" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
HgResource.get_property_value
Return the value of a property. See get_property_value()
wsgidav/samples/hg_dav_provider.py
def get_property_value(self, name): """Return the value of a property. See get_property_value() """ # Supported custom live properties if name == "{hg:}branch": return self.fctx.branch() elif name == "{hg:}date": # (secs, tz-ofs) return compat.to_native(self.fctx.date()[0]) elif name == "{hg:}description": return self.fctx.description() elif name == "{hg:}filerev": return compat.to_native(self.fctx.filerev()) elif name == "{hg:}rev": return compat.to_native(self.fctx.rev()) elif name == "{hg:}user": return compat.to_native(self.fctx.user()) # Let base class implementation report live and dead properties return super(HgResource, self).get_property_value(name)
def get_property_value(self, name): """Return the value of a property. See get_property_value() """ # Supported custom live properties if name == "{hg:}branch": return self.fctx.branch() elif name == "{hg:}date": # (secs, tz-ofs) return compat.to_native(self.fctx.date()[0]) elif name == "{hg:}description": return self.fctx.description() elif name == "{hg:}filerev": return compat.to_native(self.fctx.filerev()) elif name == "{hg:}rev": return compat.to_native(self.fctx.rev()) elif name == "{hg:}user": return compat.to_native(self.fctx.user()) # Let base class implementation report live and dead properties return super(HgResource, self).get_property_value(name)
[ "Return", "the", "value", "of", "a", "property", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/hg_dav_provider.py#L244-L265
[ "def", "get_property_value", "(", "self", ",", "name", ")", ":", "# Supported custom live properties", "if", "name", "==", "\"{hg:}branch\"", ":", "return", "self", ".", "fctx", ".", "branch", "(", ")", "elif", "name", "==", "\"{hg:}date\"", ":", "# (secs, tz-ofs)", "return", "compat", ".", "to_native", "(", "self", ".", "fctx", ".", "date", "(", ")", "[", "0", "]", ")", "elif", "name", "==", "\"{hg:}description\"", ":", "return", "self", ".", "fctx", ".", "description", "(", ")", "elif", "name", "==", "\"{hg:}filerev\"", ":", "return", "compat", ".", "to_native", "(", "self", ".", "fctx", ".", "filerev", "(", ")", ")", "elif", "name", "==", "\"{hg:}rev\"", ":", "return", "compat", ".", "to_native", "(", "self", ".", "fctx", ".", "rev", "(", ")", ")", "elif", "name", "==", "\"{hg:}user\"", ":", "return", "compat", ".", "to_native", "(", "self", ".", "fctx", ".", "user", "(", ")", ")", "# Let base class implementation report live and dead properties", "return", "super", "(", "HgResource", ",", "self", ")", ".", "get_property_value", "(", "name", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
HgResource.create_empty_resource
Create and return an empty (length-0) resource as member of self. See DAVResource.create_empty_resource()
wsgidav/samples/hg_dav_provider.py
def create_empty_resource(self, name): """Create and return an empty (length-0) resource as member of self. See DAVResource.create_empty_resource() """ assert self.is_collection self._check_write_access() filepath = self._getFilePath(name) f = open(filepath, "w") f.close() commands.add(self.provider.ui, self.provider.repo, filepath) # get_resource_inst() won't work, because the cached manifest is outdated # return self.provider.get_resource_inst(self.path.rstrip("/")+"/"+name, self.environ) return HgResource( self.path.rstrip("/") + "/" + name, False, self.environ, self.rev, self.localHgPath + "/" + name, )
def create_empty_resource(self, name): """Create and return an empty (length-0) resource as member of self. See DAVResource.create_empty_resource() """ assert self.is_collection self._check_write_access() filepath = self._getFilePath(name) f = open(filepath, "w") f.close() commands.add(self.provider.ui, self.provider.repo, filepath) # get_resource_inst() won't work, because the cached manifest is outdated # return self.provider.get_resource_inst(self.path.rstrip("/")+"/"+name, self.environ) return HgResource( self.path.rstrip("/") + "/" + name, False, self.environ, self.rev, self.localHgPath + "/" + name, )
[ "Create", "and", "return", "an", "empty", "(", "length", "-", "0", ")", "resource", "as", "member", "of", "self", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/hg_dav_provider.py#L284-L303
[ "def", "create_empty_resource", "(", "self", ",", "name", ")", ":", "assert", "self", ".", "is_collection", "self", ".", "_check_write_access", "(", ")", "filepath", "=", "self", ".", "_getFilePath", "(", "name", ")", "f", "=", "open", "(", "filepath", ",", "\"w\"", ")", "f", ".", "close", "(", ")", "commands", ".", "add", "(", "self", ".", "provider", ".", "ui", ",", "self", ".", "provider", ".", "repo", ",", "filepath", ")", "# get_resource_inst() won't work, because the cached manifest is outdated", "# return self.provider.get_resource_inst(self.path.rstrip(\"/\")+\"/\"+name, self.environ)", "return", "HgResource", "(", "self", ".", "path", ".", "rstrip", "(", "\"/\"", ")", "+", "\"/\"", "+", "name", ",", "False", ",", "self", ".", "environ", ",", "self", ".", "rev", ",", "self", ".", "localHgPath", "+", "\"/\"", "+", "name", ",", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
HgResource.create_collection
Create a new collection as member of self. A dummy member is created, because Mercurial doesn't handle folders.
wsgidav/samples/hg_dav_provider.py
def create_collection(self, name): """Create a new collection as member of self. A dummy member is created, because Mercurial doesn't handle folders. """ assert self.is_collection self._check_write_access() collpath = self._getFilePath(name) os.mkdir(collpath) filepath = self._getFilePath(name, ".directory") f = open(filepath, "w") f.write("Created by WsgiDAV.") f.close() commands.add(self.provider.ui, self.provider.repo, filepath)
def create_collection(self, name): """Create a new collection as member of self. A dummy member is created, because Mercurial doesn't handle folders. """ assert self.is_collection self._check_write_access() collpath = self._getFilePath(name) os.mkdir(collpath) filepath = self._getFilePath(name, ".directory") f = open(filepath, "w") f.write("Created by WsgiDAV.") f.close() commands.add(self.provider.ui, self.provider.repo, filepath)
[ "Create", "a", "new", "collection", "as", "member", "of", "self", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/hg_dav_provider.py#L305-L318
[ "def", "create_collection", "(", "self", ",", "name", ")", ":", "assert", "self", ".", "is_collection", "self", ".", "_check_write_access", "(", ")", "collpath", "=", "self", ".", "_getFilePath", "(", "name", ")", "os", ".", "mkdir", "(", "collpath", ")", "filepath", "=", "self", ".", "_getFilePath", "(", "name", ",", "\".directory\"", ")", "f", "=", "open", "(", "filepath", ",", "\"w\"", ")", "f", ".", "write", "(", "\"Created by WsgiDAV.\"", ")", "f", ".", "close", "(", ")", "commands", ".", "add", "(", "self", ".", "provider", ".", "ui", ",", "self", ".", "provider", ".", "repo", ",", "filepath", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
HgResource.get_content
Open content as a stream for reading. See DAVResource.get_content()
wsgidav/samples/hg_dav_provider.py
def get_content(self): """Open content as a stream for reading. See DAVResource.get_content() """ assert not self.is_collection d = self.fctx.data() return compat.StringIO(d)
def get_content(self): """Open content as a stream for reading. See DAVResource.get_content() """ assert not self.is_collection d = self.fctx.data() return compat.StringIO(d)
[ "Open", "content", "as", "a", "stream", "for", "reading", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/hg_dav_provider.py#L320-L327
[ "def", "get_content", "(", "self", ")", ":", "assert", "not", "self", ".", "is_collection", "d", "=", "self", ".", "fctx", ".", "data", "(", ")", "return", "compat", ".", "StringIO", "(", "d", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
HgResource.begin_write
Open content as a stream for writing. See DAVResource.begin_write()
wsgidav/samples/hg_dav_provider.py
def begin_write(self, content_type=None): """Open content as a stream for writing. See DAVResource.begin_write() """ assert not self.is_collection self._check_write_access() mode = "wb" # GC issue 57: always store as binary # if contentType and contentType.startswith("text"): # mode = "w" return open(self.absFilePath, mode, BUFFER_SIZE)
def begin_write(self, content_type=None): """Open content as a stream for writing. See DAVResource.begin_write() """ assert not self.is_collection self._check_write_access() mode = "wb" # GC issue 57: always store as binary # if contentType and contentType.startswith("text"): # mode = "w" return open(self.absFilePath, mode, BUFFER_SIZE)
[ "Open", "content", "as", "a", "stream", "for", "writing", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/hg_dav_provider.py#L329-L340
[ "def", "begin_write", "(", "self", ",", "content_type", "=", "None", ")", ":", "assert", "not", "self", ".", "is_collection", "self", ".", "_check_write_access", "(", ")", "mode", "=", "\"wb\"", "# GC issue 57: always store as binary", "# if contentType and contentType.startswith(\"text\"):", "# mode = \"w\"", "return", "open", "(", "self", ".", "absFilePath", ",", "mode", ",", "BUFFER_SIZE", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
HgResource.end_write
Called when PUT has finished writing. See DAVResource.end_write()
wsgidav/samples/hg_dav_provider.py
def end_write(self, with_errors): """Called when PUT has finished writing. See DAVResource.end_write() """ if not with_errors: commands.add(self.provider.ui, self.provider.repo, self.localHgPath)
def end_write(self, with_errors): """Called when PUT has finished writing. See DAVResource.end_write() """ if not with_errors: commands.add(self.provider.ui, self.provider.repo, self.localHgPath)
[ "Called", "when", "PUT", "has", "finished", "writing", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/hg_dav_provider.py#L342-L348
[ "def", "end_write", "(", "self", ",", "with_errors", ")", ":", "if", "not", "with_errors", ":", "commands", ".", "add", "(", "self", ".", "provider", ".", "ui", ",", "self", ".", "provider", ".", "repo", ",", "self", ".", "localHgPath", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
HgResource.delete
Remove this resource (recursive).
wsgidav/samples/hg_dav_provider.py
def delete(self): """Remove this resource (recursive).""" self._check_write_access() filepath = self._getFilePath() commands.remove(self.provider.ui, self.provider.repo, filepath, force=True)
def delete(self): """Remove this resource (recursive).""" self._check_write_access() filepath = self._getFilePath() commands.remove(self.provider.ui, self.provider.repo, filepath, force=True)
[ "Remove", "this", "resource", "(", "recursive", ")", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/hg_dav_provider.py#L362-L366
[ "def", "delete", "(", "self", ")", ":", "self", ".", "_check_write_access", "(", ")", "filepath", "=", "self", ".", "_getFilePath", "(", ")", "commands", ".", "remove", "(", "self", ".", "provider", ".", "ui", ",", "self", ".", "provider", ".", "repo", ",", "filepath", ",", "force", "=", "True", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
HgResource.handle_copy
Handle a COPY request natively.
wsgidav/samples/hg_dav_provider.py
def handle_copy(self, dest_path, depth_infinity): """Handle a COPY request natively. """ destType, destHgPath = util.pop_path(dest_path) destHgPath = destHgPath.strip("/") ui = self.provider.ui repo = self.provider.repo _logger.info("handle_copy %s -> %s" % (self.localHgPath, destHgPath)) if self.rev is None and destType == "edit": # COPY /edit/a/b to /edit/c/d: turn into 'hg copy -f a/b c/d' commands.copy(ui, repo, self.localHgPath, destHgPath, force=True) elif self.rev is None and destType == "released": # COPY /edit/a/b to /released/c/d # This is interpreted as 'hg commit a/b' (ignoring the dest. path) self._commit("WsgiDAV commit (COPY %s -> %s)" % (self.path, dest_path)) else: raise DAVError(HTTP_FORBIDDEN) # Return True: request was handled return True
def handle_copy(self, dest_path, depth_infinity): """Handle a COPY request natively. """ destType, destHgPath = util.pop_path(dest_path) destHgPath = destHgPath.strip("/") ui = self.provider.ui repo = self.provider.repo _logger.info("handle_copy %s -> %s" % (self.localHgPath, destHgPath)) if self.rev is None and destType == "edit": # COPY /edit/a/b to /edit/c/d: turn into 'hg copy -f a/b c/d' commands.copy(ui, repo, self.localHgPath, destHgPath, force=True) elif self.rev is None and destType == "released": # COPY /edit/a/b to /released/c/d # This is interpreted as 'hg commit a/b' (ignoring the dest. path) self._commit("WsgiDAV commit (COPY %s -> %s)" % (self.path, dest_path)) else: raise DAVError(HTTP_FORBIDDEN) # Return True: request was handled return True
[ "Handle", "a", "COPY", "request", "natively", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/hg_dav_provider.py#L368-L387
[ "def", "handle_copy", "(", "self", ",", "dest_path", ",", "depth_infinity", ")", ":", "destType", ",", "destHgPath", "=", "util", ".", "pop_path", "(", "dest_path", ")", "destHgPath", "=", "destHgPath", ".", "strip", "(", "\"/\"", ")", "ui", "=", "self", ".", "provider", ".", "ui", "repo", "=", "self", ".", "provider", ".", "repo", "_logger", ".", "info", "(", "\"handle_copy %s -> %s\"", "%", "(", "self", ".", "localHgPath", ",", "destHgPath", ")", ")", "if", "self", ".", "rev", "is", "None", "and", "destType", "==", "\"edit\"", ":", "# COPY /edit/a/b to /edit/c/d: turn into 'hg copy -f a/b c/d'", "commands", ".", "copy", "(", "ui", ",", "repo", ",", "self", ".", "localHgPath", ",", "destHgPath", ",", "force", "=", "True", ")", "elif", "self", ".", "rev", "is", "None", "and", "destType", "==", "\"released\"", ":", "# COPY /edit/a/b to /released/c/d", "# This is interpreted as 'hg commit a/b' (ignoring the dest. path)", "self", ".", "_commit", "(", "\"WsgiDAV commit (COPY %s -> %s)\"", "%", "(", "self", ".", "path", ",", "dest_path", ")", ")", "else", ":", "raise", "DAVError", "(", "HTTP_FORBIDDEN", ")", "# Return True: request was handled", "return", "True" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
HgResourceProvider._get_log
Read log entries into a list of dictionaries.
wsgidav/samples/hg_dav_provider.py
def _get_log(self, limit=None): """Read log entries into a list of dictionaries.""" self.ui.pushbuffer() commands.log(self.ui, self.repo, limit=limit, date=None, rev=None, user=None) res = self.ui.popbuffer().strip() logList = [] for logentry in res.split("\n\n"): log = {} logList.append(log) for line in logentry.split("\n"): k, v = line.split(":", 1) assert k in ("changeset", "tag", "user", "date", "summary") log[k.strip()] = v.strip() log["parsed_date"] = util.parse_time_string(log["date"]) local_id, unid = log["changeset"].split(":") log["local_id"] = int(local_id) log["unid"] = unid # pprint(logList) return logList
def _get_log(self, limit=None): """Read log entries into a list of dictionaries.""" self.ui.pushbuffer() commands.log(self.ui, self.repo, limit=limit, date=None, rev=None, user=None) res = self.ui.popbuffer().strip() logList = [] for logentry in res.split("\n\n"): log = {} logList.append(log) for line in logentry.split("\n"): k, v = line.split(":", 1) assert k in ("changeset", "tag", "user", "date", "summary") log[k.strip()] = v.strip() log["parsed_date"] = util.parse_time_string(log["date"]) local_id, unid = log["changeset"].split(":") log["local_id"] = int(local_id) log["unid"] = unid # pprint(logList) return logList
[ "Read", "log", "entries", "into", "a", "list", "of", "dictionaries", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/hg_dav_provider.py#L466-L485
[ "def", "_get_log", "(", "self", ",", "limit", "=", "None", ")", ":", "self", ".", "ui", ".", "pushbuffer", "(", ")", "commands", ".", "log", "(", "self", ".", "ui", ",", "self", ".", "repo", ",", "limit", "=", "limit", ",", "date", "=", "None", ",", "rev", "=", "None", ",", "user", "=", "None", ")", "res", "=", "self", ".", "ui", ".", "popbuffer", "(", ")", ".", "strip", "(", ")", "logList", "=", "[", "]", "for", "logentry", "in", "res", ".", "split", "(", "\"\\n\\n\"", ")", ":", "log", "=", "{", "}", "logList", ".", "append", "(", "log", ")", "for", "line", "in", "logentry", ".", "split", "(", "\"\\n\"", ")", ":", "k", ",", "v", "=", "line", ".", "split", "(", "\":\"", ",", "1", ")", "assert", "k", "in", "(", "\"changeset\"", ",", "\"tag\"", ",", "\"user\"", ",", "\"date\"", ",", "\"summary\"", ")", "log", "[", "k", ".", "strip", "(", ")", "]", "=", "v", ".", "strip", "(", ")", "log", "[", "\"parsed_date\"", "]", "=", "util", ".", "parse_time_string", "(", "log", "[", "\"date\"", "]", ")", "local_id", ",", "unid", "=", "log", "[", "\"changeset\"", "]", ".", "split", "(", "\":\"", ")", "log", "[", "\"local_id\"", "]", "=", "int", "(", "local_id", ")", "log", "[", "\"unid\"", "]", "=", "unid", "# pprint(logList)", "return", "logList" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
HgResourceProvider._get_repo_info
Return a dictionary containing all files under source control. dirinfos: Dictionary containing direct members for every collection. {folderpath: (collectionlist, filelist), ...} files: Sorted list of all file paths in the manifest. filedict: Dictionary containing all files under source control. :: {'dirinfos': {'': (['wsgidav', 'tools', 'WsgiDAV.egg-info', 'tests'], ['index.rst', 'wsgidav MAKE_DAILY_BUILD.launch', 'wsgidav run_server.py DEBUG.launch', 'wsgidav-paste.conf', ... 'setup.py']), 'wsgidav': (['addons', 'samples', 'server', 'interfaces'], ['__init__.pyc', 'dav_error.pyc', 'dav_provider.pyc', ... 'wsgidav_app.py']), }, 'files': ['.hgignore', 'ADDONS.txt', 'wsgidav/samples/mysql_dav_provider.py', ... ], 'filedict': {'.hgignore': True, 'README.txt': True, 'WsgiDAV.egg-info/PKG-INFO': True, } }
wsgidav/samples/hg_dav_provider.py
def _get_repo_info(self, environ, rev, reload=False): """Return a dictionary containing all files under source control. dirinfos: Dictionary containing direct members for every collection. {folderpath: (collectionlist, filelist), ...} files: Sorted list of all file paths in the manifest. filedict: Dictionary containing all files under source control. :: {'dirinfos': {'': (['wsgidav', 'tools', 'WsgiDAV.egg-info', 'tests'], ['index.rst', 'wsgidav MAKE_DAILY_BUILD.launch', 'wsgidav run_server.py DEBUG.launch', 'wsgidav-paste.conf', ... 'setup.py']), 'wsgidav': (['addons', 'samples', 'server', 'interfaces'], ['__init__.pyc', 'dav_error.pyc', 'dav_provider.pyc', ... 'wsgidav_app.py']), }, 'files': ['.hgignore', 'ADDONS.txt', 'wsgidav/samples/mysql_dav_provider.py', ... ], 'filedict': {'.hgignore': True, 'README.txt': True, 'WsgiDAV.egg-info/PKG-INFO': True, } } """ caches = environ.setdefault("wsgidav.hg.cache", {}) if caches.get(compat.to_native(rev)) is not None: _logger.debug("_get_repo_info(%s): cache hit." % rev) return caches[compat.to_native(rev)] start_time = time.time() self.ui.pushbuffer() commands.manifest(self.ui, self.repo, rev) res = self.ui.popbuffer() files = [] dirinfos = {} filedict = {} for file in res.split("\n"): if file.strip() == "": continue file = file.replace("\\", "/") # add all parent directories to 'dirinfos' parents = file.split("/") if len(parents) >= 1: p1 = "" for i in range(0, len(parents) - 1): p2 = parents[i] dir = dirinfos.setdefault(p1, ([], [])) if p2 not in dir[0]: dir[0].append(p2) if p1 == "": p1 = p2 else: p1 = "%s/%s" % (p1, p2) dirinfos.setdefault(p1, ([], []))[1].append(parents[-1]) filedict[file] = True files.sort() cache = {"files": files, "dirinfos": dirinfos, "filedict": filedict} caches[compat.to_native(rev)] = cache _logger.info("_getRepoInfo(%s) took %.3f" % (rev, time.time() - start_time)) return cache
def _get_repo_info(self, environ, rev, reload=False): """Return a dictionary containing all files under source control. dirinfos: Dictionary containing direct members for every collection. {folderpath: (collectionlist, filelist), ...} files: Sorted list of all file paths in the manifest. filedict: Dictionary containing all files under source control. :: {'dirinfos': {'': (['wsgidav', 'tools', 'WsgiDAV.egg-info', 'tests'], ['index.rst', 'wsgidav MAKE_DAILY_BUILD.launch', 'wsgidav run_server.py DEBUG.launch', 'wsgidav-paste.conf', ... 'setup.py']), 'wsgidav': (['addons', 'samples', 'server', 'interfaces'], ['__init__.pyc', 'dav_error.pyc', 'dav_provider.pyc', ... 'wsgidav_app.py']), }, 'files': ['.hgignore', 'ADDONS.txt', 'wsgidav/samples/mysql_dav_provider.py', ... ], 'filedict': {'.hgignore': True, 'README.txt': True, 'WsgiDAV.egg-info/PKG-INFO': True, } } """ caches = environ.setdefault("wsgidav.hg.cache", {}) if caches.get(compat.to_native(rev)) is not None: _logger.debug("_get_repo_info(%s): cache hit." % rev) return caches[compat.to_native(rev)] start_time = time.time() self.ui.pushbuffer() commands.manifest(self.ui, self.repo, rev) res = self.ui.popbuffer() files = [] dirinfos = {} filedict = {} for file in res.split("\n"): if file.strip() == "": continue file = file.replace("\\", "/") # add all parent directories to 'dirinfos' parents = file.split("/") if len(parents) >= 1: p1 = "" for i in range(0, len(parents) - 1): p2 = parents[i] dir = dirinfos.setdefault(p1, ([], [])) if p2 not in dir[0]: dir[0].append(p2) if p1 == "": p1 = p2 else: p1 = "%s/%s" % (p1, p2) dirinfos.setdefault(p1, ([], []))[1].append(parents[-1]) filedict[file] = True files.sort() cache = {"files": files, "dirinfos": dirinfos, "filedict": filedict} caches[compat.to_native(rev)] = cache _logger.info("_getRepoInfo(%s) took %.3f" % (rev, time.time() - start_time)) return cache
[ "Return", "a", "dictionary", "containing", "all", "files", "under", "source", "control", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/hg_dav_provider.py#L487-L564
[ "def", "_get_repo_info", "(", "self", ",", "environ", ",", "rev", ",", "reload", "=", "False", ")", ":", "caches", "=", "environ", ".", "setdefault", "(", "\"wsgidav.hg.cache\"", ",", "{", "}", ")", "if", "caches", ".", "get", "(", "compat", ".", "to_native", "(", "rev", ")", ")", "is", "not", "None", ":", "_logger", ".", "debug", "(", "\"_get_repo_info(%s): cache hit.\"", "%", "rev", ")", "return", "caches", "[", "compat", ".", "to_native", "(", "rev", ")", "]", "start_time", "=", "time", ".", "time", "(", ")", "self", ".", "ui", ".", "pushbuffer", "(", ")", "commands", ".", "manifest", "(", "self", ".", "ui", ",", "self", ".", "repo", ",", "rev", ")", "res", "=", "self", ".", "ui", ".", "popbuffer", "(", ")", "files", "=", "[", "]", "dirinfos", "=", "{", "}", "filedict", "=", "{", "}", "for", "file", "in", "res", ".", "split", "(", "\"\\n\"", ")", ":", "if", "file", ".", "strip", "(", ")", "==", "\"\"", ":", "continue", "file", "=", "file", ".", "replace", "(", "\"\\\\\"", ",", "\"/\"", ")", "# add all parent directories to 'dirinfos'", "parents", "=", "file", ".", "split", "(", "\"/\"", ")", "if", "len", "(", "parents", ")", ">=", "1", ":", "p1", "=", "\"\"", "for", "i", "in", "range", "(", "0", ",", "len", "(", "parents", ")", "-", "1", ")", ":", "p2", "=", "parents", "[", "i", "]", "dir", "=", "dirinfos", ".", "setdefault", "(", "p1", ",", "(", "[", "]", ",", "[", "]", ")", ")", "if", "p2", "not", "in", "dir", "[", "0", "]", ":", "dir", "[", "0", "]", ".", "append", "(", "p2", ")", "if", "p1", "==", "\"\"", ":", "p1", "=", "p2", "else", ":", "p1", "=", "\"%s/%s\"", "%", "(", "p1", ",", "p2", ")", "dirinfos", ".", "setdefault", "(", "p1", ",", "(", "[", "]", ",", "[", "]", ")", ")", "[", "1", "]", ".", "append", "(", "parents", "[", "-", "1", "]", ")", "filedict", "[", "file", "]", "=", "True", "files", ".", "sort", "(", ")", "cache", "=", "{", "\"files\"", ":", "files", ",", "\"dirinfos\"", ":", "dirinfos", ",", "\"filedict\"", ":", "filedict", "}", "caches", "[", "compat", ".", "to_native", "(", "rev", ")", "]", "=", "cache", "_logger", ".", "info", "(", "\"_getRepoInfo(%s) took %.3f\"", "%", "(", "rev", ",", "time", ".", "time", "(", ")", "-", "start_time", ")", ")", "return", "cache" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
HgResourceProvider.get_resource_inst
Return HgResource object for path. See DAVProvider.get_resource_inst()
wsgidav/samples/hg_dav_provider.py
def get_resource_inst(self, path, environ): """Return HgResource object for path. See DAVProvider.get_resource_inst() """ self._count_get_resource_inst += 1 # HG expects the resource paths without leading '/' localHgPath = path.strip("/") rev = None cmd, rest = util.pop_path(path) if cmd == "": return VirtualCollection( path, environ, "root", ["edit", "released", "archive"] ) elif cmd == "edit": localHgPath = rest.strip("/") rev = None elif cmd == "released": localHgPath = rest.strip("/") rev = "tip" elif cmd == "archive": if rest == "/": # Browse /archive: return a list of revision folders: loglist = self._get_log(limit=10) members = [compat.to_native(l["local_id"]) for l in loglist] return VirtualCollection(path, environ, "Revisions", members) revid, rest = util.pop_path(rest) try: int(revid) except Exception: # Tried to access /archive/anyname return None # Access /archive/19 rev = revid localHgPath = rest.strip("/") else: return None # read mercurial repo into request cache cache = self._get_repo_info(environ, rev) if localHgPath in cache["filedict"]: # It is a version controlled file return HgResource(path, False, environ, rev, localHgPath) if localHgPath in cache["dirinfos"] or localHgPath == "": # It is an existing folder return HgResource(path, True, environ, rev, localHgPath) return None
def get_resource_inst(self, path, environ): """Return HgResource object for path. See DAVProvider.get_resource_inst() """ self._count_get_resource_inst += 1 # HG expects the resource paths without leading '/' localHgPath = path.strip("/") rev = None cmd, rest = util.pop_path(path) if cmd == "": return VirtualCollection( path, environ, "root", ["edit", "released", "archive"] ) elif cmd == "edit": localHgPath = rest.strip("/") rev = None elif cmd == "released": localHgPath = rest.strip("/") rev = "tip" elif cmd == "archive": if rest == "/": # Browse /archive: return a list of revision folders: loglist = self._get_log(limit=10) members = [compat.to_native(l["local_id"]) for l in loglist] return VirtualCollection(path, environ, "Revisions", members) revid, rest = util.pop_path(rest) try: int(revid) except Exception: # Tried to access /archive/anyname return None # Access /archive/19 rev = revid localHgPath = rest.strip("/") else: return None # read mercurial repo into request cache cache = self._get_repo_info(environ, rev) if localHgPath in cache["filedict"]: # It is a version controlled file return HgResource(path, False, environ, rev, localHgPath) if localHgPath in cache["dirinfos"] or localHgPath == "": # It is an existing folder return HgResource(path, True, environ, rev, localHgPath) return None
[ "Return", "HgResource", "object", "for", "path", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/samples/hg_dav_provider.py#L579-L629
[ "def", "get_resource_inst", "(", "self", ",", "path", ",", "environ", ")", ":", "self", ".", "_count_get_resource_inst", "+=", "1", "# HG expects the resource paths without leading '/'", "localHgPath", "=", "path", ".", "strip", "(", "\"/\"", ")", "rev", "=", "None", "cmd", ",", "rest", "=", "util", ".", "pop_path", "(", "path", ")", "if", "cmd", "==", "\"\"", ":", "return", "VirtualCollection", "(", "path", ",", "environ", ",", "\"root\"", ",", "[", "\"edit\"", ",", "\"released\"", ",", "\"archive\"", "]", ")", "elif", "cmd", "==", "\"edit\"", ":", "localHgPath", "=", "rest", ".", "strip", "(", "\"/\"", ")", "rev", "=", "None", "elif", "cmd", "==", "\"released\"", ":", "localHgPath", "=", "rest", ".", "strip", "(", "\"/\"", ")", "rev", "=", "\"tip\"", "elif", "cmd", "==", "\"archive\"", ":", "if", "rest", "==", "\"/\"", ":", "# Browse /archive: return a list of revision folders:", "loglist", "=", "self", ".", "_get_log", "(", "limit", "=", "10", ")", "members", "=", "[", "compat", ".", "to_native", "(", "l", "[", "\"local_id\"", "]", ")", "for", "l", "in", "loglist", "]", "return", "VirtualCollection", "(", "path", ",", "environ", ",", "\"Revisions\"", ",", "members", ")", "revid", ",", "rest", "=", "util", ".", "pop_path", "(", "rest", ")", "try", ":", "int", "(", "revid", ")", "except", "Exception", ":", "# Tried to access /archive/anyname", "return", "None", "# Access /archive/19", "rev", "=", "revid", "localHgPath", "=", "rest", ".", "strip", "(", "\"/\"", ")", "else", ":", "return", "None", "# read mercurial repo into request cache", "cache", "=", "self", ".", "_get_repo_info", "(", "environ", ",", "rev", ")", "if", "localHgPath", "in", "cache", "[", "\"filedict\"", "]", ":", "# It is a version controlled file", "return", "HgResource", "(", "path", ",", "False", ",", "environ", ",", "rev", ",", "localHgPath", ")", "if", "localHgPath", "in", "cache", "[", "\"dirinfos\"", "]", "or", "localHgPath", "==", "\"\"", ":", "# It is an existing folder", "return", "HgResource", "(", "path", ",", "True", ",", "environ", ",", "rev", ",", "localHgPath", ")", "return", "None" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_DAVResource.get_display_info
Return additional info dictionary for displaying (optional). This information is not part of the DAV specification, but meant for use by the dir browser middleware. This default implementation returns ``{'type': '...'}``
wsgidav/dav_provider.py
def get_display_info(self): """Return additional info dictionary for displaying (optional). This information is not part of the DAV specification, but meant for use by the dir browser middleware. This default implementation returns ``{'type': '...'}`` """ if self.is_collection: return {"type": "Directory"} elif os.extsep in self.name: ext = self.name.split(os.extsep)[-1].upper() if len(ext) < 5: return {"type": "{}-File".format(ext)} return {"type": "File"}
def get_display_info(self): """Return additional info dictionary for displaying (optional). This information is not part of the DAV specification, but meant for use by the dir browser middleware. This default implementation returns ``{'type': '...'}`` """ if self.is_collection: return {"type": "Directory"} elif os.extsep in self.name: ext = self.name.split(os.extsep)[-1].upper() if len(ext) < 5: return {"type": "{}-File".format(ext)} return {"type": "File"}
[ "Return", "additional", "info", "dictionary", "for", "displaying", "(", "optional", ")", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L250-L264
[ "def", "get_display_info", "(", "self", ")", ":", "if", "self", ".", "is_collection", ":", "return", "{", "\"type\"", ":", "\"Directory\"", "}", "elif", "os", ".", "extsep", "in", "self", ".", "name", ":", "ext", "=", "self", ".", "name", ".", "split", "(", "os", ".", "extsep", ")", "[", "-", "1", "]", ".", "upper", "(", ")", "if", "len", "(", "ext", ")", "<", "5", ":", "return", "{", "\"type\"", ":", "\"{}-File\"", ".", "format", "(", "ext", ")", "}", "return", "{", "\"type\"", ":", "\"File\"", "}" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_DAVResource.get_preferred_path
Return preferred mapping for a resource mapping. Different URLs may map to the same resource, e.g.: '/a/b' == '/A/b' == '/a/b/' get_preferred_path() returns the same value for all these variants, e.g.: '/a/b/' (assuming resource names considered case insensitive) @param path: a UTF-8 encoded, unquoted byte string. @return: a UTF-8 encoded, unquoted byte string.
wsgidav/dav_provider.py
def get_preferred_path(self): """Return preferred mapping for a resource mapping. Different URLs may map to the same resource, e.g.: '/a/b' == '/A/b' == '/a/b/' get_preferred_path() returns the same value for all these variants, e.g.: '/a/b/' (assuming resource names considered case insensitive) @param path: a UTF-8 encoded, unquoted byte string. @return: a UTF-8 encoded, unquoted byte string. """ if self.path in ("", "/"): return "/" # Append '/' for collections if self.is_collection and not self.path.endswith("/"): return self.path + "/" # TODO: handle case-sensitivity, depending on OS # (FileSystemProvider could do this with os.path: # (?) on unix we can assume that the path already matches exactly the case of filepath # on windows we could use path.lower() or get the real case from the # file system return self.path
def get_preferred_path(self): """Return preferred mapping for a resource mapping. Different URLs may map to the same resource, e.g.: '/a/b' == '/A/b' == '/a/b/' get_preferred_path() returns the same value for all these variants, e.g.: '/a/b/' (assuming resource names considered case insensitive) @param path: a UTF-8 encoded, unquoted byte string. @return: a UTF-8 encoded, unquoted byte string. """ if self.path in ("", "/"): return "/" # Append '/' for collections if self.is_collection and not self.path.endswith("/"): return self.path + "/" # TODO: handle case-sensitivity, depending on OS # (FileSystemProvider could do this with os.path: # (?) on unix we can assume that the path already matches exactly the case of filepath # on windows we could use path.lower() or get the real case from the # file system return self.path
[ "Return", "preferred", "mapping", "for", "a", "resource", "mapping", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L323-L344
[ "def", "get_preferred_path", "(", "self", ")", ":", "if", "self", ".", "path", "in", "(", "\"\"", ",", "\"/\"", ")", ":", "return", "\"/\"", "# Append '/' for collections", "if", "self", ".", "is_collection", "and", "not", "self", ".", "path", ".", "endswith", "(", "\"/\"", ")", ":", "return", "self", ".", "path", "+", "\"/\"", "# TODO: handle case-sensitivity, depending on OS", "# (FileSystemProvider could do this with os.path:", "# (?) on unix we can assume that the path already matches exactly the case of filepath", "# on windows we could use path.lower() or get the real case from the", "# file system", "return", "self", ".", "path" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_DAVResource.get_href
Convert path to a URL that can be passed to XML responses. Byte string, UTF-8 encoded, quoted. See http://www.webdav.org/specs/rfc4918.html#rfc.section.8.3 We are using the path-absolute option. i.e. starting with '/'. URI ; See section 3.2.1 of [RFC2068]
wsgidav/dav_provider.py
def get_href(self): """Convert path to a URL that can be passed to XML responses. Byte string, UTF-8 encoded, quoted. See http://www.webdav.org/specs/rfc4918.html#rfc.section.8.3 We are using the path-absolute option. i.e. starting with '/'. URI ; See section 3.2.1 of [RFC2068] """ # Nautilus chokes, if href encodes '(' as '%28' # So we don't encode 'extra' and 'safe' characters (see rfc2068 3.2.1) safe = "/" + "!*'()," + "$-_|." return compat.quote( self.provider.mount_path + self.provider.share_path + self.get_preferred_path(), safe=safe, )
def get_href(self): """Convert path to a URL that can be passed to XML responses. Byte string, UTF-8 encoded, quoted. See http://www.webdav.org/specs/rfc4918.html#rfc.section.8.3 We are using the path-absolute option. i.e. starting with '/'. URI ; See section 3.2.1 of [RFC2068] """ # Nautilus chokes, if href encodes '(' as '%28' # So we don't encode 'extra' and 'safe' characters (see rfc2068 3.2.1) safe = "/" + "!*'()," + "$-_|." return compat.quote( self.provider.mount_path + self.provider.share_path + self.get_preferred_path(), safe=safe, )
[ "Convert", "path", "to", "a", "URL", "that", "can", "be", "passed", "to", "XML", "responses", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L380-L397
[ "def", "get_href", "(", "self", ")", ":", "# Nautilus chokes, if href encodes '(' as '%28'", "# So we don't encode 'extra' and 'safe' characters (see rfc2068 3.2.1)", "safe", "=", "\"/\"", "+", "\"!*'(),\"", "+", "\"$-_|.\"", "return", "compat", ".", "quote", "(", "self", ".", "provider", ".", "mount_path", "+", "self", ".", "provider", ".", "share_path", "+", "self", ".", "get_preferred_path", "(", ")", ",", "safe", "=", "safe", ",", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_DAVResource.get_member_list
Return a list of direct members (_DAVResource or derived objects). This default implementation calls self.get_member_names() and self.get_member() for each of them. A provider COULD overwrite this for performance reasons.
wsgidav/dav_provider.py
def get_member_list(self): """Return a list of direct members (_DAVResource or derived objects). This default implementation calls self.get_member_names() and self.get_member() for each of them. A provider COULD overwrite this for performance reasons. """ if not self.is_collection: raise NotImplementedError memberList = [] for name in self.get_member_names(): member = self.get_member(name) assert member is not None memberList.append(member) return memberList
def get_member_list(self): """Return a list of direct members (_DAVResource or derived objects). This default implementation calls self.get_member_names() and self.get_member() for each of them. A provider COULD overwrite this for performance reasons. """ if not self.is_collection: raise NotImplementedError memberList = [] for name in self.get_member_names(): member = self.get_member(name) assert member is not None memberList.append(member) return memberList
[ "Return", "a", "list", "of", "direct", "members", "(", "_DAVResource", "or", "derived", "objects", ")", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L409-L423
[ "def", "get_member_list", "(", "self", ")", ":", "if", "not", "self", ".", "is_collection", ":", "raise", "NotImplementedError", "memberList", "=", "[", "]", "for", "name", "in", "self", ".", "get_member_names", "(", ")", ":", "member", "=", "self", ".", "get_member", "(", "name", ")", "assert", "member", "is", "not", "None", "memberList", ".", "append", "(", "member", ")", "return", "memberList" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_DAVResource.get_descendants
Return a list _DAVResource objects of a collection (children, grand-children, ...). This default implementation calls self.get_member_list() recursively. This function may also be called for non-collections (with add_self=True). :Parameters: depth_first : bool use <False>, to list containers before content. (e.g. when moving / copying branches.) Use <True>, to list content before containers. (e.g. when deleting branches.) depth : string '0' | '1' | 'infinity'
wsgidav/dav_provider.py
def get_descendants( self, collections=True, resources=True, depth_first=False, depth="infinity", add_self=False, ): """Return a list _DAVResource objects of a collection (children, grand-children, ...). This default implementation calls self.get_member_list() recursively. This function may also be called for non-collections (with add_self=True). :Parameters: depth_first : bool use <False>, to list containers before content. (e.g. when moving / copying branches.) Use <True>, to list content before containers. (e.g. when deleting branches.) depth : string '0' | '1' | 'infinity' """ assert depth in ("0", "1", "infinity") res = [] if add_self and not depth_first: res.append(self) if depth != "0" and self.is_collection: for child in self.get_member_list(): if not child: self.get_member_list() want = (collections and child.is_collection) or ( resources and not child.is_collection ) if want and not depth_first: res.append(child) if child.is_collection and depth == "infinity": res.extend( child.get_descendants( collections, resources, depth_first, depth, add_self=False ) ) if want and depth_first: res.append(child) if add_self and depth_first: res.append(self) return res
def get_descendants( self, collections=True, resources=True, depth_first=False, depth="infinity", add_self=False, ): """Return a list _DAVResource objects of a collection (children, grand-children, ...). This default implementation calls self.get_member_list() recursively. This function may also be called for non-collections (with add_self=True). :Parameters: depth_first : bool use <False>, to list containers before content. (e.g. when moving / copying branches.) Use <True>, to list content before containers. (e.g. when deleting branches.) depth : string '0' | '1' | 'infinity' """ assert depth in ("0", "1", "infinity") res = [] if add_self and not depth_first: res.append(self) if depth != "0" and self.is_collection: for child in self.get_member_list(): if not child: self.get_member_list() want = (collections and child.is_collection) or ( resources and not child.is_collection ) if want and not depth_first: res.append(child) if child.is_collection and depth == "infinity": res.extend( child.get_descendants( collections, resources, depth_first, depth, add_self=False ) ) if want and depth_first: res.append(child) if add_self and depth_first: res.append(self) return res
[ "Return", "a", "list", "_DAVResource", "objects", "of", "a", "collection", "(", "children", "grand", "-", "children", "...", ")", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L432-L479
[ "def", "get_descendants", "(", "self", ",", "collections", "=", "True", ",", "resources", "=", "True", ",", "depth_first", "=", "False", ",", "depth", "=", "\"infinity\"", ",", "add_self", "=", "False", ",", ")", ":", "assert", "depth", "in", "(", "\"0\"", ",", "\"1\"", ",", "\"infinity\"", ")", "res", "=", "[", "]", "if", "add_self", "and", "not", "depth_first", ":", "res", ".", "append", "(", "self", ")", "if", "depth", "!=", "\"0\"", "and", "self", ".", "is_collection", ":", "for", "child", "in", "self", ".", "get_member_list", "(", ")", ":", "if", "not", "child", ":", "self", ".", "get_member_list", "(", ")", "want", "=", "(", "collections", "and", "child", ".", "is_collection", ")", "or", "(", "resources", "and", "not", "child", ".", "is_collection", ")", "if", "want", "and", "not", "depth_first", ":", "res", ".", "append", "(", "child", ")", "if", "child", ".", "is_collection", "and", "depth", "==", "\"infinity\"", ":", "res", ".", "extend", "(", "child", ".", "get_descendants", "(", "collections", ",", "resources", ",", "depth_first", ",", "depth", ",", "add_self", "=", "False", ")", ")", "if", "want", "and", "depth_first", ":", "res", ".", "append", "(", "child", ")", "if", "add_self", "and", "depth_first", ":", "res", ".", "append", "(", "self", ")", "return", "res" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_DAVResource.get_property_names
Return list of supported property names in Clark Notation. Note that 'allprop', despite its name, which remains for backward-compatibility, does not return every property, but only dead properties and the live properties defined in RFC4918. This default implementation returns a combination of: - Supported standard live properties in the {DAV:} namespace, if the related getter method returns not None. - {DAV:}lockdiscovery and {DAV:}supportedlock, if a lock manager is present - If a property manager is present, then a list of dead properties is appended A resource provider may override this method, to add a list of supported custom live property names.
wsgidav/dav_provider.py
def get_property_names(self, is_allprop): """Return list of supported property names in Clark Notation. Note that 'allprop', despite its name, which remains for backward-compatibility, does not return every property, but only dead properties and the live properties defined in RFC4918. This default implementation returns a combination of: - Supported standard live properties in the {DAV:} namespace, if the related getter method returns not None. - {DAV:}lockdiscovery and {DAV:}supportedlock, if a lock manager is present - If a property manager is present, then a list of dead properties is appended A resource provider may override this method, to add a list of supported custom live property names. """ # Live properties propNameList = [] propNameList.append("{DAV:}resourcetype") if self.get_creation_date() is not None: propNameList.append("{DAV:}creationdate") if self.get_content_length() is not None: assert not self.is_collection propNameList.append("{DAV:}getcontentlength") if self.get_content_type() is not None: propNameList.append("{DAV:}getcontenttype") if self.get_last_modified() is not None: propNameList.append("{DAV:}getlastmodified") if self.get_display_name() is not None: propNameList.append("{DAV:}displayname") if self.get_etag() is not None: propNameList.append("{DAV:}getetag") # Locking properties if self.provider.lock_manager and not self.prevent_locking(): propNameList.extend(_lockPropertyNames) # Dead properties if self.provider.prop_manager: refUrl = self.get_ref_url() propNameList.extend( self.provider.prop_manager.get_properties(refUrl, self.environ) ) return propNameList
def get_property_names(self, is_allprop): """Return list of supported property names in Clark Notation. Note that 'allprop', despite its name, which remains for backward-compatibility, does not return every property, but only dead properties and the live properties defined in RFC4918. This default implementation returns a combination of: - Supported standard live properties in the {DAV:} namespace, if the related getter method returns not None. - {DAV:}lockdiscovery and {DAV:}supportedlock, if a lock manager is present - If a property manager is present, then a list of dead properties is appended A resource provider may override this method, to add a list of supported custom live property names. """ # Live properties propNameList = [] propNameList.append("{DAV:}resourcetype") if self.get_creation_date() is not None: propNameList.append("{DAV:}creationdate") if self.get_content_length() is not None: assert not self.is_collection propNameList.append("{DAV:}getcontentlength") if self.get_content_type() is not None: propNameList.append("{DAV:}getcontenttype") if self.get_last_modified() is not None: propNameList.append("{DAV:}getlastmodified") if self.get_display_name() is not None: propNameList.append("{DAV:}displayname") if self.get_etag() is not None: propNameList.append("{DAV:}getetag") # Locking properties if self.provider.lock_manager and not self.prevent_locking(): propNameList.extend(_lockPropertyNames) # Dead properties if self.provider.prop_manager: refUrl = self.get_ref_url() propNameList.extend( self.provider.prop_manager.get_properties(refUrl, self.environ) ) return propNameList
[ "Return", "list", "of", "supported", "property", "names", "in", "Clark", "Notation", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L483-L532
[ "def", "get_property_names", "(", "self", ",", "is_allprop", ")", ":", "# Live properties", "propNameList", "=", "[", "]", "propNameList", ".", "append", "(", "\"{DAV:}resourcetype\"", ")", "if", "self", ".", "get_creation_date", "(", ")", "is", "not", "None", ":", "propNameList", ".", "append", "(", "\"{DAV:}creationdate\"", ")", "if", "self", ".", "get_content_length", "(", ")", "is", "not", "None", ":", "assert", "not", "self", ".", "is_collection", "propNameList", ".", "append", "(", "\"{DAV:}getcontentlength\"", ")", "if", "self", ".", "get_content_type", "(", ")", "is", "not", "None", ":", "propNameList", ".", "append", "(", "\"{DAV:}getcontenttype\"", ")", "if", "self", ".", "get_last_modified", "(", ")", "is", "not", "None", ":", "propNameList", ".", "append", "(", "\"{DAV:}getlastmodified\"", ")", "if", "self", ".", "get_display_name", "(", ")", "is", "not", "None", ":", "propNameList", ".", "append", "(", "\"{DAV:}displayname\"", ")", "if", "self", ".", "get_etag", "(", ")", "is", "not", "None", ":", "propNameList", ".", "append", "(", "\"{DAV:}getetag\"", ")", "# Locking properties", "if", "self", ".", "provider", ".", "lock_manager", "and", "not", "self", ".", "prevent_locking", "(", ")", ":", "propNameList", ".", "extend", "(", "_lockPropertyNames", ")", "# Dead properties", "if", "self", ".", "provider", ".", "prop_manager", ":", "refUrl", "=", "self", ".", "get_ref_url", "(", ")", "propNameList", ".", "extend", "(", "self", ".", "provider", ".", "prop_manager", ".", "get_properties", "(", "refUrl", ",", "self", ".", "environ", ")", ")", "return", "propNameList" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_DAVResource.get_properties
Return properties as list of 2-tuples (name, value). If mode is 'name', then None is returned for the value. name the property name in Clark notation. value may have different types, depending on the status: - string or unicode: for standard property values. - etree.Element: for complex values. - DAVError in case of errors. - None: if mode == 'name'. @param mode: "allprop", "name", or "named" @param name_list: list of property names in Clark Notation (required for mode 'named') This default implementation basically calls self.get_property_names() to get the list of names, then call self.get_property_value on each of them.
wsgidav/dav_provider.py
def get_properties(self, mode, name_list=None): """Return properties as list of 2-tuples (name, value). If mode is 'name', then None is returned for the value. name the property name in Clark notation. value may have different types, depending on the status: - string or unicode: for standard property values. - etree.Element: for complex values. - DAVError in case of errors. - None: if mode == 'name'. @param mode: "allprop", "name", or "named" @param name_list: list of property names in Clark Notation (required for mode 'named') This default implementation basically calls self.get_property_names() to get the list of names, then call self.get_property_value on each of them. """ assert mode in ("allprop", "name", "named") if mode in ("allprop", "name"): # TODO: 'allprop' could have nameList, when <include> option is # implemented assert name_list is None name_list = self.get_property_names(mode == "allprop") else: assert name_list is not None propList = [] namesOnly = mode == "name" for name in name_list: try: if namesOnly: propList.append((name, None)) else: value = self.get_property_value(name) propList.append((name, value)) except DAVError as e: propList.append((name, e)) except Exception as e: propList.append((name, as_DAVError(e))) if self.provider.verbose >= 2: traceback.print_exc(10, sys.stdout) return propList
def get_properties(self, mode, name_list=None): """Return properties as list of 2-tuples (name, value). If mode is 'name', then None is returned for the value. name the property name in Clark notation. value may have different types, depending on the status: - string or unicode: for standard property values. - etree.Element: for complex values. - DAVError in case of errors. - None: if mode == 'name'. @param mode: "allprop", "name", or "named" @param name_list: list of property names in Clark Notation (required for mode 'named') This default implementation basically calls self.get_property_names() to get the list of names, then call self.get_property_value on each of them. """ assert mode in ("allprop", "name", "named") if mode in ("allprop", "name"): # TODO: 'allprop' could have nameList, when <include> option is # implemented assert name_list is None name_list = self.get_property_names(mode == "allprop") else: assert name_list is not None propList = [] namesOnly = mode == "name" for name in name_list: try: if namesOnly: propList.append((name, None)) else: value = self.get_property_value(name) propList.append((name, value)) except DAVError as e: propList.append((name, e)) except Exception as e: propList.append((name, as_DAVError(e))) if self.provider.verbose >= 2: traceback.print_exc(10, sys.stdout) return propList
[ "Return", "properties", "as", "list", "of", "2", "-", "tuples", "(", "name", "value", ")", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L534-L580
[ "def", "get_properties", "(", "self", ",", "mode", ",", "name_list", "=", "None", ")", ":", "assert", "mode", "in", "(", "\"allprop\"", ",", "\"name\"", ",", "\"named\"", ")", "if", "mode", "in", "(", "\"allprop\"", ",", "\"name\"", ")", ":", "# TODO: 'allprop' could have nameList, when <include> option is", "# implemented", "assert", "name_list", "is", "None", "name_list", "=", "self", ".", "get_property_names", "(", "mode", "==", "\"allprop\"", ")", "else", ":", "assert", "name_list", "is", "not", "None", "propList", "=", "[", "]", "namesOnly", "=", "mode", "==", "\"name\"", "for", "name", "in", "name_list", ":", "try", ":", "if", "namesOnly", ":", "propList", ".", "append", "(", "(", "name", ",", "None", ")", ")", "else", ":", "value", "=", "self", ".", "get_property_value", "(", "name", ")", "propList", ".", "append", "(", "(", "name", ",", "value", ")", ")", "except", "DAVError", "as", "e", ":", "propList", ".", "append", "(", "(", "name", ",", "e", ")", ")", "except", "Exception", "as", "e", ":", "propList", ".", "append", "(", "(", "name", ",", "as_DAVError", "(", "e", ")", ")", ")", "if", "self", ".", "provider", ".", "verbose", ">=", "2", ":", "traceback", ".", "print_exc", "(", "10", ",", "sys", ".", "stdout", ")", "return", "propList" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_DAVResource.get_property_value
Return the value of a property. name: the property name in Clark notation. return value: may have different types, depending on the status: - string or unicode: for standard property values. - lxml.etree.Element: for complex values. If the property is not available, a DAVError is raised. This default implementation handles ``{DAV:}lockdiscovery`` and ``{DAV:}supportedlock`` using the associated lock manager. All other *live* properties (i.e. name starts with ``{DAV:}``) are delegated to the self.xxx() getters. Finally, other properties are considered *dead*, and are handled by the associated property manager.
wsgidav/dav_provider.py
def get_property_value(self, name): """Return the value of a property. name: the property name in Clark notation. return value: may have different types, depending on the status: - string or unicode: for standard property values. - lxml.etree.Element: for complex values. If the property is not available, a DAVError is raised. This default implementation handles ``{DAV:}lockdiscovery`` and ``{DAV:}supportedlock`` using the associated lock manager. All other *live* properties (i.e. name starts with ``{DAV:}``) are delegated to the self.xxx() getters. Finally, other properties are considered *dead*, and are handled by the associated property manager. """ refUrl = self.get_ref_url() # lock properties lm = self.provider.lock_manager if lm and name == "{DAV:}lockdiscovery": # TODO: we return HTTP_NOT_FOUND if no lockmanager is present. # Correct? activelocklist = lm.get_url_lock_list(refUrl) lockdiscoveryEL = etree.Element(name) for lock in activelocklist: activelockEL = etree.SubElement(lockdiscoveryEL, "{DAV:}activelock") locktypeEL = etree.SubElement(activelockEL, "{DAV:}locktype") # Note: make sure `{DAV:}` is not handled as format tag: etree.SubElement(locktypeEL, "{}{}".format("{DAV:}", lock["type"])) lockscopeEL = etree.SubElement(activelockEL, "{DAV:}lockscope") # Note: make sure `{DAV:}` is not handled as format tag: etree.SubElement(lockscopeEL, "{}{}".format("{DAV:}", lock["scope"])) etree.SubElement(activelockEL, "{DAV:}depth").text = lock["depth"] if lock["owner"]: # lock["owner"] is an XML string # owner may be empty (#64) ownerEL = xml_tools.string_to_xml(lock["owner"]) activelockEL.append(ownerEL) timeout = lock["timeout"] if timeout < 0: timeout = "Infinite" else: # The time remaining on the lock expire = lock["expire"] timeout = "Second-" + str(int(expire - time.time())) etree.SubElement(activelockEL, "{DAV:}timeout").text = timeout locktokenEL = etree.SubElement(activelockEL, "{DAV:}locktoken") etree.SubElement(locktokenEL, "{DAV:}href").text = lock["token"] # TODO: this is ugly: # res.get_property_value("{DAV:}lockdiscovery") # # lockRoot = self.get_href(self.provider.ref_url_to_path(lock["root"])) lockPath = self.provider.ref_url_to_path(lock["root"]) lockRes = self.provider.get_resource_inst(lockPath, self.environ) # FIXME: test for None lockHref = lockRes.get_href() lockrootEL = etree.SubElement(activelockEL, "{DAV:}lockroot") etree.SubElement(lockrootEL, "{DAV:}href").text = lockHref return lockdiscoveryEL elif lm and name == "{DAV:}supportedlock": # TODO: we return HTTP_NOT_FOUND if no lockmanager is present. Correct? # TODO: the lockmanager should decide about it's features supportedlockEL = etree.Element(name) lockentryEL = etree.SubElement(supportedlockEL, "{DAV:}lockentry") lockscopeEL = etree.SubElement(lockentryEL, "{DAV:}lockscope") etree.SubElement(lockscopeEL, "{DAV:}exclusive") locktypeEL = etree.SubElement(lockentryEL, "{DAV:}locktype") etree.SubElement(locktypeEL, "{DAV:}write") lockentryEL = etree.SubElement(supportedlockEL, "{DAV:}lockentry") lockscopeEL = etree.SubElement(lockentryEL, "{DAV:}lockscope") etree.SubElement(lockscopeEL, "{DAV:}shared") locktypeEL = etree.SubElement(lockentryEL, "{DAV:}locktype") etree.SubElement(locktypeEL, "{DAV:}write") return supportedlockEL elif name.startswith("{DAV:}"): # Standard live property (raises HTTP_NOT_FOUND if not supported) if name == "{DAV:}creationdate" and self.get_creation_date() is not None: # Note: uses RFC3339 format (ISO 8601) return util.get_rfc3339_time(self.get_creation_date()) elif name == "{DAV:}getcontenttype" and self.get_content_type() is not None: return self.get_content_type() elif name == "{DAV:}resourcetype": if self.is_collection: resourcetypeEL = etree.Element(name) etree.SubElement(resourcetypeEL, "{DAV:}collection") return resourcetypeEL return "" elif ( name == "{DAV:}getlastmodified" and self.get_last_modified() is not None ): # Note: uses RFC1123 format return util.get_rfc1123_time(self.get_last_modified()) elif ( name == "{DAV:}getcontentlength" and self.get_content_length() is not None ): # Note: must be a numeric string return str(self.get_content_length()) elif name == "{DAV:}getetag" and self.get_etag() is not None: return self.get_etag() elif name == "{DAV:}displayname" and self.get_display_name() is not None: return self.get_display_name() # Unsupported, no persistence available, or property not found raise DAVError(HTTP_NOT_FOUND) # Dead property pm = self.provider.prop_manager if pm: value = pm.get_property(refUrl, name, self.environ) if value is not None: return xml_tools.string_to_xml(value) # No persistence available, or property not found raise DAVError(HTTP_NOT_FOUND)
def get_property_value(self, name): """Return the value of a property. name: the property name in Clark notation. return value: may have different types, depending on the status: - string or unicode: for standard property values. - lxml.etree.Element: for complex values. If the property is not available, a DAVError is raised. This default implementation handles ``{DAV:}lockdiscovery`` and ``{DAV:}supportedlock`` using the associated lock manager. All other *live* properties (i.e. name starts with ``{DAV:}``) are delegated to the self.xxx() getters. Finally, other properties are considered *dead*, and are handled by the associated property manager. """ refUrl = self.get_ref_url() # lock properties lm = self.provider.lock_manager if lm and name == "{DAV:}lockdiscovery": # TODO: we return HTTP_NOT_FOUND if no lockmanager is present. # Correct? activelocklist = lm.get_url_lock_list(refUrl) lockdiscoveryEL = etree.Element(name) for lock in activelocklist: activelockEL = etree.SubElement(lockdiscoveryEL, "{DAV:}activelock") locktypeEL = etree.SubElement(activelockEL, "{DAV:}locktype") # Note: make sure `{DAV:}` is not handled as format tag: etree.SubElement(locktypeEL, "{}{}".format("{DAV:}", lock["type"])) lockscopeEL = etree.SubElement(activelockEL, "{DAV:}lockscope") # Note: make sure `{DAV:}` is not handled as format tag: etree.SubElement(lockscopeEL, "{}{}".format("{DAV:}", lock["scope"])) etree.SubElement(activelockEL, "{DAV:}depth").text = lock["depth"] if lock["owner"]: # lock["owner"] is an XML string # owner may be empty (#64) ownerEL = xml_tools.string_to_xml(lock["owner"]) activelockEL.append(ownerEL) timeout = lock["timeout"] if timeout < 0: timeout = "Infinite" else: # The time remaining on the lock expire = lock["expire"] timeout = "Second-" + str(int(expire - time.time())) etree.SubElement(activelockEL, "{DAV:}timeout").text = timeout locktokenEL = etree.SubElement(activelockEL, "{DAV:}locktoken") etree.SubElement(locktokenEL, "{DAV:}href").text = lock["token"] # TODO: this is ugly: # res.get_property_value("{DAV:}lockdiscovery") # # lockRoot = self.get_href(self.provider.ref_url_to_path(lock["root"])) lockPath = self.provider.ref_url_to_path(lock["root"]) lockRes = self.provider.get_resource_inst(lockPath, self.environ) # FIXME: test for None lockHref = lockRes.get_href() lockrootEL = etree.SubElement(activelockEL, "{DAV:}lockroot") etree.SubElement(lockrootEL, "{DAV:}href").text = lockHref return lockdiscoveryEL elif lm and name == "{DAV:}supportedlock": # TODO: we return HTTP_NOT_FOUND if no lockmanager is present. Correct? # TODO: the lockmanager should decide about it's features supportedlockEL = etree.Element(name) lockentryEL = etree.SubElement(supportedlockEL, "{DAV:}lockentry") lockscopeEL = etree.SubElement(lockentryEL, "{DAV:}lockscope") etree.SubElement(lockscopeEL, "{DAV:}exclusive") locktypeEL = etree.SubElement(lockentryEL, "{DAV:}locktype") etree.SubElement(locktypeEL, "{DAV:}write") lockentryEL = etree.SubElement(supportedlockEL, "{DAV:}lockentry") lockscopeEL = etree.SubElement(lockentryEL, "{DAV:}lockscope") etree.SubElement(lockscopeEL, "{DAV:}shared") locktypeEL = etree.SubElement(lockentryEL, "{DAV:}locktype") etree.SubElement(locktypeEL, "{DAV:}write") return supportedlockEL elif name.startswith("{DAV:}"): # Standard live property (raises HTTP_NOT_FOUND if not supported) if name == "{DAV:}creationdate" and self.get_creation_date() is not None: # Note: uses RFC3339 format (ISO 8601) return util.get_rfc3339_time(self.get_creation_date()) elif name == "{DAV:}getcontenttype" and self.get_content_type() is not None: return self.get_content_type() elif name == "{DAV:}resourcetype": if self.is_collection: resourcetypeEL = etree.Element(name) etree.SubElement(resourcetypeEL, "{DAV:}collection") return resourcetypeEL return "" elif ( name == "{DAV:}getlastmodified" and self.get_last_modified() is not None ): # Note: uses RFC1123 format return util.get_rfc1123_time(self.get_last_modified()) elif ( name == "{DAV:}getcontentlength" and self.get_content_length() is not None ): # Note: must be a numeric string return str(self.get_content_length()) elif name == "{DAV:}getetag" and self.get_etag() is not None: return self.get_etag() elif name == "{DAV:}displayname" and self.get_display_name() is not None: return self.get_display_name() # Unsupported, no persistence available, or property not found raise DAVError(HTTP_NOT_FOUND) # Dead property pm = self.provider.prop_manager if pm: value = pm.get_property(refUrl, name, self.environ) if value is not None: return xml_tools.string_to_xml(value) # No persistence available, or property not found raise DAVError(HTTP_NOT_FOUND)
[ "Return", "the", "value", "of", "a", "property", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L582-L716
[ "def", "get_property_value", "(", "self", ",", "name", ")", ":", "refUrl", "=", "self", ".", "get_ref_url", "(", ")", "# lock properties", "lm", "=", "self", ".", "provider", ".", "lock_manager", "if", "lm", "and", "name", "==", "\"{DAV:}lockdiscovery\"", ":", "# TODO: we return HTTP_NOT_FOUND if no lockmanager is present.", "# Correct?", "activelocklist", "=", "lm", ".", "get_url_lock_list", "(", "refUrl", ")", "lockdiscoveryEL", "=", "etree", ".", "Element", "(", "name", ")", "for", "lock", "in", "activelocklist", ":", "activelockEL", "=", "etree", ".", "SubElement", "(", "lockdiscoveryEL", ",", "\"{DAV:}activelock\"", ")", "locktypeEL", "=", "etree", ".", "SubElement", "(", "activelockEL", ",", "\"{DAV:}locktype\"", ")", "# Note: make sure `{DAV:}` is not handled as format tag:", "etree", ".", "SubElement", "(", "locktypeEL", ",", "\"{}{}\"", ".", "format", "(", "\"{DAV:}\"", ",", "lock", "[", "\"type\"", "]", ")", ")", "lockscopeEL", "=", "etree", ".", "SubElement", "(", "activelockEL", ",", "\"{DAV:}lockscope\"", ")", "# Note: make sure `{DAV:}` is not handled as format tag:", "etree", ".", "SubElement", "(", "lockscopeEL", ",", "\"{}{}\"", ".", "format", "(", "\"{DAV:}\"", ",", "lock", "[", "\"scope\"", "]", ")", ")", "etree", ".", "SubElement", "(", "activelockEL", ",", "\"{DAV:}depth\"", ")", ".", "text", "=", "lock", "[", "\"depth\"", "]", "if", "lock", "[", "\"owner\"", "]", ":", "# lock[\"owner\"] is an XML string", "# owner may be empty (#64)", "ownerEL", "=", "xml_tools", ".", "string_to_xml", "(", "lock", "[", "\"owner\"", "]", ")", "activelockEL", ".", "append", "(", "ownerEL", ")", "timeout", "=", "lock", "[", "\"timeout\"", "]", "if", "timeout", "<", "0", ":", "timeout", "=", "\"Infinite\"", "else", ":", "# The time remaining on the lock", "expire", "=", "lock", "[", "\"expire\"", "]", "timeout", "=", "\"Second-\"", "+", "str", "(", "int", "(", "expire", "-", "time", ".", "time", "(", ")", ")", ")", "etree", ".", "SubElement", "(", "activelockEL", ",", "\"{DAV:}timeout\"", ")", ".", "text", "=", "timeout", "locktokenEL", "=", "etree", ".", "SubElement", "(", "activelockEL", ",", "\"{DAV:}locktoken\"", ")", "etree", ".", "SubElement", "(", "locktokenEL", ",", "\"{DAV:}href\"", ")", ".", "text", "=", "lock", "[", "\"token\"", "]", "# TODO: this is ugly:", "# res.get_property_value(\"{DAV:}lockdiscovery\")", "#", "# lockRoot = self.get_href(self.provider.ref_url_to_path(lock[\"root\"]))", "lockPath", "=", "self", ".", "provider", ".", "ref_url_to_path", "(", "lock", "[", "\"root\"", "]", ")", "lockRes", "=", "self", ".", "provider", ".", "get_resource_inst", "(", "lockPath", ",", "self", ".", "environ", ")", "# FIXME: test for None", "lockHref", "=", "lockRes", ".", "get_href", "(", ")", "lockrootEL", "=", "etree", ".", "SubElement", "(", "activelockEL", ",", "\"{DAV:}lockroot\"", ")", "etree", ".", "SubElement", "(", "lockrootEL", ",", "\"{DAV:}href\"", ")", ".", "text", "=", "lockHref", "return", "lockdiscoveryEL", "elif", "lm", "and", "name", "==", "\"{DAV:}supportedlock\"", ":", "# TODO: we return HTTP_NOT_FOUND if no lockmanager is present. Correct?", "# TODO: the lockmanager should decide about it's features", "supportedlockEL", "=", "etree", ".", "Element", "(", "name", ")", "lockentryEL", "=", "etree", ".", "SubElement", "(", "supportedlockEL", ",", "\"{DAV:}lockentry\"", ")", "lockscopeEL", "=", "etree", ".", "SubElement", "(", "lockentryEL", ",", "\"{DAV:}lockscope\"", ")", "etree", ".", "SubElement", "(", "lockscopeEL", ",", "\"{DAV:}exclusive\"", ")", "locktypeEL", "=", "etree", ".", "SubElement", "(", "lockentryEL", ",", "\"{DAV:}locktype\"", ")", "etree", ".", "SubElement", "(", "locktypeEL", ",", "\"{DAV:}write\"", ")", "lockentryEL", "=", "etree", ".", "SubElement", "(", "supportedlockEL", ",", "\"{DAV:}lockentry\"", ")", "lockscopeEL", "=", "etree", ".", "SubElement", "(", "lockentryEL", ",", "\"{DAV:}lockscope\"", ")", "etree", ".", "SubElement", "(", "lockscopeEL", ",", "\"{DAV:}shared\"", ")", "locktypeEL", "=", "etree", ".", "SubElement", "(", "lockentryEL", ",", "\"{DAV:}locktype\"", ")", "etree", ".", "SubElement", "(", "locktypeEL", ",", "\"{DAV:}write\"", ")", "return", "supportedlockEL", "elif", "name", ".", "startswith", "(", "\"{DAV:}\"", ")", ":", "# Standard live property (raises HTTP_NOT_FOUND if not supported)", "if", "name", "==", "\"{DAV:}creationdate\"", "and", "self", ".", "get_creation_date", "(", ")", "is", "not", "None", ":", "# Note: uses RFC3339 format (ISO 8601)", "return", "util", ".", "get_rfc3339_time", "(", "self", ".", "get_creation_date", "(", ")", ")", "elif", "name", "==", "\"{DAV:}getcontenttype\"", "and", "self", ".", "get_content_type", "(", ")", "is", "not", "None", ":", "return", "self", ".", "get_content_type", "(", ")", "elif", "name", "==", "\"{DAV:}resourcetype\"", ":", "if", "self", ".", "is_collection", ":", "resourcetypeEL", "=", "etree", ".", "Element", "(", "name", ")", "etree", ".", "SubElement", "(", "resourcetypeEL", ",", "\"{DAV:}collection\"", ")", "return", "resourcetypeEL", "return", "\"\"", "elif", "(", "name", "==", "\"{DAV:}getlastmodified\"", "and", "self", ".", "get_last_modified", "(", ")", "is", "not", "None", ")", ":", "# Note: uses RFC1123 format", "return", "util", ".", "get_rfc1123_time", "(", "self", ".", "get_last_modified", "(", ")", ")", "elif", "(", "name", "==", "\"{DAV:}getcontentlength\"", "and", "self", ".", "get_content_length", "(", ")", "is", "not", "None", ")", ":", "# Note: must be a numeric string", "return", "str", "(", "self", ".", "get_content_length", "(", ")", ")", "elif", "name", "==", "\"{DAV:}getetag\"", "and", "self", ".", "get_etag", "(", ")", "is", "not", "None", ":", "return", "self", ".", "get_etag", "(", ")", "elif", "name", "==", "\"{DAV:}displayname\"", "and", "self", ".", "get_display_name", "(", ")", "is", "not", "None", ":", "return", "self", ".", "get_display_name", "(", ")", "# Unsupported, no persistence available, or property not found", "raise", "DAVError", "(", "HTTP_NOT_FOUND", ")", "# Dead property", "pm", "=", "self", ".", "provider", ".", "prop_manager", "if", "pm", ":", "value", "=", "pm", ".", "get_property", "(", "refUrl", ",", "name", ",", "self", ".", "environ", ")", "if", "value", "is", "not", "None", ":", "return", "xml_tools", ".", "string_to_xml", "(", "value", ")", "# No persistence available, or property not found", "raise", "DAVError", "(", "HTTP_NOT_FOUND", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_DAVResource.set_property_value
Set a property value or remove a property. value == None means 'remove property'. Raise HTTP_FORBIDDEN if property is read-only, or not supported. When dry_run is True, this function should raise errors, as in a real run, but MUST NOT change any data. This default implementation - raises HTTP_FORBIDDEN, if trying to modify a locking property - raises HTTP_FORBIDDEN, if trying to modify an immutable {DAV:} property - handles Windows' Win32LastModifiedTime to set the getlastmodified property, if enabled - stores everything else as dead property, if a property manager is present. - raises HTTP_FORBIDDEN, else Removing a non-existing prop is NOT an error. Note: RFC 4918 states that {DAV:}displayname 'SHOULD NOT be protected' A resource provider may override this method, to update supported custom live properties.
wsgidav/dav_provider.py
def set_property_value(self, name, value, dry_run=False): """Set a property value or remove a property. value == None means 'remove property'. Raise HTTP_FORBIDDEN if property is read-only, or not supported. When dry_run is True, this function should raise errors, as in a real run, but MUST NOT change any data. This default implementation - raises HTTP_FORBIDDEN, if trying to modify a locking property - raises HTTP_FORBIDDEN, if trying to modify an immutable {DAV:} property - handles Windows' Win32LastModifiedTime to set the getlastmodified property, if enabled - stores everything else as dead property, if a property manager is present. - raises HTTP_FORBIDDEN, else Removing a non-existing prop is NOT an error. Note: RFC 4918 states that {DAV:}displayname 'SHOULD NOT be protected' A resource provider may override this method, to update supported custom live properties. """ assert value is None or xml_tools.is_etree_element(value) if name in _lockPropertyNames: # Locking properties are always read-only raise DAVError( HTTP_FORBIDDEN, err_condition=PRECONDITION_CODE_ProtectedProperty ) # Live property config = self.environ["wsgidav.config"] # hotfixes = config.get("hotfixes", {}) mutableLiveProps = config.get("mutable_live_props", []) # Accept custom live property updates on resources if configured. if ( name.startswith("{DAV:}") and name in _standardLivePropNames and name in mutableLiveProps ): # Please note that some properties should not be mutable according # to RFC4918. This includes the 'getlastmodified' property, which # it may still make sense to make mutable in order to support time # stamp changes from e.g. utime calls or the touch or rsync -a # commands. if name in ("{DAV:}getlastmodified", "{DAV:}last_modified"): try: return self.set_last_modified(self.path, value.text, dry_run) except Exception: _logger.warning( "Provider does not support set_last_modified on {}.".format( self.path ) ) # Unsupported or not allowed raise DAVError(HTTP_FORBIDDEN) # Handle MS Windows Win32LastModifiedTime, if enabled. # Note that the WebDAV client in Win7 and earler has issues and can't be used # with this so we ignore older clients. Others pre-Win10 should be tested. if name.startswith("{urn:schemas-microsoft-com:}"): agent = self.environ.get("HTTP_USER_AGENT", "None") win32_emu = config.get("hotfixes", {}).get("emulate_win32_lastmod", False) if win32_emu and "MiniRedir/6.1" not in agent: if "Win32LastModifiedTime" in name: return self.set_last_modified(self.path, value.text, dry_run) elif "Win32FileAttributes" in name: return True elif "Win32CreationTime" in name: return True elif "Win32LastAccessTime" in name: return True # Dead property pm = self.provider.prop_manager if pm and not name.startswith("{DAV:}"): refUrl = self.get_ref_url() if value is None: return pm.remove_property(refUrl, name, dry_run, self.environ) else: value = etree.tostring(value) return pm.write_property(refUrl, name, value, dry_run, self.environ) raise DAVError(HTTP_FORBIDDEN)
def set_property_value(self, name, value, dry_run=False): """Set a property value or remove a property. value == None means 'remove property'. Raise HTTP_FORBIDDEN if property is read-only, or not supported. When dry_run is True, this function should raise errors, as in a real run, but MUST NOT change any data. This default implementation - raises HTTP_FORBIDDEN, if trying to modify a locking property - raises HTTP_FORBIDDEN, if trying to modify an immutable {DAV:} property - handles Windows' Win32LastModifiedTime to set the getlastmodified property, if enabled - stores everything else as dead property, if a property manager is present. - raises HTTP_FORBIDDEN, else Removing a non-existing prop is NOT an error. Note: RFC 4918 states that {DAV:}displayname 'SHOULD NOT be protected' A resource provider may override this method, to update supported custom live properties. """ assert value is None or xml_tools.is_etree_element(value) if name in _lockPropertyNames: # Locking properties are always read-only raise DAVError( HTTP_FORBIDDEN, err_condition=PRECONDITION_CODE_ProtectedProperty ) # Live property config = self.environ["wsgidav.config"] # hotfixes = config.get("hotfixes", {}) mutableLiveProps = config.get("mutable_live_props", []) # Accept custom live property updates on resources if configured. if ( name.startswith("{DAV:}") and name in _standardLivePropNames and name in mutableLiveProps ): # Please note that some properties should not be mutable according # to RFC4918. This includes the 'getlastmodified' property, which # it may still make sense to make mutable in order to support time # stamp changes from e.g. utime calls or the touch or rsync -a # commands. if name in ("{DAV:}getlastmodified", "{DAV:}last_modified"): try: return self.set_last_modified(self.path, value.text, dry_run) except Exception: _logger.warning( "Provider does not support set_last_modified on {}.".format( self.path ) ) # Unsupported or not allowed raise DAVError(HTTP_FORBIDDEN) # Handle MS Windows Win32LastModifiedTime, if enabled. # Note that the WebDAV client in Win7 and earler has issues and can't be used # with this so we ignore older clients. Others pre-Win10 should be tested. if name.startswith("{urn:schemas-microsoft-com:}"): agent = self.environ.get("HTTP_USER_AGENT", "None") win32_emu = config.get("hotfixes", {}).get("emulate_win32_lastmod", False) if win32_emu and "MiniRedir/6.1" not in agent: if "Win32LastModifiedTime" in name: return self.set_last_modified(self.path, value.text, dry_run) elif "Win32FileAttributes" in name: return True elif "Win32CreationTime" in name: return True elif "Win32LastAccessTime" in name: return True # Dead property pm = self.provider.prop_manager if pm and not name.startswith("{DAV:}"): refUrl = self.get_ref_url() if value is None: return pm.remove_property(refUrl, name, dry_run, self.environ) else: value = etree.tostring(value) return pm.write_property(refUrl, name, value, dry_run, self.environ) raise DAVError(HTTP_FORBIDDEN)
[ "Set", "a", "property", "value", "or", "remove", "a", "property", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L718-L807
[ "def", "set_property_value", "(", "self", ",", "name", ",", "value", ",", "dry_run", "=", "False", ")", ":", "assert", "value", "is", "None", "or", "xml_tools", ".", "is_etree_element", "(", "value", ")", "if", "name", "in", "_lockPropertyNames", ":", "# Locking properties are always read-only", "raise", "DAVError", "(", "HTTP_FORBIDDEN", ",", "err_condition", "=", "PRECONDITION_CODE_ProtectedProperty", ")", "# Live property", "config", "=", "self", ".", "environ", "[", "\"wsgidav.config\"", "]", "# hotfixes = config.get(\"hotfixes\", {})", "mutableLiveProps", "=", "config", ".", "get", "(", "\"mutable_live_props\"", ",", "[", "]", ")", "# Accept custom live property updates on resources if configured.", "if", "(", "name", ".", "startswith", "(", "\"{DAV:}\"", ")", "and", "name", "in", "_standardLivePropNames", "and", "name", "in", "mutableLiveProps", ")", ":", "# Please note that some properties should not be mutable according", "# to RFC4918. This includes the 'getlastmodified' property, which", "# it may still make sense to make mutable in order to support time", "# stamp changes from e.g. utime calls or the touch or rsync -a", "# commands.", "if", "name", "in", "(", "\"{DAV:}getlastmodified\"", ",", "\"{DAV:}last_modified\"", ")", ":", "try", ":", "return", "self", ".", "set_last_modified", "(", "self", ".", "path", ",", "value", ".", "text", ",", "dry_run", ")", "except", "Exception", ":", "_logger", ".", "warning", "(", "\"Provider does not support set_last_modified on {}.\"", ".", "format", "(", "self", ".", "path", ")", ")", "# Unsupported or not allowed", "raise", "DAVError", "(", "HTTP_FORBIDDEN", ")", "# Handle MS Windows Win32LastModifiedTime, if enabled.", "# Note that the WebDAV client in Win7 and earler has issues and can't be used", "# with this so we ignore older clients. Others pre-Win10 should be tested.", "if", "name", ".", "startswith", "(", "\"{urn:schemas-microsoft-com:}\"", ")", ":", "agent", "=", "self", ".", "environ", ".", "get", "(", "\"HTTP_USER_AGENT\"", ",", "\"None\"", ")", "win32_emu", "=", "config", ".", "get", "(", "\"hotfixes\"", ",", "{", "}", ")", ".", "get", "(", "\"emulate_win32_lastmod\"", ",", "False", ")", "if", "win32_emu", "and", "\"MiniRedir/6.1\"", "not", "in", "agent", ":", "if", "\"Win32LastModifiedTime\"", "in", "name", ":", "return", "self", ".", "set_last_modified", "(", "self", ".", "path", ",", "value", ".", "text", ",", "dry_run", ")", "elif", "\"Win32FileAttributes\"", "in", "name", ":", "return", "True", "elif", "\"Win32CreationTime\"", "in", "name", ":", "return", "True", "elif", "\"Win32LastAccessTime\"", "in", "name", ":", "return", "True", "# Dead property", "pm", "=", "self", ".", "provider", ".", "prop_manager", "if", "pm", "and", "not", "name", ".", "startswith", "(", "\"{DAV:}\"", ")", ":", "refUrl", "=", "self", ".", "get_ref_url", "(", ")", "if", "value", "is", "None", ":", "return", "pm", ".", "remove_property", "(", "refUrl", ",", "name", ",", "dry_run", ",", "self", ".", "environ", ")", "else", ":", "value", "=", "etree", ".", "tostring", "(", "value", ")", "return", "pm", ".", "write_property", "(", "refUrl", ",", "name", ",", "value", ",", "dry_run", ",", "self", ".", "environ", ")", "raise", "DAVError", "(", "HTTP_FORBIDDEN", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_DAVResource.remove_all_properties
Remove all associated dead properties.
wsgidav/dav_provider.py
def remove_all_properties(self, recursive): """Remove all associated dead properties.""" if self.provider.prop_manager: self.provider.prop_manager.remove_properties( self.get_ref_url(), self.environ )
def remove_all_properties(self, recursive): """Remove all associated dead properties.""" if self.provider.prop_manager: self.provider.prop_manager.remove_properties( self.get_ref_url(), self.environ )
[ "Remove", "all", "associated", "dead", "properties", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L809-L814
[ "def", "remove_all_properties", "(", "self", ",", "recursive", ")", ":", "if", "self", ".", "provider", ".", "prop_manager", ":", "self", ".", "provider", ".", "prop_manager", ".", "remove_properties", "(", "self", ".", "get_ref_url", "(", ")", ",", "self", ".", "environ", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_DAVResource.is_locked
Return True, if URI is locked.
wsgidav/dav_provider.py
def is_locked(self): """Return True, if URI is locked.""" if self.provider.lock_manager is None: return False return self.provider.lock_manager.is_url_locked(self.get_ref_url())
def is_locked(self): """Return True, if URI is locked.""" if self.provider.lock_manager is None: return False return self.provider.lock_manager.is_url_locked(self.get_ref_url())
[ "Return", "True", "if", "URI", "is", "locked", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L827-L831
[ "def", "is_locked", "(", "self", ")", ":", "if", "self", ".", "provider", ".", "lock_manager", "is", "None", ":", "return", "False", "return", "self", ".", "provider", ".", "lock_manager", ".", "is_url_locked", "(", "self", ".", "get_ref_url", "(", ")", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
DAVCollection.resolve
Return a _DAVResource object for the path (None, if not found). `path_info`: is a URL relative to this object.
wsgidav/dav_provider.py
def resolve(self, script_name, path_info): """Return a _DAVResource object for the path (None, if not found). `path_info`: is a URL relative to this object. """ if path_info in ("", "/"): return self assert path_info.startswith("/") name, rest = util.pop_path(path_info) res = self.get_member(name) if res is None or rest in ("", "/"): return res return res.resolve(util.join_uri(script_name, name), rest)
def resolve(self, script_name, path_info): """Return a _DAVResource object for the path (None, if not found). `path_info`: is a URL relative to this object. """ if path_info in ("", "/"): return self assert path_info.startswith("/") name, rest = util.pop_path(path_info) res = self.get_member(name) if res is None or rest in ("", "/"): return res return res.resolve(util.join_uri(script_name, name), rest)
[ "Return", "a", "_DAVResource", "object", "for", "the", "path", "(", "None", "if", "not", "found", ")", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L1393-L1405
[ "def", "resolve", "(", "self", ",", "script_name", ",", "path_info", ")", ":", "if", "path_info", "in", "(", "\"\"", ",", "\"/\"", ")", ":", "return", "self", "assert", "path_info", ".", "startswith", "(", "\"/\"", ")", "name", ",", "rest", "=", "util", ".", "pop_path", "(", "path_info", ")", "res", "=", "self", ".", "get_member", "(", "name", ")", "if", "res", "is", "None", "or", "rest", "in", "(", "\"\"", ",", "\"/\"", ")", ":", "return", "res", "return", "res", ".", "resolve", "(", "util", ".", "join_uri", "(", "script_name", ",", "name", ")", ",", "rest", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
DAVProvider.set_share_path
Set application location for this resource provider. @param share_path: a UTF-8 encoded, unquoted byte string.
wsgidav/dav_provider.py
def set_share_path(self, share_path): """Set application location for this resource provider. @param share_path: a UTF-8 encoded, unquoted byte string. """ # if isinstance(share_path, unicode): # share_path = share_path.encode("utf8") assert share_path == "" or share_path.startswith("/") if share_path == "/": share_path = "" # This allows to code 'absPath = share_path + path' assert share_path in ("", "/") or not share_path.endswith("/") self.share_path = share_path
def set_share_path(self, share_path): """Set application location for this resource provider. @param share_path: a UTF-8 encoded, unquoted byte string. """ # if isinstance(share_path, unicode): # share_path = share_path.encode("utf8") assert share_path == "" or share_path.startswith("/") if share_path == "/": share_path = "" # This allows to code 'absPath = share_path + path' assert share_path in ("", "/") or not share_path.endswith("/") self.share_path = share_path
[ "Set", "application", "location", "for", "this", "resource", "provider", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L1445-L1456
[ "def", "set_share_path", "(", "self", ",", "share_path", ")", ":", "# if isinstance(share_path, unicode):", "# share_path = share_path.encode(\"utf8\")", "assert", "share_path", "==", "\"\"", "or", "share_path", ".", "startswith", "(", "\"/\"", ")", "if", "share_path", "==", "\"/\"", ":", "share_path", "=", "\"\"", "# This allows to code 'absPath = share_path + path'", "assert", "share_path", "in", "(", "\"\"", ",", "\"/\"", ")", "or", "not", "share_path", ".", "endswith", "(", "\"/\"", ")", "self", ".", "share_path", "=", "share_path" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
DAVProvider.ref_url_to_path
Convert a refUrl to a path, by stripping the share prefix. Used to calculate the <path> from a storage key by inverting get_ref_url().
wsgidav/dav_provider.py
def ref_url_to_path(self, ref_url): """Convert a refUrl to a path, by stripping the share prefix. Used to calculate the <path> from a storage key by inverting get_ref_url(). """ return "/" + compat.unquote(util.lstripstr(ref_url, self.share_path)).lstrip( "/" )
def ref_url_to_path(self, ref_url): """Convert a refUrl to a path, by stripping the share prefix. Used to calculate the <path> from a storage key by inverting get_ref_url(). """ return "/" + compat.unquote(util.lstripstr(ref_url, self.share_path)).lstrip( "/" )
[ "Convert", "a", "refUrl", "to", "a", "path", "by", "stripping", "the", "share", "prefix", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L1470-L1477
[ "def", "ref_url_to_path", "(", "self", ",", "ref_url", ")", ":", "return", "\"/\"", "+", "compat", ".", "unquote", "(", "util", ".", "lstripstr", "(", "ref_url", ",", "self", ".", "share_path", ")", ")", ".", "lstrip", "(", "\"/\"", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
DAVProvider.is_collection
Return True, if path maps to an existing collection resource. This method should only be used, if no other information is queried for <path>. Otherwise a _DAVResource should be created first.
wsgidav/dav_provider.py
def is_collection(self, path, environ): """Return True, if path maps to an existing collection resource. This method should only be used, if no other information is queried for <path>. Otherwise a _DAVResource should be created first. """ res = self.get_resource_inst(path, environ) return res and res.is_collection
def is_collection(self, path, environ): """Return True, if path maps to an existing collection resource. This method should only be used, if no other information is queried for <path>. Otherwise a _DAVResource should be created first. """ res = self.get_resource_inst(path, environ) return res and res.is_collection
[ "Return", "True", "if", "path", "maps", "to", "an", "existing", "collection", "resource", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dav_provider.py#L1507-L1514
[ "def", "is_collection", "(", "self", ",", "path", ",", "environ", ")", ":", "res", "=", "self", ".", "get_resource_inst", "(", "path", ",", "environ", ")", "return", "res", "and", "res", ".", "is_collection" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
string_to_xml
Convert XML string into etree.Element.
wsgidav/xml_tools.py
def string_to_xml(text): """Convert XML string into etree.Element.""" try: return etree.XML(text) except Exception: # TODO: # ExpatError: reference to invalid character number: line 1, column 62 # litmus fails, when xml is used instead of lxml # 18. propget............... FAIL (PROPFIND on `/temp/litmus/prop2': # Could not read status line: connection was closed by server) # text = <ns0:high-unicode xmlns:ns0="http://example.com/neon/litmus/">&#55296;&#56320; # </ns0:high-unicode> # t2 = text.encode("utf8") # return etree.XML(t2) _logger.error( "Error parsing XML string. " "If lxml is not available, and unicode is involved, then " "installing lxml _may_ solve this issue." ) _logger.error("XML source: {}".format(text)) raise
def string_to_xml(text): """Convert XML string into etree.Element.""" try: return etree.XML(text) except Exception: # TODO: # ExpatError: reference to invalid character number: line 1, column 62 # litmus fails, when xml is used instead of lxml # 18. propget............... FAIL (PROPFIND on `/temp/litmus/prop2': # Could not read status line: connection was closed by server) # text = <ns0:high-unicode xmlns:ns0="http://example.com/neon/litmus/">&#55296;&#56320; # </ns0:high-unicode> # t2 = text.encode("utf8") # return etree.XML(t2) _logger.error( "Error parsing XML string. " "If lxml is not available, and unicode is involved, then " "installing lxml _may_ solve this issue." ) _logger.error("XML source: {}".format(text)) raise
[ "Convert", "XML", "string", "into", "etree", ".", "Element", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/xml_tools.py#L54-L74
[ "def", "string_to_xml", "(", "text", ")", ":", "try", ":", "return", "etree", ".", "XML", "(", "text", ")", "except", "Exception", ":", "# TODO:", "# ExpatError: reference to invalid character number: line 1, column 62", "# litmus fails, when xml is used instead of lxml", "# 18. propget............... FAIL (PROPFIND on `/temp/litmus/prop2':", "# Could not read status line: connection was closed by server)", "# text = <ns0:high-unicode xmlns:ns0=\"http://example.com/neon/litmus/\">&#55296;&#56320;", "# </ns0:high-unicode>", "# t2 = text.encode(\"utf8\")", "# return etree.XML(t2)", "_logger", ".", "error", "(", "\"Error parsing XML string. \"", "\"If lxml is not available, and unicode is involved, then \"", "\"installing lxml _may_ solve this issue.\"", ")", "_logger", ".", "error", "(", "\"XML source: {}\"", ".", "format", "(", "text", ")", ")", "raise" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
xml_to_bytes
Wrapper for etree.tostring, that takes care of unsupported pretty_print option and prepends an encoding header.
wsgidav/xml_tools.py
def xml_to_bytes(element, pretty_print=False): """Wrapper for etree.tostring, that takes care of unsupported pretty_print option and prepends an encoding header.""" if use_lxml: xml = etree.tostring( element, encoding="UTF-8", xml_declaration=True, pretty_print=pretty_print ) else: xml = etree.tostring(element, encoding="UTF-8") if not xml.startswith(b"<?xml "): xml = b'<?xml version="1.0" encoding="utf-8" ?>\n' + xml assert xml.startswith(b"<?xml ") # ET should prepend an encoding header return xml
def xml_to_bytes(element, pretty_print=False): """Wrapper for etree.tostring, that takes care of unsupported pretty_print option and prepends an encoding header.""" if use_lxml: xml = etree.tostring( element, encoding="UTF-8", xml_declaration=True, pretty_print=pretty_print ) else: xml = etree.tostring(element, encoding="UTF-8") if not xml.startswith(b"<?xml "): xml = b'<?xml version="1.0" encoding="utf-8" ?>\n' + xml assert xml.startswith(b"<?xml ") # ET should prepend an encoding header return xml
[ "Wrapper", "for", "etree", ".", "tostring", "that", "takes", "care", "of", "unsupported", "pretty_print", "option", "and", "prepends", "an", "encoding", "header", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/xml_tools.py#L77-L90
[ "def", "xml_to_bytes", "(", "element", ",", "pretty_print", "=", "False", ")", ":", "if", "use_lxml", ":", "xml", "=", "etree", ".", "tostring", "(", "element", ",", "encoding", "=", "\"UTF-8\"", ",", "xml_declaration", "=", "True", ",", "pretty_print", "=", "pretty_print", ")", "else", ":", "xml", "=", "etree", ".", "tostring", "(", "element", ",", "encoding", "=", "\"UTF-8\"", ")", "if", "not", "xml", ".", "startswith", "(", "b\"<?xml \"", ")", ":", "xml", "=", "b'<?xml version=\"1.0\" encoding=\"utf-8\" ?>\\n'", "+", "xml", "assert", "xml", ".", "startswith", "(", "b\"<?xml \"", ")", "# ET should prepend an encoding header", "return", "xml" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
make_sub_element
Wrapper for etree.SubElement, that takes care of unsupported nsmap option.
wsgidav/xml_tools.py
def make_sub_element(parent, tag, nsmap=None): """Wrapper for etree.SubElement, that takes care of unsupported nsmap option.""" if use_lxml: return etree.SubElement(parent, tag, nsmap=nsmap) return etree.SubElement(parent, tag)
def make_sub_element(parent, tag, nsmap=None): """Wrapper for etree.SubElement, that takes care of unsupported nsmap option.""" if use_lxml: return etree.SubElement(parent, tag, nsmap=nsmap) return etree.SubElement(parent, tag)
[ "Wrapper", "for", "etree", ".", "SubElement", "that", "takes", "care", "of", "unsupported", "nsmap", "option", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/xml_tools.py#L107-L111
[ "def", "make_sub_element", "(", "parent", ",", "tag", ",", "nsmap", "=", "None", ")", ":", "if", "use_lxml", ":", "return", "etree", ".", "SubElement", "(", "parent", ",", "tag", ",", "nsmap", "=", "nsmap", ")", "return", "etree", ".", "SubElement", "(", "parent", ",", "tag", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
element_content_as_string
Serialize etree.Element. Note: element may contain more than one child or only text (i.e. no child at all). Therefore the resulting string may raise an exception, when passed back to etree.XML().
wsgidav/xml_tools.py
def element_content_as_string(element): """Serialize etree.Element. Note: element may contain more than one child or only text (i.e. no child at all). Therefore the resulting string may raise an exception, when passed back to etree.XML(). """ if len(element) == 0: return element.text or "" # Make sure, None is returned as '' stream = compat.StringIO() for childnode in element: stream.write(xml_to_bytes(childnode, pretty_print=False) + "\n") # print(xml_to_bytes(childnode, pretty_print=False), file=stream) s = stream.getvalue() stream.close() return s
def element_content_as_string(element): """Serialize etree.Element. Note: element may contain more than one child or only text (i.e. no child at all). Therefore the resulting string may raise an exception, when passed back to etree.XML(). """ if len(element) == 0: return element.text or "" # Make sure, None is returned as '' stream = compat.StringIO() for childnode in element: stream.write(xml_to_bytes(childnode, pretty_print=False) + "\n") # print(xml_to_bytes(childnode, pretty_print=False), file=stream) s = stream.getvalue() stream.close() return s
[ "Serialize", "etree", ".", "Element", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/xml_tools.py#L114-L129
[ "def", "element_content_as_string", "(", "element", ")", ":", "if", "len", "(", "element", ")", "==", "0", ":", "return", "element", ".", "text", "or", "\"\"", "# Make sure, None is returned as ''", "stream", "=", "compat", ".", "StringIO", "(", ")", "for", "childnode", "in", "element", ":", "stream", ".", "write", "(", "xml_to_bytes", "(", "childnode", ",", "pretty_print", "=", "False", ")", "+", "\"\\n\"", ")", "# print(xml_to_bytes(childnode, pretty_print=False), file=stream)", "s", "=", "stream", ".", "getvalue", "(", ")", "stream", ".", "close", "(", ")", "return", "s" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_get_checked_path
Convert path to absolute if not None.
wsgidav/server/server_cli.py
def _get_checked_path(path, config, must_exist=True, allow_none=True): """Convert path to absolute if not None.""" if path in (None, ""): if allow_none: return None raise ValueError("Invalid path {!r}".format(path)) # Evaluate path relative to the folder of the config file (if any) config_file = config.get("_config_file") if config_file and not os.path.isabs(path): path = os.path.normpath(os.path.join(os.path.dirname(config_file), path)) else: path = os.path.abspath(path) if must_exist and not os.path.exists(path): raise ValueError("Invalid path {!r}".format(path)) return path
def _get_checked_path(path, config, must_exist=True, allow_none=True): """Convert path to absolute if not None.""" if path in (None, ""): if allow_none: return None raise ValueError("Invalid path {!r}".format(path)) # Evaluate path relative to the folder of the config file (if any) config_file = config.get("_config_file") if config_file and not os.path.isabs(path): path = os.path.normpath(os.path.join(os.path.dirname(config_file), path)) else: path = os.path.abspath(path) if must_exist and not os.path.exists(path): raise ValueError("Invalid path {!r}".format(path)) return path
[ "Convert", "path", "to", "absolute", "if", "not", "None", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/server/server_cli.py#L65-L79
[ "def", "_get_checked_path", "(", "path", ",", "config", ",", "must_exist", "=", "True", ",", "allow_none", "=", "True", ")", ":", "if", "path", "in", "(", "None", ",", "\"\"", ")", ":", "if", "allow_none", ":", "return", "None", "raise", "ValueError", "(", "\"Invalid path {!r}\"", ".", "format", "(", "path", ")", ")", "# Evaluate path relative to the folder of the config file (if any)", "config_file", "=", "config", ".", "get", "(", "\"_config_file\"", ")", "if", "config_file", "and", "not", "os", ".", "path", ".", "isabs", "(", "path", ")", ":", "path", "=", "os", ".", "path", ".", "normpath", "(", "os", ".", "path", ".", "join", "(", "os", ".", "path", ".", "dirname", "(", "config_file", ")", ",", "path", ")", ")", "else", ":", "path", "=", "os", ".", "path", ".", "abspath", "(", "path", ")", "if", "must_exist", "and", "not", "os", ".", "path", ".", "exists", "(", "path", ")", ":", "raise", "ValueError", "(", "\"Invalid path {!r}\"", ".", "format", "(", "path", ")", ")", "return", "path" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_init_command_line_options
Parse command line options into a dictionary.
wsgidav/server/server_cli.py
def _init_command_line_options(): """Parse command line options into a dictionary.""" description = """\ Run a WEBDAV server to share file system folders. Examples: Share filesystem folder '/temp' for anonymous access (no config file used): wsgidav --port=80 --host=0.0.0.0 --root=/temp --auth=anonymous Run using a specific configuration file: wsgidav --port=80 --host=0.0.0.0 --config=~/my_wsgidav.yaml If no config file is specified, the application will look for a file named 'wsgidav.yaml' in the current directory. See http://wsgidav.readthedocs.io/en/latest/run-configure.html for some explanation of the configuration file format. """ epilog = """\ Licensed under the MIT license. See https://github.com/mar10/wsgidav for additional information. """ parser = argparse.ArgumentParser( prog="wsgidav", description=description, epilog=epilog, # allow_abbrev=False, # Py3.5+ formatter_class=argparse.RawTextHelpFormatter, ) parser.add_argument( "-p", "--port", dest="port", type=int, # default=8080, help="port to serve on (default: 8080)", ) parser.add_argument( "-H", # '-h' conflicts with --help "--host", dest="host", help=( "host to serve from (default: localhost). 'localhost' is only " "accessible from the local computer. Use 0.0.0.0 to make your " "application public" ), ), parser.add_argument( "-r", "--root", dest="root_path", action=FullExpandedPath, help="path to a file system folder to publish as share '/'.", ) parser.add_argument( "--auth", choices=("anonymous", "nt", "pam-login"), help="quick configuration of a domain controller when no config file " "is used", ) parser.add_argument( "--server", choices=SUPPORTED_SERVERS.keys(), # default="cheroot", help="type of pre-installed WSGI server to use (default: cheroot).", ) parser.add_argument( "--ssl-adapter", choices=("builtin", "pyopenssl"), # default="builtin", help="used by 'cheroot' server if SSL certificates are configured " "(default: builtin).", ) qv_group = parser.add_mutually_exclusive_group() qv_group.add_argument( "-v", "--verbose", action="count", default=3, help="increment verbosity by one (default: %(default)s, range: 0..5)", ) qv_group.add_argument( "-q", "--quiet", default=0, action="count", help="decrement verbosity by one" ) qv_group = parser.add_mutually_exclusive_group() qv_group.add_argument( "-c", "--config", dest="config_file", action=FullExpandedPath, help=( "configuration file (default: {} in current directory)".format( DEFAULT_CONFIG_FILES ) ), ) qv_group.add_argument( "--no-config", action="store_true", dest="no_config", help="do not try to load default {}".format(DEFAULT_CONFIG_FILES), ) parser.add_argument( "-V", "--version", action="store_true", help="print version info and exit (may be combined with --verbose)", ) args = parser.parse_args() args.verbose -= args.quiet del args.quiet if args.root_path and not os.path.isdir(args.root_path): msg = "{} is not a directory".format(args.root_path) raise parser.error(msg) if args.version: if args.verbose >= 4: msg = "WsgiDAV/{} Python/{} {}".format( __version__, util.PYTHON_VERSION, platform.platform(aliased=True) ) else: msg = "{}".format(__version__) print(msg) sys.exit() if args.no_config: pass # ... else ignore default config files elif args.config_file is None: # If --config was omitted, use default (if it exists) for filename in DEFAULT_CONFIG_FILES: defPath = os.path.abspath(filename) if os.path.exists(defPath): if args.verbose >= 3: print("Using default configuration file: {}".format(defPath)) args.config_file = defPath break else: # If --config was specified convert to absolute path and assert it exists args.config_file = os.path.abspath(args.config_file) if not os.path.isfile(args.config_file): parser.error( "Could not find specified configuration file: {}".format( args.config_file ) ) # Convert args object to dictionary cmdLineOpts = args.__dict__.copy() if args.verbose >= 5: print("Command line args:") for k, v in cmdLineOpts.items(): print(" {:>12}: {}".format(k, v)) return cmdLineOpts, parser
def _init_command_line_options(): """Parse command line options into a dictionary.""" description = """\ Run a WEBDAV server to share file system folders. Examples: Share filesystem folder '/temp' for anonymous access (no config file used): wsgidav --port=80 --host=0.0.0.0 --root=/temp --auth=anonymous Run using a specific configuration file: wsgidav --port=80 --host=0.0.0.0 --config=~/my_wsgidav.yaml If no config file is specified, the application will look for a file named 'wsgidav.yaml' in the current directory. See http://wsgidav.readthedocs.io/en/latest/run-configure.html for some explanation of the configuration file format. """ epilog = """\ Licensed under the MIT license. See https://github.com/mar10/wsgidav for additional information. """ parser = argparse.ArgumentParser( prog="wsgidav", description=description, epilog=epilog, # allow_abbrev=False, # Py3.5+ formatter_class=argparse.RawTextHelpFormatter, ) parser.add_argument( "-p", "--port", dest="port", type=int, # default=8080, help="port to serve on (default: 8080)", ) parser.add_argument( "-H", # '-h' conflicts with --help "--host", dest="host", help=( "host to serve from (default: localhost). 'localhost' is only " "accessible from the local computer. Use 0.0.0.0 to make your " "application public" ), ), parser.add_argument( "-r", "--root", dest="root_path", action=FullExpandedPath, help="path to a file system folder to publish as share '/'.", ) parser.add_argument( "--auth", choices=("anonymous", "nt", "pam-login"), help="quick configuration of a domain controller when no config file " "is used", ) parser.add_argument( "--server", choices=SUPPORTED_SERVERS.keys(), # default="cheroot", help="type of pre-installed WSGI server to use (default: cheroot).", ) parser.add_argument( "--ssl-adapter", choices=("builtin", "pyopenssl"), # default="builtin", help="used by 'cheroot' server if SSL certificates are configured " "(default: builtin).", ) qv_group = parser.add_mutually_exclusive_group() qv_group.add_argument( "-v", "--verbose", action="count", default=3, help="increment verbosity by one (default: %(default)s, range: 0..5)", ) qv_group.add_argument( "-q", "--quiet", default=0, action="count", help="decrement verbosity by one" ) qv_group = parser.add_mutually_exclusive_group() qv_group.add_argument( "-c", "--config", dest="config_file", action=FullExpandedPath, help=( "configuration file (default: {} in current directory)".format( DEFAULT_CONFIG_FILES ) ), ) qv_group.add_argument( "--no-config", action="store_true", dest="no_config", help="do not try to load default {}".format(DEFAULT_CONFIG_FILES), ) parser.add_argument( "-V", "--version", action="store_true", help="print version info and exit (may be combined with --verbose)", ) args = parser.parse_args() args.verbose -= args.quiet del args.quiet if args.root_path and not os.path.isdir(args.root_path): msg = "{} is not a directory".format(args.root_path) raise parser.error(msg) if args.version: if args.verbose >= 4: msg = "WsgiDAV/{} Python/{} {}".format( __version__, util.PYTHON_VERSION, platform.platform(aliased=True) ) else: msg = "{}".format(__version__) print(msg) sys.exit() if args.no_config: pass # ... else ignore default config files elif args.config_file is None: # If --config was omitted, use default (if it exists) for filename in DEFAULT_CONFIG_FILES: defPath = os.path.abspath(filename) if os.path.exists(defPath): if args.verbose >= 3: print("Using default configuration file: {}".format(defPath)) args.config_file = defPath break else: # If --config was specified convert to absolute path and assert it exists args.config_file = os.path.abspath(args.config_file) if not os.path.isfile(args.config_file): parser.error( "Could not find specified configuration file: {}".format( args.config_file ) ) # Convert args object to dictionary cmdLineOpts = args.__dict__.copy() if args.verbose >= 5: print("Command line args:") for k, v in cmdLineOpts.items(): print(" {:>12}: {}".format(k, v)) return cmdLineOpts, parser
[ "Parse", "command", "line", "options", "into", "a", "dictionary", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/server/server_cli.py#L90-L255
[ "def", "_init_command_line_options", "(", ")", ":", "description", "=", "\"\"\"\\\n\nRun a WEBDAV server to share file system folders.\n\nExamples:\n\n Share filesystem folder '/temp' for anonymous access (no config file used):\n wsgidav --port=80 --host=0.0.0.0 --root=/temp --auth=anonymous\n\n Run using a specific configuration file:\n wsgidav --port=80 --host=0.0.0.0 --config=~/my_wsgidav.yaml\n\n If no config file is specified, the application will look for a file named\n 'wsgidav.yaml' in the current directory.\n See\n http://wsgidav.readthedocs.io/en/latest/run-configure.html\n for some explanation of the configuration file format.\n \"\"\"", "epilog", "=", "\"\"\"\\\nLicensed under the MIT license.\nSee https://github.com/mar10/wsgidav for additional information.\n\n\"\"\"", "parser", "=", "argparse", ".", "ArgumentParser", "(", "prog", "=", "\"wsgidav\"", ",", "description", "=", "description", ",", "epilog", "=", "epilog", ",", "# allow_abbrev=False, # Py3.5+", "formatter_class", "=", "argparse", ".", "RawTextHelpFormatter", ",", ")", "parser", ".", "add_argument", "(", "\"-p\"", ",", "\"--port\"", ",", "dest", "=", "\"port\"", ",", "type", "=", "int", ",", "# default=8080,", "help", "=", "\"port to serve on (default: 8080)\"", ",", ")", "parser", ".", "add_argument", "(", "\"-H\"", ",", "# '-h' conflicts with --help", "\"--host\"", ",", "dest", "=", "\"host\"", ",", "help", "=", "(", "\"host to serve from (default: localhost). 'localhost' is only \"", "\"accessible from the local computer. Use 0.0.0.0 to make your \"", "\"application public\"", ")", ",", ")", ",", "parser", ".", "add_argument", "(", "\"-r\"", ",", "\"--root\"", ",", "dest", "=", "\"root_path\"", ",", "action", "=", "FullExpandedPath", ",", "help", "=", "\"path to a file system folder to publish as share '/'.\"", ",", ")", "parser", ".", "add_argument", "(", "\"--auth\"", ",", "choices", "=", "(", "\"anonymous\"", ",", "\"nt\"", ",", "\"pam-login\"", ")", ",", "help", "=", "\"quick configuration of a domain controller when no config file \"", "\"is used\"", ",", ")", "parser", ".", "add_argument", "(", "\"--server\"", ",", "choices", "=", "SUPPORTED_SERVERS", ".", "keys", "(", ")", ",", "# default=\"cheroot\",", "help", "=", "\"type of pre-installed WSGI server to use (default: cheroot).\"", ",", ")", "parser", ".", "add_argument", "(", "\"--ssl-adapter\"", ",", "choices", "=", "(", "\"builtin\"", ",", "\"pyopenssl\"", ")", ",", "# default=\"builtin\",", "help", "=", "\"used by 'cheroot' server if SSL certificates are configured \"", "\"(default: builtin).\"", ",", ")", "qv_group", "=", "parser", ".", "add_mutually_exclusive_group", "(", ")", "qv_group", ".", "add_argument", "(", "\"-v\"", ",", "\"--verbose\"", ",", "action", "=", "\"count\"", ",", "default", "=", "3", ",", "help", "=", "\"increment verbosity by one (default: %(default)s, range: 0..5)\"", ",", ")", "qv_group", ".", "add_argument", "(", "\"-q\"", ",", "\"--quiet\"", ",", "default", "=", "0", ",", "action", "=", "\"count\"", ",", "help", "=", "\"decrement verbosity by one\"", ")", "qv_group", "=", "parser", ".", "add_mutually_exclusive_group", "(", ")", "qv_group", ".", "add_argument", "(", "\"-c\"", ",", "\"--config\"", ",", "dest", "=", "\"config_file\"", ",", "action", "=", "FullExpandedPath", ",", "help", "=", "(", "\"configuration file (default: {} in current directory)\"", ".", "format", "(", "DEFAULT_CONFIG_FILES", ")", ")", ",", ")", "qv_group", ".", "add_argument", "(", "\"--no-config\"", ",", "action", "=", "\"store_true\"", ",", "dest", "=", "\"no_config\"", ",", "help", "=", "\"do not try to load default {}\"", ".", "format", "(", "DEFAULT_CONFIG_FILES", ")", ",", ")", "parser", ".", "add_argument", "(", "\"-V\"", ",", "\"--version\"", ",", "action", "=", "\"store_true\"", ",", "help", "=", "\"print version info and exit (may be combined with --verbose)\"", ",", ")", "args", "=", "parser", ".", "parse_args", "(", ")", "args", ".", "verbose", "-=", "args", ".", "quiet", "del", "args", ".", "quiet", "if", "args", ".", "root_path", "and", "not", "os", ".", "path", ".", "isdir", "(", "args", ".", "root_path", ")", ":", "msg", "=", "\"{} is not a directory\"", ".", "format", "(", "args", ".", "root_path", ")", "raise", "parser", ".", "error", "(", "msg", ")", "if", "args", ".", "version", ":", "if", "args", ".", "verbose", ">=", "4", ":", "msg", "=", "\"WsgiDAV/{} Python/{} {}\"", ".", "format", "(", "__version__", ",", "util", ".", "PYTHON_VERSION", ",", "platform", ".", "platform", "(", "aliased", "=", "True", ")", ")", "else", ":", "msg", "=", "\"{}\"", ".", "format", "(", "__version__", ")", "print", "(", "msg", ")", "sys", ".", "exit", "(", ")", "if", "args", ".", "no_config", ":", "pass", "# ... else ignore default config files", "elif", "args", ".", "config_file", "is", "None", ":", "# If --config was omitted, use default (if it exists)", "for", "filename", "in", "DEFAULT_CONFIG_FILES", ":", "defPath", "=", "os", ".", "path", ".", "abspath", "(", "filename", ")", "if", "os", ".", "path", ".", "exists", "(", "defPath", ")", ":", "if", "args", ".", "verbose", ">=", "3", ":", "print", "(", "\"Using default configuration file: {}\"", ".", "format", "(", "defPath", ")", ")", "args", ".", "config_file", "=", "defPath", "break", "else", ":", "# If --config was specified convert to absolute path and assert it exists", "args", ".", "config_file", "=", "os", ".", "path", ".", "abspath", "(", "args", ".", "config_file", ")", "if", "not", "os", ".", "path", ".", "isfile", "(", "args", ".", "config_file", ")", ":", "parser", ".", "error", "(", "\"Could not find specified configuration file: {}\"", ".", "format", "(", "args", ".", "config_file", ")", ")", "# Convert args object to dictionary", "cmdLineOpts", "=", "args", ".", "__dict__", ".", "copy", "(", ")", "if", "args", ".", "verbose", ">=", "5", ":", "print", "(", "\"Command line args:\"", ")", "for", "k", ",", "v", "in", "cmdLineOpts", ".", "items", "(", ")", ":", "print", "(", "\" {:>12}: {}\"", ".", "format", "(", "k", ",", "v", ")", ")", "return", "cmdLineOpts", ",", "parser" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_read_config_file
Read configuration file options into a dictionary.
wsgidav/server/server_cli.py
def _read_config_file(config_file, verbose): """Read configuration file options into a dictionary.""" config_file = os.path.abspath(config_file) if not os.path.exists(config_file): raise RuntimeError("Couldn't open configuration file '{}'.".format(config_file)) if config_file.endswith(".json"): with io.open(config_file, mode="r", encoding="utf-8") as json_file: # Minify the JSON file to strip embedded comments minified = jsmin(json_file.read()) conf = json.loads(minified) elif config_file.endswith(".yaml"): with io.open(config_file, mode="r", encoding="utf-8") as yaml_file: conf = yaml.safe_load(yaml_file) else: try: import imp conf = {} configmodule = imp.load_source("configuration_module", config_file) for k, v in vars(configmodule).items(): if k.startswith("__"): continue elif isfunction(v): continue conf[k] = v except Exception: exc_type, exc_value = sys.exc_info()[:2] exc_info_list = traceback.format_exception_only(exc_type, exc_value) exc_text = "\n".join(exc_info_list) print( "Failed to read configuration file: " + config_file + "\nDue to " + exc_text, file=sys.stderr, ) raise conf["_config_file"] = config_file return conf
def _read_config_file(config_file, verbose): """Read configuration file options into a dictionary.""" config_file = os.path.abspath(config_file) if not os.path.exists(config_file): raise RuntimeError("Couldn't open configuration file '{}'.".format(config_file)) if config_file.endswith(".json"): with io.open(config_file, mode="r", encoding="utf-8") as json_file: # Minify the JSON file to strip embedded comments minified = jsmin(json_file.read()) conf = json.loads(minified) elif config_file.endswith(".yaml"): with io.open(config_file, mode="r", encoding="utf-8") as yaml_file: conf = yaml.safe_load(yaml_file) else: try: import imp conf = {} configmodule = imp.load_source("configuration_module", config_file) for k, v in vars(configmodule).items(): if k.startswith("__"): continue elif isfunction(v): continue conf[k] = v except Exception: exc_type, exc_value = sys.exc_info()[:2] exc_info_list = traceback.format_exception_only(exc_type, exc_value) exc_text = "\n".join(exc_info_list) print( "Failed to read configuration file: " + config_file + "\nDue to " + exc_text, file=sys.stderr, ) raise conf["_config_file"] = config_file return conf
[ "Read", "configuration", "file", "options", "into", "a", "dictionary", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/server/server_cli.py#L258-L303
[ "def", "_read_config_file", "(", "config_file", ",", "verbose", ")", ":", "config_file", "=", "os", ".", "path", ".", "abspath", "(", "config_file", ")", "if", "not", "os", ".", "path", ".", "exists", "(", "config_file", ")", ":", "raise", "RuntimeError", "(", "\"Couldn't open configuration file '{}'.\"", ".", "format", "(", "config_file", ")", ")", "if", "config_file", ".", "endswith", "(", "\".json\"", ")", ":", "with", "io", ".", "open", "(", "config_file", ",", "mode", "=", "\"r\"", ",", "encoding", "=", "\"utf-8\"", ")", "as", "json_file", ":", "# Minify the JSON file to strip embedded comments", "minified", "=", "jsmin", "(", "json_file", ".", "read", "(", ")", ")", "conf", "=", "json", ".", "loads", "(", "minified", ")", "elif", "config_file", ".", "endswith", "(", "\".yaml\"", ")", ":", "with", "io", ".", "open", "(", "config_file", ",", "mode", "=", "\"r\"", ",", "encoding", "=", "\"utf-8\"", ")", "as", "yaml_file", ":", "conf", "=", "yaml", ".", "safe_load", "(", "yaml_file", ")", "else", ":", "try", ":", "import", "imp", "conf", "=", "{", "}", "configmodule", "=", "imp", ".", "load_source", "(", "\"configuration_module\"", ",", "config_file", ")", "for", "k", ",", "v", "in", "vars", "(", "configmodule", ")", ".", "items", "(", ")", ":", "if", "k", ".", "startswith", "(", "\"__\"", ")", ":", "continue", "elif", "isfunction", "(", "v", ")", ":", "continue", "conf", "[", "k", "]", "=", "v", "except", "Exception", ":", "exc_type", ",", "exc_value", "=", "sys", ".", "exc_info", "(", ")", "[", ":", "2", "]", "exc_info_list", "=", "traceback", ".", "format_exception_only", "(", "exc_type", ",", "exc_value", ")", "exc_text", "=", "\"\\n\"", ".", "join", "(", "exc_info_list", ")", "print", "(", "\"Failed to read configuration file: \"", "+", "config_file", "+", "\"\\nDue to \"", "+", "exc_text", ",", "file", "=", "sys", ".", "stderr", ",", ")", "raise", "conf", "[", "\"_config_file\"", "]", "=", "config_file", "return", "conf" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_init_config
Setup configuration dictionary from default, command line and configuration file.
wsgidav/server/server_cli.py
def _init_config(): """Setup configuration dictionary from default, command line and configuration file.""" cli_opts, parser = _init_command_line_options() cli_verbose = cli_opts["verbose"] # Set config defaults config = copy.deepcopy(DEFAULT_CONFIG) # Configuration file overrides defaults config_file = cli_opts.get("config_file") if config_file: file_opts = _read_config_file(config_file, cli_verbose) util.deep_update(config, file_opts) if cli_verbose != DEFAULT_VERBOSE and "verbose" in file_opts: if cli_verbose >= 2: print( "Config file defines 'verbose: {}' but is overridden by command line: {}.".format( file_opts["verbose"], cli_verbose ) ) config["verbose"] = cli_verbose else: if cli_verbose >= 2: print("Running without configuration file.") # Command line overrides file if cli_opts.get("port"): config["port"] = cli_opts.get("port") if cli_opts.get("host"): config["host"] = cli_opts.get("host") if cli_opts.get("profile") is not None: config["profile"] = True if cli_opts.get("server") is not None: config["server"] = cli_opts.get("server") if cli_opts.get("ssl_adapter") is not None: config["ssl_adapter"] = cli_opts.get("ssl_adapter") # Command line overrides file only if -v or -q where passed: if cli_opts.get("verbose") != DEFAULT_VERBOSE: config["verbose"] = cli_opts.get("verbose") if cli_opts.get("root_path"): root_path = os.path.abspath(cli_opts.get("root_path")) config["provider_mapping"]["/"] = FilesystemProvider(root_path) if config["verbose"] >= 5: # TODO: remove passwords from user_mapping # config_cleaned = copy.deepcopy(config) print("Configuration({}):\n{}".format(cli_opts["config_file"], pformat(config))) if not config["provider_mapping"]: parser.error("No DAV provider defined.") # Quick-configuration of DomainController auth = cli_opts.get("auth") auth_conf = config.get("http_authenticator", {}) if auth and auth_conf.get("domain_controller"): parser.error( "--auth option can only be used when no domain_controller is configured" ) if auth == "anonymous": if config["simple_dc"]["user_mapping"]: parser.error( "--auth=anonymous can only be used when no user_mapping is configured" ) auth_conf.update( { "domain_controller": "wsgidav.dc.simple_dc.SimpleDomainController", "accept_basic": True, "accept_digest": True, "default_to_digest": True, } ) config["simple_dc"]["user_mapping"] = {"*": True} elif auth == "nt": if config.get("nt_dc"): parser.error( "--auth=nt can only be used when no nt_dc settings are configured" ) auth_conf.update( { "domain_controller": "wsgidav.dc.nt_dc.NTDomainController", "accept_basic": True, "accept_digest": False, "default_to_digest": False, } ) config["nt_dc"] = {} elif auth == "pam-login": if config.get("pam_dc"): parser.error( "--auth=pam-login can only be used when no pam_dc settings are configured" ) auth_conf.update( { "domain_controller": "wsgidav.dc.pam_dc.PAMDomainController", "accept_basic": True, "accept_digest": False, "default_to_digest": False, } ) config["pam_dc"] = {"service": "login"} # print(config) if cli_opts.get("reload"): print("Installing paste.reloader.", file=sys.stderr) from paste import reloader # @UnresolvedImport reloader.install() if config_file: # Add config file changes reloader.watch_file(config_file) # import pydevd # pydevd.settrace() return config
def _init_config(): """Setup configuration dictionary from default, command line and configuration file.""" cli_opts, parser = _init_command_line_options() cli_verbose = cli_opts["verbose"] # Set config defaults config = copy.deepcopy(DEFAULT_CONFIG) # Configuration file overrides defaults config_file = cli_opts.get("config_file") if config_file: file_opts = _read_config_file(config_file, cli_verbose) util.deep_update(config, file_opts) if cli_verbose != DEFAULT_VERBOSE and "verbose" in file_opts: if cli_verbose >= 2: print( "Config file defines 'verbose: {}' but is overridden by command line: {}.".format( file_opts["verbose"], cli_verbose ) ) config["verbose"] = cli_verbose else: if cli_verbose >= 2: print("Running without configuration file.") # Command line overrides file if cli_opts.get("port"): config["port"] = cli_opts.get("port") if cli_opts.get("host"): config["host"] = cli_opts.get("host") if cli_opts.get("profile") is not None: config["profile"] = True if cli_opts.get("server") is not None: config["server"] = cli_opts.get("server") if cli_opts.get("ssl_adapter") is not None: config["ssl_adapter"] = cli_opts.get("ssl_adapter") # Command line overrides file only if -v or -q where passed: if cli_opts.get("verbose") != DEFAULT_VERBOSE: config["verbose"] = cli_opts.get("verbose") if cli_opts.get("root_path"): root_path = os.path.abspath(cli_opts.get("root_path")) config["provider_mapping"]["/"] = FilesystemProvider(root_path) if config["verbose"] >= 5: # TODO: remove passwords from user_mapping # config_cleaned = copy.deepcopy(config) print("Configuration({}):\n{}".format(cli_opts["config_file"], pformat(config))) if not config["provider_mapping"]: parser.error("No DAV provider defined.") # Quick-configuration of DomainController auth = cli_opts.get("auth") auth_conf = config.get("http_authenticator", {}) if auth and auth_conf.get("domain_controller"): parser.error( "--auth option can only be used when no domain_controller is configured" ) if auth == "anonymous": if config["simple_dc"]["user_mapping"]: parser.error( "--auth=anonymous can only be used when no user_mapping is configured" ) auth_conf.update( { "domain_controller": "wsgidav.dc.simple_dc.SimpleDomainController", "accept_basic": True, "accept_digest": True, "default_to_digest": True, } ) config["simple_dc"]["user_mapping"] = {"*": True} elif auth == "nt": if config.get("nt_dc"): parser.error( "--auth=nt can only be used when no nt_dc settings are configured" ) auth_conf.update( { "domain_controller": "wsgidav.dc.nt_dc.NTDomainController", "accept_basic": True, "accept_digest": False, "default_to_digest": False, } ) config["nt_dc"] = {} elif auth == "pam-login": if config.get("pam_dc"): parser.error( "--auth=pam-login can only be used when no pam_dc settings are configured" ) auth_conf.update( { "domain_controller": "wsgidav.dc.pam_dc.PAMDomainController", "accept_basic": True, "accept_digest": False, "default_to_digest": False, } ) config["pam_dc"] = {"service": "login"} # print(config) if cli_opts.get("reload"): print("Installing paste.reloader.", file=sys.stderr) from paste import reloader # @UnresolvedImport reloader.install() if config_file: # Add config file changes reloader.watch_file(config_file) # import pydevd # pydevd.settrace() return config
[ "Setup", "configuration", "dictionary", "from", "default", "command", "line", "and", "configuration", "file", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/server/server_cli.py#L306-L422
[ "def", "_init_config", "(", ")", ":", "cli_opts", ",", "parser", "=", "_init_command_line_options", "(", ")", "cli_verbose", "=", "cli_opts", "[", "\"verbose\"", "]", "# Set config defaults", "config", "=", "copy", ".", "deepcopy", "(", "DEFAULT_CONFIG", ")", "# Configuration file overrides defaults", "config_file", "=", "cli_opts", ".", "get", "(", "\"config_file\"", ")", "if", "config_file", ":", "file_opts", "=", "_read_config_file", "(", "config_file", ",", "cli_verbose", ")", "util", ".", "deep_update", "(", "config", ",", "file_opts", ")", "if", "cli_verbose", "!=", "DEFAULT_VERBOSE", "and", "\"verbose\"", "in", "file_opts", ":", "if", "cli_verbose", ">=", "2", ":", "print", "(", "\"Config file defines 'verbose: {}' but is overridden by command line: {}.\"", ".", "format", "(", "file_opts", "[", "\"verbose\"", "]", ",", "cli_verbose", ")", ")", "config", "[", "\"verbose\"", "]", "=", "cli_verbose", "else", ":", "if", "cli_verbose", ">=", "2", ":", "print", "(", "\"Running without configuration file.\"", ")", "# Command line overrides file", "if", "cli_opts", ".", "get", "(", "\"port\"", ")", ":", "config", "[", "\"port\"", "]", "=", "cli_opts", ".", "get", "(", "\"port\"", ")", "if", "cli_opts", ".", "get", "(", "\"host\"", ")", ":", "config", "[", "\"host\"", "]", "=", "cli_opts", ".", "get", "(", "\"host\"", ")", "if", "cli_opts", ".", "get", "(", "\"profile\"", ")", "is", "not", "None", ":", "config", "[", "\"profile\"", "]", "=", "True", "if", "cli_opts", ".", "get", "(", "\"server\"", ")", "is", "not", "None", ":", "config", "[", "\"server\"", "]", "=", "cli_opts", ".", "get", "(", "\"server\"", ")", "if", "cli_opts", ".", "get", "(", "\"ssl_adapter\"", ")", "is", "not", "None", ":", "config", "[", "\"ssl_adapter\"", "]", "=", "cli_opts", ".", "get", "(", "\"ssl_adapter\"", ")", "# Command line overrides file only if -v or -q where passed:", "if", "cli_opts", ".", "get", "(", "\"verbose\"", ")", "!=", "DEFAULT_VERBOSE", ":", "config", "[", "\"verbose\"", "]", "=", "cli_opts", ".", "get", "(", "\"verbose\"", ")", "if", "cli_opts", ".", "get", "(", "\"root_path\"", ")", ":", "root_path", "=", "os", ".", "path", ".", "abspath", "(", "cli_opts", ".", "get", "(", "\"root_path\"", ")", ")", "config", "[", "\"provider_mapping\"", "]", "[", "\"/\"", "]", "=", "FilesystemProvider", "(", "root_path", ")", "if", "config", "[", "\"verbose\"", "]", ">=", "5", ":", "# TODO: remove passwords from user_mapping", "# config_cleaned = copy.deepcopy(config)", "print", "(", "\"Configuration({}):\\n{}\"", ".", "format", "(", "cli_opts", "[", "\"config_file\"", "]", ",", "pformat", "(", "config", ")", ")", ")", "if", "not", "config", "[", "\"provider_mapping\"", "]", ":", "parser", ".", "error", "(", "\"No DAV provider defined.\"", ")", "# Quick-configuration of DomainController", "auth", "=", "cli_opts", ".", "get", "(", "\"auth\"", ")", "auth_conf", "=", "config", ".", "get", "(", "\"http_authenticator\"", ",", "{", "}", ")", "if", "auth", "and", "auth_conf", ".", "get", "(", "\"domain_controller\"", ")", ":", "parser", ".", "error", "(", "\"--auth option can only be used when no domain_controller is configured\"", ")", "if", "auth", "==", "\"anonymous\"", ":", "if", "config", "[", "\"simple_dc\"", "]", "[", "\"user_mapping\"", "]", ":", "parser", ".", "error", "(", "\"--auth=anonymous can only be used when no user_mapping is configured\"", ")", "auth_conf", ".", "update", "(", "{", "\"domain_controller\"", ":", "\"wsgidav.dc.simple_dc.SimpleDomainController\"", ",", "\"accept_basic\"", ":", "True", ",", "\"accept_digest\"", ":", "True", ",", "\"default_to_digest\"", ":", "True", ",", "}", ")", "config", "[", "\"simple_dc\"", "]", "[", "\"user_mapping\"", "]", "=", "{", "\"*\"", ":", "True", "}", "elif", "auth", "==", "\"nt\"", ":", "if", "config", ".", "get", "(", "\"nt_dc\"", ")", ":", "parser", ".", "error", "(", "\"--auth=nt can only be used when no nt_dc settings are configured\"", ")", "auth_conf", ".", "update", "(", "{", "\"domain_controller\"", ":", "\"wsgidav.dc.nt_dc.NTDomainController\"", ",", "\"accept_basic\"", ":", "True", ",", "\"accept_digest\"", ":", "False", ",", "\"default_to_digest\"", ":", "False", ",", "}", ")", "config", "[", "\"nt_dc\"", "]", "=", "{", "}", "elif", "auth", "==", "\"pam-login\"", ":", "if", "config", ".", "get", "(", "\"pam_dc\"", ")", ":", "parser", ".", "error", "(", "\"--auth=pam-login can only be used when no pam_dc settings are configured\"", ")", "auth_conf", ".", "update", "(", "{", "\"domain_controller\"", ":", "\"wsgidav.dc.pam_dc.PAMDomainController\"", ",", "\"accept_basic\"", ":", "True", ",", "\"accept_digest\"", ":", "False", ",", "\"default_to_digest\"", ":", "False", ",", "}", ")", "config", "[", "\"pam_dc\"", "]", "=", "{", "\"service\"", ":", "\"login\"", "}", "# print(config)", "if", "cli_opts", ".", "get", "(", "\"reload\"", ")", ":", "print", "(", "\"Installing paste.reloader.\"", ",", "file", "=", "sys", ".", "stderr", ")", "from", "paste", "import", "reloader", "# @UnresolvedImport", "reloader", ".", "install", "(", ")", "if", "config_file", ":", "# Add config file changes", "reloader", ".", "watch_file", "(", "config_file", ")", "# import pydevd", "# pydevd.settrace()", "return", "config" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_run_paste
Run WsgiDAV using paste.httpserver, if Paste is installed. See http://pythonpaste.org/modules/httpserver.html for more options
wsgidav/server/server_cli.py
def _run_paste(app, config, mode): """Run WsgiDAV using paste.httpserver, if Paste is installed. See http://pythonpaste.org/modules/httpserver.html for more options """ from paste import httpserver version = "WsgiDAV/{} {} Python {}".format( __version__, httpserver.WSGIHandler.server_version, util.PYTHON_VERSION ) _logger.info("Running {}...".format(version)) # See http://pythonpaste.org/modules/httpserver.html for more options server = httpserver.serve( app, host=config["host"], port=config["port"], server_version=version, # This option enables handling of keep-alive # and expect-100: protocol_version="HTTP/1.1", start_loop=False, ) if config["verbose"] >= 5: __handle_one_request = server.RequestHandlerClass.handle_one_request def handle_one_request(self): __handle_one_request(self) if self.close_connection == 1: _logger.debug("HTTP Connection : close") else: _logger.debug("HTTP Connection : continue") server.RequestHandlerClass.handle_one_request = handle_one_request # __handle = server.RequestHandlerClass.handle # def handle(self): # _logger.debug("open HTTP connection") # __handle(self) server.RequestHandlerClass.handle_one_request = handle_one_request host, port = server.server_address if host == "0.0.0.0": _logger.info( "Serving on 0.0.0.0:{} view at {}://127.0.0.1:{}".format(port, "http", port) ) else: _logger.info("Serving on {}://{}:{}".format("http", host, port)) try: server.serve_forever() except KeyboardInterrupt: _logger.warning("Caught Ctrl-C, shutting down...") return
def _run_paste(app, config, mode): """Run WsgiDAV using paste.httpserver, if Paste is installed. See http://pythonpaste.org/modules/httpserver.html for more options """ from paste import httpserver version = "WsgiDAV/{} {} Python {}".format( __version__, httpserver.WSGIHandler.server_version, util.PYTHON_VERSION ) _logger.info("Running {}...".format(version)) # See http://pythonpaste.org/modules/httpserver.html for more options server = httpserver.serve( app, host=config["host"], port=config["port"], server_version=version, # This option enables handling of keep-alive # and expect-100: protocol_version="HTTP/1.1", start_loop=False, ) if config["verbose"] >= 5: __handle_one_request = server.RequestHandlerClass.handle_one_request def handle_one_request(self): __handle_one_request(self) if self.close_connection == 1: _logger.debug("HTTP Connection : close") else: _logger.debug("HTTP Connection : continue") server.RequestHandlerClass.handle_one_request = handle_one_request # __handle = server.RequestHandlerClass.handle # def handle(self): # _logger.debug("open HTTP connection") # __handle(self) server.RequestHandlerClass.handle_one_request = handle_one_request host, port = server.server_address if host == "0.0.0.0": _logger.info( "Serving on 0.0.0.0:{} view at {}://127.0.0.1:{}".format(port, "http", port) ) else: _logger.info("Serving on {}://{}:{}".format("http", host, port)) try: server.serve_forever() except KeyboardInterrupt: _logger.warning("Caught Ctrl-C, shutting down...") return
[ "Run", "WsgiDAV", "using", "paste", ".", "httpserver", "if", "Paste", "is", "installed", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/server/server_cli.py#L425-L480
[ "def", "_run_paste", "(", "app", ",", "config", ",", "mode", ")", ":", "from", "paste", "import", "httpserver", "version", "=", "\"WsgiDAV/{} {} Python {}\"", ".", "format", "(", "__version__", ",", "httpserver", ".", "WSGIHandler", ".", "server_version", ",", "util", ".", "PYTHON_VERSION", ")", "_logger", ".", "info", "(", "\"Running {}...\"", ".", "format", "(", "version", ")", ")", "# See http://pythonpaste.org/modules/httpserver.html for more options", "server", "=", "httpserver", ".", "serve", "(", "app", ",", "host", "=", "config", "[", "\"host\"", "]", ",", "port", "=", "config", "[", "\"port\"", "]", ",", "server_version", "=", "version", ",", "# This option enables handling of keep-alive", "# and expect-100:", "protocol_version", "=", "\"HTTP/1.1\"", ",", "start_loop", "=", "False", ",", ")", "if", "config", "[", "\"verbose\"", "]", ">=", "5", ":", "__handle_one_request", "=", "server", ".", "RequestHandlerClass", ".", "handle_one_request", "def", "handle_one_request", "(", "self", ")", ":", "__handle_one_request", "(", "self", ")", "if", "self", ".", "close_connection", "==", "1", ":", "_logger", ".", "debug", "(", "\"HTTP Connection : close\"", ")", "else", ":", "_logger", ".", "debug", "(", "\"HTTP Connection : continue\"", ")", "server", ".", "RequestHandlerClass", ".", "handle_one_request", "=", "handle_one_request", "# __handle = server.RequestHandlerClass.handle", "# def handle(self):", "# _logger.debug(\"open HTTP connection\")", "# __handle(self)", "server", ".", "RequestHandlerClass", ".", "handle_one_request", "=", "handle_one_request", "host", ",", "port", "=", "server", ".", "server_address", "if", "host", "==", "\"0.0.0.0\"", ":", "_logger", ".", "info", "(", "\"Serving on 0.0.0.0:{} view at {}://127.0.0.1:{}\"", ".", "format", "(", "port", ",", "\"http\"", ",", "port", ")", ")", "else", ":", "_logger", ".", "info", "(", "\"Serving on {}://{}:{}\"", ".", "format", "(", "\"http\"", ",", "host", ",", "port", ")", ")", "try", ":", "server", ".", "serve_forever", "(", ")", "except", "KeyboardInterrupt", ":", "_logger", ".", "warning", "(", "\"Caught Ctrl-C, shutting down...\"", ")", "return" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_run_gevent
Run WsgiDAV using gevent if gevent is installed. See https://github.com/gevent/gevent/blob/master/src/gevent/pywsgi.py#L1356 https://github.com/gevent/gevent/blob/master/src/gevent/server.py#L38 for more options
wsgidav/server/server_cli.py
def _run_gevent(app, config, mode): """Run WsgiDAV using gevent if gevent is installed. See https://github.com/gevent/gevent/blob/master/src/gevent/pywsgi.py#L1356 https://github.com/gevent/gevent/blob/master/src/gevent/server.py#L38 for more options """ import gevent import gevent.monkey gevent.monkey.patch_all() from gevent.pywsgi import WSGIServer server_args = { "bind_addr": (config["host"], config["port"]), "wsgi_app": app, # TODO: SSL support "keyfile": None, "certfile": None, } protocol = "http" # Override or add custom args server_args.update(config.get("server_args", {})) dav_server = WSGIServer(server_args["bind_addr"], app) _logger.info("Running {}".format(dav_server)) _logger.info( "Serving on {}://{}:{} ...".format(protocol, config["host"], config["port"]) ) try: gevent.spawn(dav_server.serve_forever()) except KeyboardInterrupt: _logger.warning("Caught Ctrl-C, shutting down...") return
def _run_gevent(app, config, mode): """Run WsgiDAV using gevent if gevent is installed. See https://github.com/gevent/gevent/blob/master/src/gevent/pywsgi.py#L1356 https://github.com/gevent/gevent/blob/master/src/gevent/server.py#L38 for more options """ import gevent import gevent.monkey gevent.monkey.patch_all() from gevent.pywsgi import WSGIServer server_args = { "bind_addr": (config["host"], config["port"]), "wsgi_app": app, # TODO: SSL support "keyfile": None, "certfile": None, } protocol = "http" # Override or add custom args server_args.update(config.get("server_args", {})) dav_server = WSGIServer(server_args["bind_addr"], app) _logger.info("Running {}".format(dav_server)) _logger.info( "Serving on {}://{}:{} ...".format(protocol, config["host"], config["port"]) ) try: gevent.spawn(dav_server.serve_forever()) except KeyboardInterrupt: _logger.warning("Caught Ctrl-C, shutting down...") return
[ "Run", "WsgiDAV", "using", "gevent", "if", "gevent", "is", "installed", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/server/server_cli.py#L483-L517
[ "def", "_run_gevent", "(", "app", ",", "config", ",", "mode", ")", ":", "import", "gevent", "import", "gevent", ".", "monkey", "gevent", ".", "monkey", ".", "patch_all", "(", ")", "from", "gevent", ".", "pywsgi", "import", "WSGIServer", "server_args", "=", "{", "\"bind_addr\"", ":", "(", "config", "[", "\"host\"", "]", ",", "config", "[", "\"port\"", "]", ")", ",", "\"wsgi_app\"", ":", "app", ",", "# TODO: SSL support", "\"keyfile\"", ":", "None", ",", "\"certfile\"", ":", "None", ",", "}", "protocol", "=", "\"http\"", "# Override or add custom args", "server_args", ".", "update", "(", "config", ".", "get", "(", "\"server_args\"", ",", "{", "}", ")", ")", "dav_server", "=", "WSGIServer", "(", "server_args", "[", "\"bind_addr\"", "]", ",", "app", ")", "_logger", ".", "info", "(", "\"Running {}\"", ".", "format", "(", "dav_server", ")", ")", "_logger", ".", "info", "(", "\"Serving on {}://{}:{} ...\"", ".", "format", "(", "protocol", ",", "config", "[", "\"host\"", "]", ",", "config", "[", "\"port\"", "]", ")", ")", "try", ":", "gevent", ".", "spawn", "(", "dav_server", ".", "serve_forever", "(", ")", ")", "except", "KeyboardInterrupt", ":", "_logger", ".", "warning", "(", "\"Caught Ctrl-C, shutting down...\"", ")", "return" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_run__cherrypy
Run WsgiDAV using cherrypy.wsgiserver if CherryPy is installed.
wsgidav/server/server_cli.py
def _run__cherrypy(app, config, mode): """Run WsgiDAV using cherrypy.wsgiserver if CherryPy is installed.""" assert mode == "cherrypy-wsgiserver" try: from cherrypy import wsgiserver from cherrypy.wsgiserver.ssl_builtin import BuiltinSSLAdapter _logger.warning("WARNING: cherrypy.wsgiserver is deprecated.") _logger.warning( " Starting with CherryPy 9.0 the functionality from cherrypy.wsgiserver" ) _logger.warning(" was moved to the cheroot project.") _logger.warning(" Consider using --server=cheroot.") except ImportError: _logger.error("*" * 78) _logger.error("ERROR: Could not import cherrypy.wsgiserver.") _logger.error( "Try `pip install cherrypy` or specify another server using the --server option." ) _logger.error("Note that starting with CherryPy 9.0, the server was moved to") _logger.error( "the cheroot project, so it is recommended to use `-server=cheroot`" ) _logger.error("and run `pip install cheroot` instead.") _logger.error("*" * 78) raise server_name = "WsgiDAV/{} {} Python/{}".format( __version__, wsgiserver.CherryPyWSGIServer.version, util.PYTHON_VERSION ) wsgiserver.CherryPyWSGIServer.version = server_name # Support SSL ssl_certificate = _get_checked_path(config.get("ssl_certificate"), config) ssl_private_key = _get_checked_path(config.get("ssl_private_key"), config) ssl_certificate_chain = _get_checked_path( config.get("ssl_certificate_chain"), config ) protocol = "http" if ssl_certificate: assert ssl_private_key wsgiserver.CherryPyWSGIServer.ssl_adapter = BuiltinSSLAdapter( ssl_certificate, ssl_private_key, ssl_certificate_chain ) protocol = "https" _logger.info("SSL / HTTPS enabled.") _logger.info("Running {}".format(server_name)) _logger.info( "Serving on {}://{}:{} ...".format(protocol, config["host"], config["port"]) ) server_args = { "bind_addr": (config["host"], config["port"]), "wsgi_app": app, "server_name": server_name, } # Override or add custom args server_args.update(config.get("server_args", {})) server = wsgiserver.CherryPyWSGIServer(**server_args) # If the caller passed a startup event, monkey patch the server to set it # when the request handler loop is entered startup_event = config.get("startup_event") if startup_event: def _patched_tick(): server.tick = org_tick # undo the monkey patch org_tick() _logger.info("CherryPyWSGIServer is ready") startup_event.set() org_tick = server.tick server.tick = _patched_tick try: server.start() except KeyboardInterrupt: _logger.warning("Caught Ctrl-C, shutting down...") finally: server.stop() return
def _run__cherrypy(app, config, mode): """Run WsgiDAV using cherrypy.wsgiserver if CherryPy is installed.""" assert mode == "cherrypy-wsgiserver" try: from cherrypy import wsgiserver from cherrypy.wsgiserver.ssl_builtin import BuiltinSSLAdapter _logger.warning("WARNING: cherrypy.wsgiserver is deprecated.") _logger.warning( " Starting with CherryPy 9.0 the functionality from cherrypy.wsgiserver" ) _logger.warning(" was moved to the cheroot project.") _logger.warning(" Consider using --server=cheroot.") except ImportError: _logger.error("*" * 78) _logger.error("ERROR: Could not import cherrypy.wsgiserver.") _logger.error( "Try `pip install cherrypy` or specify another server using the --server option." ) _logger.error("Note that starting with CherryPy 9.0, the server was moved to") _logger.error( "the cheroot project, so it is recommended to use `-server=cheroot`" ) _logger.error("and run `pip install cheroot` instead.") _logger.error("*" * 78) raise server_name = "WsgiDAV/{} {} Python/{}".format( __version__, wsgiserver.CherryPyWSGIServer.version, util.PYTHON_VERSION ) wsgiserver.CherryPyWSGIServer.version = server_name # Support SSL ssl_certificate = _get_checked_path(config.get("ssl_certificate"), config) ssl_private_key = _get_checked_path(config.get("ssl_private_key"), config) ssl_certificate_chain = _get_checked_path( config.get("ssl_certificate_chain"), config ) protocol = "http" if ssl_certificate: assert ssl_private_key wsgiserver.CherryPyWSGIServer.ssl_adapter = BuiltinSSLAdapter( ssl_certificate, ssl_private_key, ssl_certificate_chain ) protocol = "https" _logger.info("SSL / HTTPS enabled.") _logger.info("Running {}".format(server_name)) _logger.info( "Serving on {}://{}:{} ...".format(protocol, config["host"], config["port"]) ) server_args = { "bind_addr": (config["host"], config["port"]), "wsgi_app": app, "server_name": server_name, } # Override or add custom args server_args.update(config.get("server_args", {})) server = wsgiserver.CherryPyWSGIServer(**server_args) # If the caller passed a startup event, monkey patch the server to set it # when the request handler loop is entered startup_event = config.get("startup_event") if startup_event: def _patched_tick(): server.tick = org_tick # undo the monkey patch org_tick() _logger.info("CherryPyWSGIServer is ready") startup_event.set() org_tick = server.tick server.tick = _patched_tick try: server.start() except KeyboardInterrupt: _logger.warning("Caught Ctrl-C, shutting down...") finally: server.stop() return
[ "Run", "WsgiDAV", "using", "cherrypy", ".", "wsgiserver", "if", "CherryPy", "is", "installed", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/server/server_cli.py#L520-L603
[ "def", "_run__cherrypy", "(", "app", ",", "config", ",", "mode", ")", ":", "assert", "mode", "==", "\"cherrypy-wsgiserver\"", "try", ":", "from", "cherrypy", "import", "wsgiserver", "from", "cherrypy", ".", "wsgiserver", ".", "ssl_builtin", "import", "BuiltinSSLAdapter", "_logger", ".", "warning", "(", "\"WARNING: cherrypy.wsgiserver is deprecated.\"", ")", "_logger", ".", "warning", "(", "\" Starting with CherryPy 9.0 the functionality from cherrypy.wsgiserver\"", ")", "_logger", ".", "warning", "(", "\" was moved to the cheroot project.\"", ")", "_logger", ".", "warning", "(", "\" Consider using --server=cheroot.\"", ")", "except", "ImportError", ":", "_logger", ".", "error", "(", "\"*\"", "*", "78", ")", "_logger", ".", "error", "(", "\"ERROR: Could not import cherrypy.wsgiserver.\"", ")", "_logger", ".", "error", "(", "\"Try `pip install cherrypy` or specify another server using the --server option.\"", ")", "_logger", ".", "error", "(", "\"Note that starting with CherryPy 9.0, the server was moved to\"", ")", "_logger", ".", "error", "(", "\"the cheroot project, so it is recommended to use `-server=cheroot`\"", ")", "_logger", ".", "error", "(", "\"and run `pip install cheroot` instead.\"", ")", "_logger", ".", "error", "(", "\"*\"", "*", "78", ")", "raise", "server_name", "=", "\"WsgiDAV/{} {} Python/{}\"", ".", "format", "(", "__version__", ",", "wsgiserver", ".", "CherryPyWSGIServer", ".", "version", ",", "util", ".", "PYTHON_VERSION", ")", "wsgiserver", ".", "CherryPyWSGIServer", ".", "version", "=", "server_name", "# Support SSL", "ssl_certificate", "=", "_get_checked_path", "(", "config", ".", "get", "(", "\"ssl_certificate\"", ")", ",", "config", ")", "ssl_private_key", "=", "_get_checked_path", "(", "config", ".", "get", "(", "\"ssl_private_key\"", ")", ",", "config", ")", "ssl_certificate_chain", "=", "_get_checked_path", "(", "config", ".", "get", "(", "\"ssl_certificate_chain\"", ")", ",", "config", ")", "protocol", "=", "\"http\"", "if", "ssl_certificate", ":", "assert", "ssl_private_key", "wsgiserver", ".", "CherryPyWSGIServer", ".", "ssl_adapter", "=", "BuiltinSSLAdapter", "(", "ssl_certificate", ",", "ssl_private_key", ",", "ssl_certificate_chain", ")", "protocol", "=", "\"https\"", "_logger", ".", "info", "(", "\"SSL / HTTPS enabled.\"", ")", "_logger", ".", "info", "(", "\"Running {}\"", ".", "format", "(", "server_name", ")", ")", "_logger", ".", "info", "(", "\"Serving on {}://{}:{} ...\"", ".", "format", "(", "protocol", ",", "config", "[", "\"host\"", "]", ",", "config", "[", "\"port\"", "]", ")", ")", "server_args", "=", "{", "\"bind_addr\"", ":", "(", "config", "[", "\"host\"", "]", ",", "config", "[", "\"port\"", "]", ")", ",", "\"wsgi_app\"", ":", "app", ",", "\"server_name\"", ":", "server_name", ",", "}", "# Override or add custom args", "server_args", ".", "update", "(", "config", ".", "get", "(", "\"server_args\"", ",", "{", "}", ")", ")", "server", "=", "wsgiserver", ".", "CherryPyWSGIServer", "(", "*", "*", "server_args", ")", "# If the caller passed a startup event, monkey patch the server to set it", "# when the request handler loop is entered", "startup_event", "=", "config", ".", "get", "(", "\"startup_event\"", ")", "if", "startup_event", ":", "def", "_patched_tick", "(", ")", ":", "server", ".", "tick", "=", "org_tick", "# undo the monkey patch", "org_tick", "(", ")", "_logger", ".", "info", "(", "\"CherryPyWSGIServer is ready\"", ")", "startup_event", ".", "set", "(", ")", "org_tick", "=", "server", ".", "tick", "server", ".", "tick", "=", "_patched_tick", "try", ":", "server", ".", "start", "(", ")", "except", "KeyboardInterrupt", ":", "_logger", ".", "warning", "(", "\"Caught Ctrl-C, shutting down...\"", ")", "finally", ":", "server", ".", "stop", "(", ")", "return" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_run_cheroot
Run WsgiDAV using cheroot.server if Cheroot is installed.
wsgidav/server/server_cli.py
def _run_cheroot(app, config, mode): """Run WsgiDAV using cheroot.server if Cheroot is installed.""" assert mode == "cheroot" try: from cheroot import server, wsgi # from cheroot.ssl.builtin import BuiltinSSLAdapter # import cheroot.ssl.pyopenssl except ImportError: _logger.error("*" * 78) _logger.error("ERROR: Could not import Cheroot.") _logger.error( "Try `pip install cheroot` or specify another server using the --server option." ) _logger.error("*" * 78) raise server_name = "WsgiDAV/{} {} Python/{}".format( __version__, wsgi.Server.version, util.PYTHON_VERSION ) wsgi.Server.version = server_name # Support SSL ssl_certificate = _get_checked_path(config.get("ssl_certificate"), config) ssl_private_key = _get_checked_path(config.get("ssl_private_key"), config) ssl_certificate_chain = _get_checked_path( config.get("ssl_certificate_chain"), config ) ssl_adapter = config.get("ssl_adapter", "builtin") protocol = "http" if ssl_certificate and ssl_private_key: ssl_adapter = server.get_ssl_adapter_class(ssl_adapter) wsgi.Server.ssl_adapter = ssl_adapter( ssl_certificate, ssl_private_key, ssl_certificate_chain ) protocol = "https" _logger.info("SSL / HTTPS enabled. Adapter: {}".format(ssl_adapter)) elif ssl_certificate or ssl_private_key: raise RuntimeError( "Option 'ssl_certificate' and 'ssl_private_key' must be used together." ) # elif ssl_adapter: # print("WARNING: Ignored option 'ssl_adapter' (requires 'ssl_certificate').") _logger.info("Running {}".format(server_name)) _logger.info( "Serving on {}://{}:{} ...".format(protocol, config["host"], config["port"]) ) server_args = { "bind_addr": (config["host"], config["port"]), "wsgi_app": app, "server_name": server_name, } # Override or add custom args server_args.update(config.get("server_args", {})) server = wsgi.Server(**server_args) # If the caller passed a startup event, monkey patch the server to set it # when the request handler loop is entered startup_event = config.get("startup_event") if startup_event: def _patched_tick(): server.tick = org_tick # undo the monkey patch _logger.info("wsgi.Server is ready") startup_event.set() org_tick() org_tick = server.tick server.tick = _patched_tick try: server.start() except KeyboardInterrupt: _logger.warning("Caught Ctrl-C, shutting down...") finally: server.stop() return
def _run_cheroot(app, config, mode): """Run WsgiDAV using cheroot.server if Cheroot is installed.""" assert mode == "cheroot" try: from cheroot import server, wsgi # from cheroot.ssl.builtin import BuiltinSSLAdapter # import cheroot.ssl.pyopenssl except ImportError: _logger.error("*" * 78) _logger.error("ERROR: Could not import Cheroot.") _logger.error( "Try `pip install cheroot` or specify another server using the --server option." ) _logger.error("*" * 78) raise server_name = "WsgiDAV/{} {} Python/{}".format( __version__, wsgi.Server.version, util.PYTHON_VERSION ) wsgi.Server.version = server_name # Support SSL ssl_certificate = _get_checked_path(config.get("ssl_certificate"), config) ssl_private_key = _get_checked_path(config.get("ssl_private_key"), config) ssl_certificate_chain = _get_checked_path( config.get("ssl_certificate_chain"), config ) ssl_adapter = config.get("ssl_adapter", "builtin") protocol = "http" if ssl_certificate and ssl_private_key: ssl_adapter = server.get_ssl_adapter_class(ssl_adapter) wsgi.Server.ssl_adapter = ssl_adapter( ssl_certificate, ssl_private_key, ssl_certificate_chain ) protocol = "https" _logger.info("SSL / HTTPS enabled. Adapter: {}".format(ssl_adapter)) elif ssl_certificate or ssl_private_key: raise RuntimeError( "Option 'ssl_certificate' and 'ssl_private_key' must be used together." ) # elif ssl_adapter: # print("WARNING: Ignored option 'ssl_adapter' (requires 'ssl_certificate').") _logger.info("Running {}".format(server_name)) _logger.info( "Serving on {}://{}:{} ...".format(protocol, config["host"], config["port"]) ) server_args = { "bind_addr": (config["host"], config["port"]), "wsgi_app": app, "server_name": server_name, } # Override or add custom args server_args.update(config.get("server_args", {})) server = wsgi.Server(**server_args) # If the caller passed a startup event, monkey patch the server to set it # when the request handler loop is entered startup_event = config.get("startup_event") if startup_event: def _patched_tick(): server.tick = org_tick # undo the monkey patch _logger.info("wsgi.Server is ready") startup_event.set() org_tick() org_tick = server.tick server.tick = _patched_tick try: server.start() except KeyboardInterrupt: _logger.warning("Caught Ctrl-C, shutting down...") finally: server.stop() return
[ "Run", "WsgiDAV", "using", "cheroot", ".", "server", "if", "Cheroot", "is", "installed", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/server/server_cli.py#L606-L685
[ "def", "_run_cheroot", "(", "app", ",", "config", ",", "mode", ")", ":", "assert", "mode", "==", "\"cheroot\"", "try", ":", "from", "cheroot", "import", "server", ",", "wsgi", "# from cheroot.ssl.builtin import BuiltinSSLAdapter", "# import cheroot.ssl.pyopenssl", "except", "ImportError", ":", "_logger", ".", "error", "(", "\"*\"", "*", "78", ")", "_logger", ".", "error", "(", "\"ERROR: Could not import Cheroot.\"", ")", "_logger", ".", "error", "(", "\"Try `pip install cheroot` or specify another server using the --server option.\"", ")", "_logger", ".", "error", "(", "\"*\"", "*", "78", ")", "raise", "server_name", "=", "\"WsgiDAV/{} {} Python/{}\"", ".", "format", "(", "__version__", ",", "wsgi", ".", "Server", ".", "version", ",", "util", ".", "PYTHON_VERSION", ")", "wsgi", ".", "Server", ".", "version", "=", "server_name", "# Support SSL", "ssl_certificate", "=", "_get_checked_path", "(", "config", ".", "get", "(", "\"ssl_certificate\"", ")", ",", "config", ")", "ssl_private_key", "=", "_get_checked_path", "(", "config", ".", "get", "(", "\"ssl_private_key\"", ")", ",", "config", ")", "ssl_certificate_chain", "=", "_get_checked_path", "(", "config", ".", "get", "(", "\"ssl_certificate_chain\"", ")", ",", "config", ")", "ssl_adapter", "=", "config", ".", "get", "(", "\"ssl_adapter\"", ",", "\"builtin\"", ")", "protocol", "=", "\"http\"", "if", "ssl_certificate", "and", "ssl_private_key", ":", "ssl_adapter", "=", "server", ".", "get_ssl_adapter_class", "(", "ssl_adapter", ")", "wsgi", ".", "Server", ".", "ssl_adapter", "=", "ssl_adapter", "(", "ssl_certificate", ",", "ssl_private_key", ",", "ssl_certificate_chain", ")", "protocol", "=", "\"https\"", "_logger", ".", "info", "(", "\"SSL / HTTPS enabled. Adapter: {}\"", ".", "format", "(", "ssl_adapter", ")", ")", "elif", "ssl_certificate", "or", "ssl_private_key", ":", "raise", "RuntimeError", "(", "\"Option 'ssl_certificate' and 'ssl_private_key' must be used together.\"", ")", "# elif ssl_adapter:", "# print(\"WARNING: Ignored option 'ssl_adapter' (requires 'ssl_certificate').\")", "_logger", ".", "info", "(", "\"Running {}\"", ".", "format", "(", "server_name", ")", ")", "_logger", ".", "info", "(", "\"Serving on {}://{}:{} ...\"", ".", "format", "(", "protocol", ",", "config", "[", "\"host\"", "]", ",", "config", "[", "\"port\"", "]", ")", ")", "server_args", "=", "{", "\"bind_addr\"", ":", "(", "config", "[", "\"host\"", "]", ",", "config", "[", "\"port\"", "]", ")", ",", "\"wsgi_app\"", ":", "app", ",", "\"server_name\"", ":", "server_name", ",", "}", "# Override or add custom args", "server_args", ".", "update", "(", "config", ".", "get", "(", "\"server_args\"", ",", "{", "}", ")", ")", "server", "=", "wsgi", ".", "Server", "(", "*", "*", "server_args", ")", "# If the caller passed a startup event, monkey patch the server to set it", "# when the request handler loop is entered", "startup_event", "=", "config", ".", "get", "(", "\"startup_event\"", ")", "if", "startup_event", ":", "def", "_patched_tick", "(", ")", ":", "server", ".", "tick", "=", "org_tick", "# undo the monkey patch", "_logger", ".", "info", "(", "\"wsgi.Server is ready\"", ")", "startup_event", ".", "set", "(", ")", "org_tick", "(", ")", "org_tick", "=", "server", ".", "tick", "server", ".", "tick", "=", "_patched_tick", "try", ":", "server", ".", "start", "(", ")", "except", "KeyboardInterrupt", ":", "_logger", ".", "warning", "(", "\"Caught Ctrl-C, shutting down...\"", ")", "finally", ":", "server", ".", "stop", "(", ")", "return" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_run_flup
Run WsgiDAV using flup.server.fcgi if Flup is installed.
wsgidav/server/server_cli.py
def _run_flup(app, config, mode): """Run WsgiDAV using flup.server.fcgi if Flup is installed.""" # http://trac.saddi.com/flup/wiki/FlupServers if mode == "flup-fcgi": from flup.server.fcgi import WSGIServer, __version__ as flupver elif mode == "flup-fcgi-fork": from flup.server.fcgi_fork import WSGIServer, __version__ as flupver else: raise ValueError _logger.info( "Running WsgiDAV/{} {}/{}...".format( __version__, WSGIServer.__module__, flupver ) ) server = WSGIServer( app, bindAddress=(config["host"], config["port"]), # debug=True, ) try: server.run() except KeyboardInterrupt: _logger.warning("Caught Ctrl-C, shutting down...") return
def _run_flup(app, config, mode): """Run WsgiDAV using flup.server.fcgi if Flup is installed.""" # http://trac.saddi.com/flup/wiki/FlupServers if mode == "flup-fcgi": from flup.server.fcgi import WSGIServer, __version__ as flupver elif mode == "flup-fcgi-fork": from flup.server.fcgi_fork import WSGIServer, __version__ as flupver else: raise ValueError _logger.info( "Running WsgiDAV/{} {}/{}...".format( __version__, WSGIServer.__module__, flupver ) ) server = WSGIServer( app, bindAddress=(config["host"], config["port"]), # debug=True, ) try: server.run() except KeyboardInterrupt: _logger.warning("Caught Ctrl-C, shutting down...") return
[ "Run", "WsgiDAV", "using", "flup", ".", "server", ".", "fcgi", "if", "Flup", "is", "installed", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/server/server_cli.py#L688-L712
[ "def", "_run_flup", "(", "app", ",", "config", ",", "mode", ")", ":", "# http://trac.saddi.com/flup/wiki/FlupServers", "if", "mode", "==", "\"flup-fcgi\"", ":", "from", "flup", ".", "server", ".", "fcgi", "import", "WSGIServer", ",", "__version__", "as", "flupver", "elif", "mode", "==", "\"flup-fcgi-fork\"", ":", "from", "flup", ".", "server", ".", "fcgi_fork", "import", "WSGIServer", ",", "__version__", "as", "flupver", "else", ":", "raise", "ValueError", "_logger", ".", "info", "(", "\"Running WsgiDAV/{} {}/{}...\"", ".", "format", "(", "__version__", ",", "WSGIServer", ".", "__module__", ",", "flupver", ")", ")", "server", "=", "WSGIServer", "(", "app", ",", "bindAddress", "=", "(", "config", "[", "\"host\"", "]", ",", "config", "[", "\"port\"", "]", ")", ",", "# debug=True,", ")", "try", ":", "server", ".", "run", "(", ")", "except", "KeyboardInterrupt", ":", "_logger", ".", "warning", "(", "\"Caught Ctrl-C, shutting down...\"", ")", "return" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_run_wsgiref
Run WsgiDAV using wsgiref.simple_server, on Python 2.5+.
wsgidav/server/server_cli.py
def _run_wsgiref(app, config, mode): """Run WsgiDAV using wsgiref.simple_server, on Python 2.5+.""" # http://www.python.org/doc/2.5.2/lib/module-wsgiref.html from wsgiref.simple_server import make_server, software_version version = "WsgiDAV/{} {}".format(__version__, software_version) _logger.info("Running {}...".format(version)) _logger.warning( "WARNING: This single threaded server (wsgiref) is not meant for production." ) httpd = make_server(config["host"], config["port"], app) try: httpd.serve_forever() except KeyboardInterrupt: _logger.warning("Caught Ctrl-C, shutting down...") return
def _run_wsgiref(app, config, mode): """Run WsgiDAV using wsgiref.simple_server, on Python 2.5+.""" # http://www.python.org/doc/2.5.2/lib/module-wsgiref.html from wsgiref.simple_server import make_server, software_version version = "WsgiDAV/{} {}".format(__version__, software_version) _logger.info("Running {}...".format(version)) _logger.warning( "WARNING: This single threaded server (wsgiref) is not meant for production." ) httpd = make_server(config["host"], config["port"], app) try: httpd.serve_forever() except KeyboardInterrupt: _logger.warning("Caught Ctrl-C, shutting down...") return
[ "Run", "WsgiDAV", "using", "wsgiref", ".", "simple_server", "on", "Python", "2", ".", "5", "+", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/server/server_cli.py#L715-L730
[ "def", "_run_wsgiref", "(", "app", ",", "config", ",", "mode", ")", ":", "# http://www.python.org/doc/2.5.2/lib/module-wsgiref.html", "from", "wsgiref", ".", "simple_server", "import", "make_server", ",", "software_version", "version", "=", "\"WsgiDAV/{} {}\"", ".", "format", "(", "__version__", ",", "software_version", ")", "_logger", ".", "info", "(", "\"Running {}...\"", ".", "format", "(", "version", ")", ")", "_logger", ".", "warning", "(", "\"WARNING: This single threaded server (wsgiref) is not meant for production.\"", ")", "httpd", "=", "make_server", "(", "config", "[", "\"host\"", "]", ",", "config", "[", "\"port\"", "]", ",", "app", ")", "try", ":", "httpd", ".", "serve_forever", "(", ")", "except", "KeyboardInterrupt", ":", "_logger", ".", "warning", "(", "\"Caught Ctrl-C, shutting down...\"", ")", "return" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
_run_ext_wsgiutils
Run WsgiDAV using ext_wsgiutils_server from the wsgidav package.
wsgidav/server/server_cli.py
def _run_ext_wsgiutils(app, config, mode): """Run WsgiDAV using ext_wsgiutils_server from the wsgidav package.""" from wsgidav.server import ext_wsgiutils_server _logger.info( "Running WsgiDAV {} on wsgidav.ext_wsgiutils_server...".format(__version__) ) _logger.warning( "WARNING: This single threaded server (ext-wsgiutils) is not meant for production." ) try: ext_wsgiutils_server.serve(config, app) except KeyboardInterrupt: _logger.warning("Caught Ctrl-C, shutting down...") return
def _run_ext_wsgiutils(app, config, mode): """Run WsgiDAV using ext_wsgiutils_server from the wsgidav package.""" from wsgidav.server import ext_wsgiutils_server _logger.info( "Running WsgiDAV {} on wsgidav.ext_wsgiutils_server...".format(__version__) ) _logger.warning( "WARNING: This single threaded server (ext-wsgiutils) is not meant for production." ) try: ext_wsgiutils_server.serve(config, app) except KeyboardInterrupt: _logger.warning("Caught Ctrl-C, shutting down...") return
[ "Run", "WsgiDAV", "using", "ext_wsgiutils_server", "from", "the", "wsgidav", "package", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/server/server_cli.py#L733-L747
[ "def", "_run_ext_wsgiutils", "(", "app", ",", "config", ",", "mode", ")", ":", "from", "wsgidav", ".", "server", "import", "ext_wsgiutils_server", "_logger", ".", "info", "(", "\"Running WsgiDAV {} on wsgidav.ext_wsgiutils_server...\"", ".", "format", "(", "__version__", ")", ")", "_logger", ".", "warning", "(", "\"WARNING: This single threaded server (ext-wsgiutils) is not meant for production.\"", ")", "try", ":", "ext_wsgiutils_server", ".", "serve", "(", "config", ",", "app", ")", "except", "KeyboardInterrupt", ":", "_logger", ".", "warning", "(", "\"Caught Ctrl-C, shutting down...\"", ")", "return" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
RequestServer._fail
Wrapper to raise (and log) DAVError.
wsgidav/request_server.py
def _fail(self, value, context_info=None, src_exception=None, err_condition=None): """Wrapper to raise (and log) DAVError.""" util.fail(value, context_info, src_exception, err_condition)
def _fail(self, value, context_info=None, src_exception=None, err_condition=None): """Wrapper to raise (and log) DAVError.""" util.fail(value, context_info, src_exception, err_condition)
[ "Wrapper", "to", "raise", "(", "and", "log", ")", "DAVError", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/request_server.py#L148-L150
[ "def", "_fail", "(", "self", ",", "value", ",", "context_info", "=", "None", ",", "src_exception", "=", "None", ",", "err_condition", "=", "None", ")", ":", "util", ".", "fail", "(", "value", ",", "context_info", ",", "src_exception", ",", "err_condition", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
RequestServer._send_response
Send WSGI response (single or multistatus). - If error_list is None or [], then <success_code> is send as response. - If error_list contains a single error with a URL that matches root_res, then this error is returned. - If error_list contains more than one error, then '207 Multi-Status' is returned.
wsgidav/request_server.py
def _send_response( self, environ, start_response, root_res, success_code, error_list ): """Send WSGI response (single or multistatus). - If error_list is None or [], then <success_code> is send as response. - If error_list contains a single error with a URL that matches root_res, then this error is returned. - If error_list contains more than one error, then '207 Multi-Status' is returned. """ assert success_code in (HTTP_CREATED, HTTP_NO_CONTENT, HTTP_OK) if not error_list: # Status OK return util.send_status_response(environ, start_response, success_code) if len(error_list) == 1 and error_list[0][0] == root_res.get_href(): # Only one error that occurred on the root resource return util.send_status_response(environ, start_response, error_list[0][1]) # Multiple errors, or error on one single child multistatusEL = xml_tools.make_multistatus_el() for refurl, e in error_list: # assert refurl.startswith("http:") assert refurl.startswith("/") assert isinstance(e, DAVError) responseEL = etree.SubElement(multistatusEL, "{DAV:}response") etree.SubElement(responseEL, "{DAV:}href").text = refurl etree.SubElement(responseEL, "{DAV:}status").text = "HTTP/1.1 {}".format( get_http_status_string(e) ) return util.send_multi_status_response(environ, start_response, multistatusEL)
def _send_response( self, environ, start_response, root_res, success_code, error_list ): """Send WSGI response (single or multistatus). - If error_list is None or [], then <success_code> is send as response. - If error_list contains a single error with a URL that matches root_res, then this error is returned. - If error_list contains more than one error, then '207 Multi-Status' is returned. """ assert success_code in (HTTP_CREATED, HTTP_NO_CONTENT, HTTP_OK) if not error_list: # Status OK return util.send_status_response(environ, start_response, success_code) if len(error_list) == 1 and error_list[0][0] == root_res.get_href(): # Only one error that occurred on the root resource return util.send_status_response(environ, start_response, error_list[0][1]) # Multiple errors, or error on one single child multistatusEL = xml_tools.make_multistatus_el() for refurl, e in error_list: # assert refurl.startswith("http:") assert refurl.startswith("/") assert isinstance(e, DAVError) responseEL = etree.SubElement(multistatusEL, "{DAV:}response") etree.SubElement(responseEL, "{DAV:}href").text = refurl etree.SubElement(responseEL, "{DAV:}status").text = "HTTP/1.1 {}".format( get_http_status_string(e) ) return util.send_multi_status_response(environ, start_response, multistatusEL)
[ "Send", "WSGI", "response", "(", "single", "or", "multistatus", ")", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/request_server.py#L152-L184
[ "def", "_send_response", "(", "self", ",", "environ", ",", "start_response", ",", "root_res", ",", "success_code", ",", "error_list", ")", ":", "assert", "success_code", "in", "(", "HTTP_CREATED", ",", "HTTP_NO_CONTENT", ",", "HTTP_OK", ")", "if", "not", "error_list", ":", "# Status OK", "return", "util", ".", "send_status_response", "(", "environ", ",", "start_response", ",", "success_code", ")", "if", "len", "(", "error_list", ")", "==", "1", "and", "error_list", "[", "0", "]", "[", "0", "]", "==", "root_res", ".", "get_href", "(", ")", ":", "# Only one error that occurred on the root resource", "return", "util", ".", "send_status_response", "(", "environ", ",", "start_response", ",", "error_list", "[", "0", "]", "[", "1", "]", ")", "# Multiple errors, or error on one single child", "multistatusEL", "=", "xml_tools", ".", "make_multistatus_el", "(", ")", "for", "refurl", ",", "e", "in", "error_list", ":", "# assert refurl.startswith(\"http:\")", "assert", "refurl", ".", "startswith", "(", "\"/\"", ")", "assert", "isinstance", "(", "e", ",", "DAVError", ")", "responseEL", "=", "etree", ".", "SubElement", "(", "multistatusEL", ",", "\"{DAV:}response\"", ")", "etree", ".", "SubElement", "(", "responseEL", ",", "\"{DAV:}href\"", ")", ".", "text", "=", "refurl", "etree", ".", "SubElement", "(", "responseEL", ",", "\"{DAV:}status\"", ")", ".", "text", "=", "\"HTTP/1.1 {}\"", ".", "format", "(", "get_http_status_string", "(", "e", ")", ")", "return", "util", ".", "send_multi_status_response", "(", "environ", ",", "start_response", ",", "multistatusEL", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
RequestServer._check_write_permission
Raise DAVError(HTTP_LOCKED), if res is locked. If depth=='infinity', we also raise when child resources are locked.
wsgidav/request_server.py
def _check_write_permission(self, res, depth, environ): """Raise DAVError(HTTP_LOCKED), if res is locked. If depth=='infinity', we also raise when child resources are locked. """ lockMan = self._davProvider.lock_manager if lockMan is None or res is None: return True refUrl = res.get_ref_url() if "wsgidav.conditions.if" not in environ: util.parse_if_header_dict(environ) # raise HTTP_LOCKED if conflict exists lockMan.check_write_permission( refUrl, depth, environ["wsgidav.ifLockTokenList"], environ["wsgidav.user_name"], )
def _check_write_permission(self, res, depth, environ): """Raise DAVError(HTTP_LOCKED), if res is locked. If depth=='infinity', we also raise when child resources are locked. """ lockMan = self._davProvider.lock_manager if lockMan is None or res is None: return True refUrl = res.get_ref_url() if "wsgidav.conditions.if" not in environ: util.parse_if_header_dict(environ) # raise HTTP_LOCKED if conflict exists lockMan.check_write_permission( refUrl, depth, environ["wsgidav.ifLockTokenList"], environ["wsgidav.user_name"], )
[ "Raise", "DAVError", "(", "HTTP_LOCKED", ")", "if", "res", "is", "locked", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/request_server.py#L186-L206
[ "def", "_check_write_permission", "(", "self", ",", "res", ",", "depth", ",", "environ", ")", ":", "lockMan", "=", "self", ".", "_davProvider", ".", "lock_manager", "if", "lockMan", "is", "None", "or", "res", "is", "None", ":", "return", "True", "refUrl", "=", "res", ".", "get_ref_url", "(", ")", "if", "\"wsgidav.conditions.if\"", "not", "in", "environ", ":", "util", ".", "parse_if_header_dict", "(", "environ", ")", "# raise HTTP_LOCKED if conflict exists", "lockMan", ".", "check_write_permission", "(", "refUrl", ",", "depth", ",", "environ", "[", "\"wsgidav.ifLockTokenList\"", "]", ",", "environ", "[", "\"wsgidav.user_name\"", "]", ",", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
RequestServer._evaluate_if_headers
Apply HTTP headers on <path>, raising DAVError if conditions fail. Add environ['wsgidav.conditions.if'] and environ['wsgidav.ifLockTokenList']. Handle these headers: - If-Match, If-Modified-Since, If-None-Match, If-Unmodified-Since: Raising HTTP_PRECONDITION_FAILED or HTTP_NOT_MODIFIED - If: Raising HTTP_PRECONDITION_FAILED @see http://www.webdav.org/specs/rfc4918.html#HEADER_If @see util.evaluate_http_conditionals
wsgidav/request_server.py
def _evaluate_if_headers(self, res, environ): """Apply HTTP headers on <path>, raising DAVError if conditions fail. Add environ['wsgidav.conditions.if'] and environ['wsgidav.ifLockTokenList']. Handle these headers: - If-Match, If-Modified-Since, If-None-Match, If-Unmodified-Since: Raising HTTP_PRECONDITION_FAILED or HTTP_NOT_MODIFIED - If: Raising HTTP_PRECONDITION_FAILED @see http://www.webdav.org/specs/rfc4918.html#HEADER_If @see util.evaluate_http_conditionals """ # Add parsed If header to environ if "wsgidav.conditions.if" not in environ: util.parse_if_header_dict(environ) # Bail out, if res does not exist if res is None: return ifDict = environ["wsgidav.conditions.if"] # Raise HTTP_PRECONDITION_FAILED or HTTP_NOT_MODIFIED, if standard # HTTP condition fails last_modified = -1 # nonvalid modified time entitytag = "[]" # Non-valid entity tag if res.get_last_modified() is not None: last_modified = res.get_last_modified() if res.get_etag() is not None: entitytag = res.get_etag() if ( "HTTP_IF_MODIFIED_SINCE" in environ or "HTTP_IF_UNMODIFIED_SINCE" in environ or "HTTP_IF_MATCH" in environ or "HTTP_IF_NONE_MATCH" in environ ): util.evaluate_http_conditionals(res, last_modified, entitytag, environ) if "HTTP_IF" not in environ: return # Raise HTTP_PRECONDITION_FAILED, if DAV 'If' condition fails # TODO: handle empty locked resources # TODO: handle unmapped locked resources # isnewfile = not provider.exists(mappedpath) refUrl = res.get_ref_url() lockMan = self._davProvider.lock_manager locktokenlist = [] if lockMan: lockList = lockMan.get_indirect_url_lock_list( refUrl, environ["wsgidav.user_name"] ) for lock in lockList: locktokenlist.append(lock["token"]) if not util.test_if_header_dict(res, ifDict, refUrl, locktokenlist, entitytag): self._fail(HTTP_PRECONDITION_FAILED, "'If' header condition failed.") return
def _evaluate_if_headers(self, res, environ): """Apply HTTP headers on <path>, raising DAVError if conditions fail. Add environ['wsgidav.conditions.if'] and environ['wsgidav.ifLockTokenList']. Handle these headers: - If-Match, If-Modified-Since, If-None-Match, If-Unmodified-Since: Raising HTTP_PRECONDITION_FAILED or HTTP_NOT_MODIFIED - If: Raising HTTP_PRECONDITION_FAILED @see http://www.webdav.org/specs/rfc4918.html#HEADER_If @see util.evaluate_http_conditionals """ # Add parsed If header to environ if "wsgidav.conditions.if" not in environ: util.parse_if_header_dict(environ) # Bail out, if res does not exist if res is None: return ifDict = environ["wsgidav.conditions.if"] # Raise HTTP_PRECONDITION_FAILED or HTTP_NOT_MODIFIED, if standard # HTTP condition fails last_modified = -1 # nonvalid modified time entitytag = "[]" # Non-valid entity tag if res.get_last_modified() is not None: last_modified = res.get_last_modified() if res.get_etag() is not None: entitytag = res.get_etag() if ( "HTTP_IF_MODIFIED_SINCE" in environ or "HTTP_IF_UNMODIFIED_SINCE" in environ or "HTTP_IF_MATCH" in environ or "HTTP_IF_NONE_MATCH" in environ ): util.evaluate_http_conditionals(res, last_modified, entitytag, environ) if "HTTP_IF" not in environ: return # Raise HTTP_PRECONDITION_FAILED, if DAV 'If' condition fails # TODO: handle empty locked resources # TODO: handle unmapped locked resources # isnewfile = not provider.exists(mappedpath) refUrl = res.get_ref_url() lockMan = self._davProvider.lock_manager locktokenlist = [] if lockMan: lockList = lockMan.get_indirect_url_lock_list( refUrl, environ["wsgidav.user_name"] ) for lock in lockList: locktokenlist.append(lock["token"]) if not util.test_if_header_dict(res, ifDict, refUrl, locktokenlist, entitytag): self._fail(HTTP_PRECONDITION_FAILED, "'If' header condition failed.") return
[ "Apply", "HTTP", "headers", "on", "<path", ">", "raising", "DAVError", "if", "conditions", "fail", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/request_server.py#L208-L270
[ "def", "_evaluate_if_headers", "(", "self", ",", "res", ",", "environ", ")", ":", "# Add parsed If header to environ", "if", "\"wsgidav.conditions.if\"", "not", "in", "environ", ":", "util", ".", "parse_if_header_dict", "(", "environ", ")", "# Bail out, if res does not exist", "if", "res", "is", "None", ":", "return", "ifDict", "=", "environ", "[", "\"wsgidav.conditions.if\"", "]", "# Raise HTTP_PRECONDITION_FAILED or HTTP_NOT_MODIFIED, if standard", "# HTTP condition fails", "last_modified", "=", "-", "1", "# nonvalid modified time", "entitytag", "=", "\"[]\"", "# Non-valid entity tag", "if", "res", ".", "get_last_modified", "(", ")", "is", "not", "None", ":", "last_modified", "=", "res", ".", "get_last_modified", "(", ")", "if", "res", ".", "get_etag", "(", ")", "is", "not", "None", ":", "entitytag", "=", "res", ".", "get_etag", "(", ")", "if", "(", "\"HTTP_IF_MODIFIED_SINCE\"", "in", "environ", "or", "\"HTTP_IF_UNMODIFIED_SINCE\"", "in", "environ", "or", "\"HTTP_IF_MATCH\"", "in", "environ", "or", "\"HTTP_IF_NONE_MATCH\"", "in", "environ", ")", ":", "util", ".", "evaluate_http_conditionals", "(", "res", ",", "last_modified", ",", "entitytag", ",", "environ", ")", "if", "\"HTTP_IF\"", "not", "in", "environ", ":", "return", "# Raise HTTP_PRECONDITION_FAILED, if DAV 'If' condition fails", "# TODO: handle empty locked resources", "# TODO: handle unmapped locked resources", "# isnewfile = not provider.exists(mappedpath)", "refUrl", "=", "res", ".", "get_ref_url", "(", ")", "lockMan", "=", "self", ".", "_davProvider", ".", "lock_manager", "locktokenlist", "=", "[", "]", "if", "lockMan", ":", "lockList", "=", "lockMan", ".", "get_indirect_url_lock_list", "(", "refUrl", ",", "environ", "[", "\"wsgidav.user_name\"", "]", ")", "for", "lock", "in", "lockList", ":", "locktokenlist", ".", "append", "(", "lock", "[", "\"token\"", "]", ")", "if", "not", "util", ".", "test_if_header_dict", "(", "res", ",", "ifDict", ",", "refUrl", ",", "locktokenlist", ",", "entitytag", ")", ":", "self", ".", "_fail", "(", "HTTP_PRECONDITION_FAILED", ",", "\"'If' header condition failed.\"", ")", "return" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
RequestServer.do_PROPFIND
TODO: does not yet support If and If HTTP Conditions @see http://www.webdav.org/specs/rfc4918.html#METHOD_PROPFIND
wsgidav/request_server.py
def do_PROPFIND(self, environ, start_response): """ TODO: does not yet support If and If HTTP Conditions @see http://www.webdav.org/specs/rfc4918.html#METHOD_PROPFIND """ path = environ["PATH_INFO"] res = self._davProvider.get_resource_inst(path, environ) # RFC: By default, the PROPFIND method without a Depth header MUST act # as if a "Depth: infinity" header was included. environ.setdefault("HTTP_DEPTH", "infinity") if not environ["HTTP_DEPTH"] in ("0", "1", "infinity"): self._fail( HTTP_BAD_REQUEST, "Invalid Depth header: '{}'.".format(environ["HTTP_DEPTH"]), ) if environ["HTTP_DEPTH"] == "infinity" and not self.allow_propfind_infinite: self._fail( HTTP_FORBIDDEN, "PROPFIND 'infinite' was disabled for security reasons.", err_condition=PRECONDITION_CODE_PropfindFiniteDepth, ) if res is None: self._fail(HTTP_NOT_FOUND) if environ.get("wsgidav.debug_break"): pass # break point self._evaluate_if_headers(res, environ) # Parse PROPFIND request requestEL = util.parse_xml_body(environ, allow_empty=True) if requestEL is None: # An empty PROPFIND request body MUST be treated as a request for # the names and values of all properties. requestEL = etree.XML( "<D:propfind xmlns:D='DAV:'><D:allprop/></D:propfind>" ) if requestEL.tag != "{DAV:}propfind": self._fail(HTTP_BAD_REQUEST) propNameList = [] propFindMode = None for pfnode in requestEL: if pfnode.tag == "{DAV:}allprop": if propFindMode: # RFC: allprop and name are mutually exclusive self._fail(HTTP_BAD_REQUEST) propFindMode = "allprop" # TODO: implement <include> option # elif pfnode.tag == "{DAV:}include": # if not propFindMode in (None, "allprop"): # self._fail(HTTP_BAD_REQUEST, # "<include> element is only valid with 'allprop'.") # for pfpnode in pfnode: # propNameList.append(pfpnode.tag) elif pfnode.tag == "{DAV:}name": if propFindMode: # RFC: allprop and name are mutually exclusive self._fail(HTTP_BAD_REQUEST) propFindMode = "name" elif pfnode.tag == "{DAV:}prop": # RFC: allprop and name are mutually exclusive if propFindMode not in (None, "named"): self._fail(HTTP_BAD_REQUEST) propFindMode = "named" for pfpnode in pfnode: propNameList.append(pfpnode.tag) # --- Build list of resource URIs reslist = res.get_descendants(depth=environ["HTTP_DEPTH"], add_self=True) # if environ["wsgidav.verbose"] >= 3: # pprint(reslist, indent=4) multistatusEL = xml_tools.make_multistatus_el() responsedescription = [] for child in reslist: if propFindMode == "allprop": propList = child.get_properties("allprop") elif propFindMode == "name": propList = child.get_properties("name") else: propList = child.get_properties("named", name_list=propNameList) href = child.get_href() util.add_property_response(multistatusEL, href, propList) if responsedescription: etree.SubElement( multistatusEL, "{DAV:}responsedescription" ).text = "\n".join(responsedescription) return util.send_multi_status_response(environ, start_response, multistatusEL)
def do_PROPFIND(self, environ, start_response): """ TODO: does not yet support If and If HTTP Conditions @see http://www.webdav.org/specs/rfc4918.html#METHOD_PROPFIND """ path = environ["PATH_INFO"] res = self._davProvider.get_resource_inst(path, environ) # RFC: By default, the PROPFIND method without a Depth header MUST act # as if a "Depth: infinity" header was included. environ.setdefault("HTTP_DEPTH", "infinity") if not environ["HTTP_DEPTH"] in ("0", "1", "infinity"): self._fail( HTTP_BAD_REQUEST, "Invalid Depth header: '{}'.".format(environ["HTTP_DEPTH"]), ) if environ["HTTP_DEPTH"] == "infinity" and not self.allow_propfind_infinite: self._fail( HTTP_FORBIDDEN, "PROPFIND 'infinite' was disabled for security reasons.", err_condition=PRECONDITION_CODE_PropfindFiniteDepth, ) if res is None: self._fail(HTTP_NOT_FOUND) if environ.get("wsgidav.debug_break"): pass # break point self._evaluate_if_headers(res, environ) # Parse PROPFIND request requestEL = util.parse_xml_body(environ, allow_empty=True) if requestEL is None: # An empty PROPFIND request body MUST be treated as a request for # the names and values of all properties. requestEL = etree.XML( "<D:propfind xmlns:D='DAV:'><D:allprop/></D:propfind>" ) if requestEL.tag != "{DAV:}propfind": self._fail(HTTP_BAD_REQUEST) propNameList = [] propFindMode = None for pfnode in requestEL: if pfnode.tag == "{DAV:}allprop": if propFindMode: # RFC: allprop and name are mutually exclusive self._fail(HTTP_BAD_REQUEST) propFindMode = "allprop" # TODO: implement <include> option # elif pfnode.tag == "{DAV:}include": # if not propFindMode in (None, "allprop"): # self._fail(HTTP_BAD_REQUEST, # "<include> element is only valid with 'allprop'.") # for pfpnode in pfnode: # propNameList.append(pfpnode.tag) elif pfnode.tag == "{DAV:}name": if propFindMode: # RFC: allprop and name are mutually exclusive self._fail(HTTP_BAD_REQUEST) propFindMode = "name" elif pfnode.tag == "{DAV:}prop": # RFC: allprop and name are mutually exclusive if propFindMode not in (None, "named"): self._fail(HTTP_BAD_REQUEST) propFindMode = "named" for pfpnode in pfnode: propNameList.append(pfpnode.tag) # --- Build list of resource URIs reslist = res.get_descendants(depth=environ["HTTP_DEPTH"], add_self=True) # if environ["wsgidav.verbose"] >= 3: # pprint(reslist, indent=4) multistatusEL = xml_tools.make_multistatus_el() responsedescription = [] for child in reslist: if propFindMode == "allprop": propList = child.get_properties("allprop") elif propFindMode == "name": propList = child.get_properties("name") else: propList = child.get_properties("named", name_list=propNameList) href = child.get_href() util.add_property_response(multistatusEL, href, propList) if responsedescription: etree.SubElement( multistatusEL, "{DAV:}responsedescription" ).text = "\n".join(responsedescription) return util.send_multi_status_response(environ, start_response, multistatusEL)
[ "TODO", ":", "does", "not", "yet", "support", "If", "and", "If", "HTTP", "Conditions" ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/request_server.py#L272-L369
[ "def", "do_PROPFIND", "(", "self", ",", "environ", ",", "start_response", ")", ":", "path", "=", "environ", "[", "\"PATH_INFO\"", "]", "res", "=", "self", ".", "_davProvider", ".", "get_resource_inst", "(", "path", ",", "environ", ")", "# RFC: By default, the PROPFIND method without a Depth header MUST act", "# as if a \"Depth: infinity\" header was included.", "environ", ".", "setdefault", "(", "\"HTTP_DEPTH\"", ",", "\"infinity\"", ")", "if", "not", "environ", "[", "\"HTTP_DEPTH\"", "]", "in", "(", "\"0\"", ",", "\"1\"", ",", "\"infinity\"", ")", ":", "self", ".", "_fail", "(", "HTTP_BAD_REQUEST", ",", "\"Invalid Depth header: '{}'.\"", ".", "format", "(", "environ", "[", "\"HTTP_DEPTH\"", "]", ")", ",", ")", "if", "environ", "[", "\"HTTP_DEPTH\"", "]", "==", "\"infinity\"", "and", "not", "self", ".", "allow_propfind_infinite", ":", "self", ".", "_fail", "(", "HTTP_FORBIDDEN", ",", "\"PROPFIND 'infinite' was disabled for security reasons.\"", ",", "err_condition", "=", "PRECONDITION_CODE_PropfindFiniteDepth", ",", ")", "if", "res", "is", "None", ":", "self", ".", "_fail", "(", "HTTP_NOT_FOUND", ")", "if", "environ", ".", "get", "(", "\"wsgidav.debug_break\"", ")", ":", "pass", "# break point", "self", ".", "_evaluate_if_headers", "(", "res", ",", "environ", ")", "# Parse PROPFIND request", "requestEL", "=", "util", ".", "parse_xml_body", "(", "environ", ",", "allow_empty", "=", "True", ")", "if", "requestEL", "is", "None", ":", "# An empty PROPFIND request body MUST be treated as a request for", "# the names and values of all properties.", "requestEL", "=", "etree", ".", "XML", "(", "\"<D:propfind xmlns:D='DAV:'><D:allprop/></D:propfind>\"", ")", "if", "requestEL", ".", "tag", "!=", "\"{DAV:}propfind\"", ":", "self", ".", "_fail", "(", "HTTP_BAD_REQUEST", ")", "propNameList", "=", "[", "]", "propFindMode", "=", "None", "for", "pfnode", "in", "requestEL", ":", "if", "pfnode", ".", "tag", "==", "\"{DAV:}allprop\"", ":", "if", "propFindMode", ":", "# RFC: allprop and name are mutually exclusive", "self", ".", "_fail", "(", "HTTP_BAD_REQUEST", ")", "propFindMode", "=", "\"allprop\"", "# TODO: implement <include> option", "# elif pfnode.tag == \"{DAV:}include\":", "# if not propFindMode in (None, \"allprop\"):", "# self._fail(HTTP_BAD_REQUEST,", "# \"<include> element is only valid with 'allprop'.\")", "# for pfpnode in pfnode:", "# propNameList.append(pfpnode.tag)", "elif", "pfnode", ".", "tag", "==", "\"{DAV:}name\"", ":", "if", "propFindMode", ":", "# RFC: allprop and name are mutually exclusive", "self", ".", "_fail", "(", "HTTP_BAD_REQUEST", ")", "propFindMode", "=", "\"name\"", "elif", "pfnode", ".", "tag", "==", "\"{DAV:}prop\"", ":", "# RFC: allprop and name are mutually exclusive", "if", "propFindMode", "not", "in", "(", "None", ",", "\"named\"", ")", ":", "self", ".", "_fail", "(", "HTTP_BAD_REQUEST", ")", "propFindMode", "=", "\"named\"", "for", "pfpnode", "in", "pfnode", ":", "propNameList", ".", "append", "(", "pfpnode", ".", "tag", ")", "# --- Build list of resource URIs", "reslist", "=", "res", ".", "get_descendants", "(", "depth", "=", "environ", "[", "\"HTTP_DEPTH\"", "]", ",", "add_self", "=", "True", ")", "# if environ[\"wsgidav.verbose\"] >= 3:", "# pprint(reslist, indent=4)", "multistatusEL", "=", "xml_tools", ".", "make_multistatus_el", "(", ")", "responsedescription", "=", "[", "]", "for", "child", "in", "reslist", ":", "if", "propFindMode", "==", "\"allprop\"", ":", "propList", "=", "child", ".", "get_properties", "(", "\"allprop\"", ")", "elif", "propFindMode", "==", "\"name\"", ":", "propList", "=", "child", ".", "get_properties", "(", "\"name\"", ")", "else", ":", "propList", "=", "child", ".", "get_properties", "(", "\"named\"", ",", "name_list", "=", "propNameList", ")", "href", "=", "child", ".", "get_href", "(", ")", "util", ".", "add_property_response", "(", "multistatusEL", ",", "href", ",", "propList", ")", "if", "responsedescription", ":", "etree", ".", "SubElement", "(", "multistatusEL", ",", "\"{DAV:}responsedescription\"", ")", ".", "text", "=", "\"\\n\"", ".", "join", "(", "responsedescription", ")", "return", "util", ".", "send_multi_status_response", "(", "environ", ",", "start_response", ",", "multistatusEL", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
RequestServer.do_PROPPATCH
Handle PROPPATCH request to set or remove a property. @see http://www.webdav.org/specs/rfc4918.html#METHOD_PROPPATCH
wsgidav/request_server.py
def do_PROPPATCH(self, environ, start_response): """Handle PROPPATCH request to set or remove a property. @see http://www.webdav.org/specs/rfc4918.html#METHOD_PROPPATCH """ path = environ["PATH_INFO"] res = self._davProvider.get_resource_inst(path, environ) # Only accept Depth: 0 (but assume this, if omitted) environ.setdefault("HTTP_DEPTH", "0") if environ["HTTP_DEPTH"] != "0": self._fail(HTTP_BAD_REQUEST, "Depth must be '0'.") if res is None: self._fail(HTTP_NOT_FOUND) self._evaluate_if_headers(res, environ) self._check_write_permission(res, "0", environ) # Parse request requestEL = util.parse_xml_body(environ) if requestEL.tag != "{DAV:}propertyupdate": self._fail(HTTP_BAD_REQUEST) # Create a list of update request tuples: (name, value) propupdatelist = [] for ppnode in requestEL: propupdatemethod = None if ppnode.tag == "{DAV:}remove": propupdatemethod = "remove" elif ppnode.tag == "{DAV:}set": propupdatemethod = "set" else: self._fail( HTTP_BAD_REQUEST, "Unknown tag (expected 'set' or 'remove')." ) for propnode in ppnode: if propnode.tag != "{DAV:}prop": self._fail(HTTP_BAD_REQUEST, "Unknown tag (expected 'prop').") for propertynode in propnode: propvalue = None if propupdatemethod == "remove": propvalue = None # Mark as 'remove' if len(propertynode) > 0: # 14.23: All the XML elements in a 'prop' XML # element inside of a 'remove' XML element MUST be # empty self._fail( HTTP_BAD_REQUEST, "prop element must be empty for 'remove'.", ) else: propvalue = propertynode propupdatelist.append((propertynode.tag, propvalue)) # Apply updates in SIMULATION MODE and create a result list (name, # result) successflag = True writeresultlist = [] for (name, propvalue) in propupdatelist: try: res.set_property_value(name, propvalue, dry_run=True) except Exception as e: writeresult = as_DAVError(e) else: writeresult = "200 OK" writeresultlist.append((name, writeresult)) successflag = successflag and writeresult == "200 OK" # Generate response list of 2-tuples (name, value) # <value> is None on success, or an instance of DAVError propResponseList = [] responsedescription = [] if not successflag: # If dry run failed: convert all OK to FAILED_DEPENDENCY. for (name, result) in writeresultlist: if result == "200 OK": result = DAVError(HTTP_FAILED_DEPENDENCY) elif isinstance(result, DAVError): responsedescription.append(result.get_user_info()) propResponseList.append((name, result)) else: # Dry-run succeeded: set properties again, this time in 'real' mode # In theory, there should be no exceptions thrown here, but this is # real live... for (name, propvalue) in propupdatelist: try: res.set_property_value(name, propvalue, dry_run=False) # Set value to None, so the response xml contains empty tags propResponseList.append((name, None)) except Exception as e: e = as_DAVError(e) propResponseList.append((name, e)) responsedescription.append(e.get_user_info()) # Generate response XML multistatusEL = xml_tools.make_multistatus_el() href = res.get_href() util.add_property_response(multistatusEL, href, propResponseList) if responsedescription: etree.SubElement( multistatusEL, "{DAV:}responsedescription" ).text = "\n".join(responsedescription) # Send response return util.send_multi_status_response(environ, start_response, multistatusEL)
def do_PROPPATCH(self, environ, start_response): """Handle PROPPATCH request to set or remove a property. @see http://www.webdav.org/specs/rfc4918.html#METHOD_PROPPATCH """ path = environ["PATH_INFO"] res = self._davProvider.get_resource_inst(path, environ) # Only accept Depth: 0 (but assume this, if omitted) environ.setdefault("HTTP_DEPTH", "0") if environ["HTTP_DEPTH"] != "0": self._fail(HTTP_BAD_REQUEST, "Depth must be '0'.") if res is None: self._fail(HTTP_NOT_FOUND) self._evaluate_if_headers(res, environ) self._check_write_permission(res, "0", environ) # Parse request requestEL = util.parse_xml_body(environ) if requestEL.tag != "{DAV:}propertyupdate": self._fail(HTTP_BAD_REQUEST) # Create a list of update request tuples: (name, value) propupdatelist = [] for ppnode in requestEL: propupdatemethod = None if ppnode.tag == "{DAV:}remove": propupdatemethod = "remove" elif ppnode.tag == "{DAV:}set": propupdatemethod = "set" else: self._fail( HTTP_BAD_REQUEST, "Unknown tag (expected 'set' or 'remove')." ) for propnode in ppnode: if propnode.tag != "{DAV:}prop": self._fail(HTTP_BAD_REQUEST, "Unknown tag (expected 'prop').") for propertynode in propnode: propvalue = None if propupdatemethod == "remove": propvalue = None # Mark as 'remove' if len(propertynode) > 0: # 14.23: All the XML elements in a 'prop' XML # element inside of a 'remove' XML element MUST be # empty self._fail( HTTP_BAD_REQUEST, "prop element must be empty for 'remove'.", ) else: propvalue = propertynode propupdatelist.append((propertynode.tag, propvalue)) # Apply updates in SIMULATION MODE and create a result list (name, # result) successflag = True writeresultlist = [] for (name, propvalue) in propupdatelist: try: res.set_property_value(name, propvalue, dry_run=True) except Exception as e: writeresult = as_DAVError(e) else: writeresult = "200 OK" writeresultlist.append((name, writeresult)) successflag = successflag and writeresult == "200 OK" # Generate response list of 2-tuples (name, value) # <value> is None on success, or an instance of DAVError propResponseList = [] responsedescription = [] if not successflag: # If dry run failed: convert all OK to FAILED_DEPENDENCY. for (name, result) in writeresultlist: if result == "200 OK": result = DAVError(HTTP_FAILED_DEPENDENCY) elif isinstance(result, DAVError): responsedescription.append(result.get_user_info()) propResponseList.append((name, result)) else: # Dry-run succeeded: set properties again, this time in 'real' mode # In theory, there should be no exceptions thrown here, but this is # real live... for (name, propvalue) in propupdatelist: try: res.set_property_value(name, propvalue, dry_run=False) # Set value to None, so the response xml contains empty tags propResponseList.append((name, None)) except Exception as e: e = as_DAVError(e) propResponseList.append((name, e)) responsedescription.append(e.get_user_info()) # Generate response XML multistatusEL = xml_tools.make_multistatus_el() href = res.get_href() util.add_property_response(multistatusEL, href, propResponseList) if responsedescription: etree.SubElement( multistatusEL, "{DAV:}responsedescription" ).text = "\n".join(responsedescription) # Send response return util.send_multi_status_response(environ, start_response, multistatusEL)
[ "Handle", "PROPPATCH", "request", "to", "set", "or", "remove", "a", "property", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/request_server.py#L371-L484
[ "def", "do_PROPPATCH", "(", "self", ",", "environ", ",", "start_response", ")", ":", "path", "=", "environ", "[", "\"PATH_INFO\"", "]", "res", "=", "self", ".", "_davProvider", ".", "get_resource_inst", "(", "path", ",", "environ", ")", "# Only accept Depth: 0 (but assume this, if omitted)", "environ", ".", "setdefault", "(", "\"HTTP_DEPTH\"", ",", "\"0\"", ")", "if", "environ", "[", "\"HTTP_DEPTH\"", "]", "!=", "\"0\"", ":", "self", ".", "_fail", "(", "HTTP_BAD_REQUEST", ",", "\"Depth must be '0'.\"", ")", "if", "res", "is", "None", ":", "self", ".", "_fail", "(", "HTTP_NOT_FOUND", ")", "self", ".", "_evaluate_if_headers", "(", "res", ",", "environ", ")", "self", ".", "_check_write_permission", "(", "res", ",", "\"0\"", ",", "environ", ")", "# Parse request", "requestEL", "=", "util", ".", "parse_xml_body", "(", "environ", ")", "if", "requestEL", ".", "tag", "!=", "\"{DAV:}propertyupdate\"", ":", "self", ".", "_fail", "(", "HTTP_BAD_REQUEST", ")", "# Create a list of update request tuples: (name, value)", "propupdatelist", "=", "[", "]", "for", "ppnode", "in", "requestEL", ":", "propupdatemethod", "=", "None", "if", "ppnode", ".", "tag", "==", "\"{DAV:}remove\"", ":", "propupdatemethod", "=", "\"remove\"", "elif", "ppnode", ".", "tag", "==", "\"{DAV:}set\"", ":", "propupdatemethod", "=", "\"set\"", "else", ":", "self", ".", "_fail", "(", "HTTP_BAD_REQUEST", ",", "\"Unknown tag (expected 'set' or 'remove').\"", ")", "for", "propnode", "in", "ppnode", ":", "if", "propnode", ".", "tag", "!=", "\"{DAV:}prop\"", ":", "self", ".", "_fail", "(", "HTTP_BAD_REQUEST", ",", "\"Unknown tag (expected 'prop').\"", ")", "for", "propertynode", "in", "propnode", ":", "propvalue", "=", "None", "if", "propupdatemethod", "==", "\"remove\"", ":", "propvalue", "=", "None", "# Mark as 'remove'", "if", "len", "(", "propertynode", ")", ">", "0", ":", "# 14.23: All the XML elements in a 'prop' XML", "# element inside of a 'remove' XML element MUST be", "# empty", "self", ".", "_fail", "(", "HTTP_BAD_REQUEST", ",", "\"prop element must be empty for 'remove'.\"", ",", ")", "else", ":", "propvalue", "=", "propertynode", "propupdatelist", ".", "append", "(", "(", "propertynode", ".", "tag", ",", "propvalue", ")", ")", "# Apply updates in SIMULATION MODE and create a result list (name,", "# result)", "successflag", "=", "True", "writeresultlist", "=", "[", "]", "for", "(", "name", ",", "propvalue", ")", "in", "propupdatelist", ":", "try", ":", "res", ".", "set_property_value", "(", "name", ",", "propvalue", ",", "dry_run", "=", "True", ")", "except", "Exception", "as", "e", ":", "writeresult", "=", "as_DAVError", "(", "e", ")", "else", ":", "writeresult", "=", "\"200 OK\"", "writeresultlist", ".", "append", "(", "(", "name", ",", "writeresult", ")", ")", "successflag", "=", "successflag", "and", "writeresult", "==", "\"200 OK\"", "# Generate response list of 2-tuples (name, value)", "# <value> is None on success, or an instance of DAVError", "propResponseList", "=", "[", "]", "responsedescription", "=", "[", "]", "if", "not", "successflag", ":", "# If dry run failed: convert all OK to FAILED_DEPENDENCY.", "for", "(", "name", ",", "result", ")", "in", "writeresultlist", ":", "if", "result", "==", "\"200 OK\"", ":", "result", "=", "DAVError", "(", "HTTP_FAILED_DEPENDENCY", ")", "elif", "isinstance", "(", "result", ",", "DAVError", ")", ":", "responsedescription", ".", "append", "(", "result", ".", "get_user_info", "(", ")", ")", "propResponseList", ".", "append", "(", "(", "name", ",", "result", ")", ")", "else", ":", "# Dry-run succeeded: set properties again, this time in 'real' mode", "# In theory, there should be no exceptions thrown here, but this is", "# real live...", "for", "(", "name", ",", "propvalue", ")", "in", "propupdatelist", ":", "try", ":", "res", ".", "set_property_value", "(", "name", ",", "propvalue", ",", "dry_run", "=", "False", ")", "# Set value to None, so the response xml contains empty tags", "propResponseList", ".", "append", "(", "(", "name", ",", "None", ")", ")", "except", "Exception", "as", "e", ":", "e", "=", "as_DAVError", "(", "e", ")", "propResponseList", ".", "append", "(", "(", "name", ",", "e", ")", ")", "responsedescription", ".", "append", "(", "e", ".", "get_user_info", "(", ")", ")", "# Generate response XML", "multistatusEL", "=", "xml_tools", ".", "make_multistatus_el", "(", ")", "href", "=", "res", ".", "get_href", "(", ")", "util", ".", "add_property_response", "(", "multistatusEL", ",", "href", ",", "propResponseList", ")", "if", "responsedescription", ":", "etree", ".", "SubElement", "(", "multistatusEL", ",", "\"{DAV:}responsedescription\"", ")", ".", "text", "=", "\"\\n\"", ".", "join", "(", "responsedescription", ")", "# Send response", "return", "util", ".", "send_multi_status_response", "(", "environ", ",", "start_response", ",", "multistatusEL", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
RequestServer.do_MKCOL
Handle MKCOL request to create a new collection. @see http://www.webdav.org/specs/rfc4918.html#METHOD_MKCOL
wsgidav/request_server.py
def do_MKCOL(self, environ, start_response): """Handle MKCOL request to create a new collection. @see http://www.webdav.org/specs/rfc4918.html#METHOD_MKCOL """ path = environ["PATH_INFO"] provider = self._davProvider # res = provider.get_resource_inst(path, environ) # Do not understand ANY request body entities if util.get_content_length(environ) != 0: self._fail( HTTP_MEDIATYPE_NOT_SUPPORTED, "The server does not handle any body content.", ) # Only accept Depth: 0 (but assume this, if omitted) if environ.setdefault("HTTP_DEPTH", "0") != "0": self._fail(HTTP_BAD_REQUEST, "Depth must be '0'.") if provider.exists(path, environ): self._fail( HTTP_METHOD_NOT_ALLOWED, "MKCOL can only be executed on an unmapped URL.", ) parentRes = provider.get_resource_inst(util.get_uri_parent(path), environ) if not parentRes or not parentRes.is_collection: self._fail(HTTP_CONFLICT, "Parent must be an existing collection.") # TODO: should we check If headers here? # self._evaluate_if_headers(res, environ) # Check for write permissions on the PARENT self._check_write_permission(parentRes, "0", environ) parentRes.create_collection(util.get_uri_name(path)) return util.send_status_response(environ, start_response, HTTP_CREATED)
def do_MKCOL(self, environ, start_response): """Handle MKCOL request to create a new collection. @see http://www.webdav.org/specs/rfc4918.html#METHOD_MKCOL """ path = environ["PATH_INFO"] provider = self._davProvider # res = provider.get_resource_inst(path, environ) # Do not understand ANY request body entities if util.get_content_length(environ) != 0: self._fail( HTTP_MEDIATYPE_NOT_SUPPORTED, "The server does not handle any body content.", ) # Only accept Depth: 0 (but assume this, if omitted) if environ.setdefault("HTTP_DEPTH", "0") != "0": self._fail(HTTP_BAD_REQUEST, "Depth must be '0'.") if provider.exists(path, environ): self._fail( HTTP_METHOD_NOT_ALLOWED, "MKCOL can only be executed on an unmapped URL.", ) parentRes = provider.get_resource_inst(util.get_uri_parent(path), environ) if not parentRes or not parentRes.is_collection: self._fail(HTTP_CONFLICT, "Parent must be an existing collection.") # TODO: should we check If headers here? # self._evaluate_if_headers(res, environ) # Check for write permissions on the PARENT self._check_write_permission(parentRes, "0", environ) parentRes.create_collection(util.get_uri_name(path)) return util.send_status_response(environ, start_response, HTTP_CREATED)
[ "Handle", "MKCOL", "request", "to", "create", "a", "new", "collection", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/request_server.py#L486-L523
[ "def", "do_MKCOL", "(", "self", ",", "environ", ",", "start_response", ")", ":", "path", "=", "environ", "[", "\"PATH_INFO\"", "]", "provider", "=", "self", ".", "_davProvider", "# res = provider.get_resource_inst(path, environ)", "# Do not understand ANY request body entities", "if", "util", ".", "get_content_length", "(", "environ", ")", "!=", "0", ":", "self", ".", "_fail", "(", "HTTP_MEDIATYPE_NOT_SUPPORTED", ",", "\"The server does not handle any body content.\"", ",", ")", "# Only accept Depth: 0 (but assume this, if omitted)", "if", "environ", ".", "setdefault", "(", "\"HTTP_DEPTH\"", ",", "\"0\"", ")", "!=", "\"0\"", ":", "self", ".", "_fail", "(", "HTTP_BAD_REQUEST", ",", "\"Depth must be '0'.\"", ")", "if", "provider", ".", "exists", "(", "path", ",", "environ", ")", ":", "self", ".", "_fail", "(", "HTTP_METHOD_NOT_ALLOWED", ",", "\"MKCOL can only be executed on an unmapped URL.\"", ",", ")", "parentRes", "=", "provider", ".", "get_resource_inst", "(", "util", ".", "get_uri_parent", "(", "path", ")", ",", "environ", ")", "if", "not", "parentRes", "or", "not", "parentRes", ".", "is_collection", ":", "self", ".", "_fail", "(", "HTTP_CONFLICT", ",", "\"Parent must be an existing collection.\"", ")", "# TODO: should we check If headers here?", "# self._evaluate_if_headers(res, environ)", "# Check for write permissions on the PARENT", "self", ".", "_check_write_permission", "(", "parentRes", ",", "\"0\"", ",", "environ", ")", "parentRes", ".", "create_collection", "(", "util", ".", "get_uri_name", "(", "path", ")", ")", "return", "util", ".", "send_status_response", "(", "environ", ",", "start_response", ",", "HTTP_CREATED", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
RequestServer._stream_data_chunked
Get the data from a chunked transfer.
wsgidav/request_server.py
def _stream_data_chunked(self, environ, block_size): """Get the data from a chunked transfer.""" # Chunked Transfer Coding # http://www.servlets.com/rfcs/rfc2616-sec3.html#sec3.6.1 if "Darwin" in environ.get("HTTP_USER_AGENT", "") and environ.get( "HTTP_X_EXPECTED_ENTITY_LENGTH" ): # Mac Finder, that does not prepend chunk-size + CRLF , # like it should to comply with the spec. It sends chunk # size as integer in a HTTP header instead. WORKAROUND_CHUNK_LENGTH = True buf = environ.get("HTTP_X_EXPECTED_ENTITY_LENGTH", "0") length = int(buf) else: WORKAROUND_CHUNK_LENGTH = False buf = environ["wsgi.input"].readline() environ["wsgidav.some_input_read"] = 1 if buf == compat.b_empty: length = 0 else: length = int(buf, 16) while length > 0: buf = environ["wsgi.input"].read(block_size) yield buf if WORKAROUND_CHUNK_LENGTH: environ["wsgidav.some_input_read"] = 1 # Keep receiving until we read expected size or reach # EOF if buf == compat.b_empty: length = 0 else: length -= len(buf) else: environ["wsgi.input"].readline() buf = environ["wsgi.input"].readline() if buf == compat.b_empty: length = 0 else: length = int(buf, 16) environ["wsgidav.all_input_read"] = 1
def _stream_data_chunked(self, environ, block_size): """Get the data from a chunked transfer.""" # Chunked Transfer Coding # http://www.servlets.com/rfcs/rfc2616-sec3.html#sec3.6.1 if "Darwin" in environ.get("HTTP_USER_AGENT", "") and environ.get( "HTTP_X_EXPECTED_ENTITY_LENGTH" ): # Mac Finder, that does not prepend chunk-size + CRLF , # like it should to comply with the spec. It sends chunk # size as integer in a HTTP header instead. WORKAROUND_CHUNK_LENGTH = True buf = environ.get("HTTP_X_EXPECTED_ENTITY_LENGTH", "0") length = int(buf) else: WORKAROUND_CHUNK_LENGTH = False buf = environ["wsgi.input"].readline() environ["wsgidav.some_input_read"] = 1 if buf == compat.b_empty: length = 0 else: length = int(buf, 16) while length > 0: buf = environ["wsgi.input"].read(block_size) yield buf if WORKAROUND_CHUNK_LENGTH: environ["wsgidav.some_input_read"] = 1 # Keep receiving until we read expected size or reach # EOF if buf == compat.b_empty: length = 0 else: length -= len(buf) else: environ["wsgi.input"].readline() buf = environ["wsgi.input"].readline() if buf == compat.b_empty: length = 0 else: length = int(buf, 16) environ["wsgidav.all_input_read"] = 1
[ "Get", "the", "data", "from", "a", "chunked", "transfer", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/request_server.py#L658-L699
[ "def", "_stream_data_chunked", "(", "self", ",", "environ", ",", "block_size", ")", ":", "# Chunked Transfer Coding", "# http://www.servlets.com/rfcs/rfc2616-sec3.html#sec3.6.1", "if", "\"Darwin\"", "in", "environ", ".", "get", "(", "\"HTTP_USER_AGENT\"", ",", "\"\"", ")", "and", "environ", ".", "get", "(", "\"HTTP_X_EXPECTED_ENTITY_LENGTH\"", ")", ":", "# Mac Finder, that does not prepend chunk-size + CRLF ,", "# like it should to comply with the spec. It sends chunk", "# size as integer in a HTTP header instead.", "WORKAROUND_CHUNK_LENGTH", "=", "True", "buf", "=", "environ", ".", "get", "(", "\"HTTP_X_EXPECTED_ENTITY_LENGTH\"", ",", "\"0\"", ")", "length", "=", "int", "(", "buf", ")", "else", ":", "WORKAROUND_CHUNK_LENGTH", "=", "False", "buf", "=", "environ", "[", "\"wsgi.input\"", "]", ".", "readline", "(", ")", "environ", "[", "\"wsgidav.some_input_read\"", "]", "=", "1", "if", "buf", "==", "compat", ".", "b_empty", ":", "length", "=", "0", "else", ":", "length", "=", "int", "(", "buf", ",", "16", ")", "while", "length", ">", "0", ":", "buf", "=", "environ", "[", "\"wsgi.input\"", "]", ".", "read", "(", "block_size", ")", "yield", "buf", "if", "WORKAROUND_CHUNK_LENGTH", ":", "environ", "[", "\"wsgidav.some_input_read\"", "]", "=", "1", "# Keep receiving until we read expected size or reach", "# EOF", "if", "buf", "==", "compat", ".", "b_empty", ":", "length", "=", "0", "else", ":", "length", "-=", "len", "(", "buf", ")", "else", ":", "environ", "[", "\"wsgi.input\"", "]", ".", "readline", "(", ")", "buf", "=", "environ", "[", "\"wsgi.input\"", "]", ".", "readline", "(", ")", "if", "buf", "==", "compat", ".", "b_empty", ":", "length", "=", "0", "else", ":", "length", "=", "int", "(", "buf", ",", "16", ")", "environ", "[", "\"wsgidav.all_input_read\"", "]", "=", "1" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
RequestServer._stream_data
Get the data from a non-chunked transfer.
wsgidav/request_server.py
def _stream_data(self, environ, content_length, block_size): """Get the data from a non-chunked transfer.""" if content_length == 0: # TODO: review this # XP and Vista MiniRedir submit PUT with Content-Length 0, # before LOCK and the real PUT. So we have to accept this. _logger.info("PUT: Content-Length == 0. Creating empty file...") # elif content_length < 0: # # TODO: review this # # If CONTENT_LENGTH is invalid, we may try to workaround this # # by reading until the end of the stream. This may block however! # # The iterator produced small chunks of varying size, but not # # sure, if we always get everything before it times out. # _logger.warning("PUT with invalid Content-Length (%s). " # "Trying to read all (this may timeout)..." # .format(environ.get("CONTENT_LENGTH"))) # nb = 0 # try: # for s in environ["wsgi.input"]: # environ["wsgidav.some_input_read"] = 1 # _logger.debug("PUT: read from wsgi.input.__iter__, len=%s" % len(s)) # yield s # nb += len (s) # except socket.timeout: # _logger.warning("PUT: input timed out after writing %s bytes" % nb) # hasErrors = True else: assert content_length > 0 contentremain = content_length while contentremain > 0: n = min(contentremain, block_size) readbuffer = environ["wsgi.input"].read(n) # This happens with litmus expect-100 test: if not len(readbuffer) > 0: _logger.error("input.read({}) returned 0 bytes".format(n)) break environ["wsgidav.some_input_read"] = 1 yield readbuffer contentremain -= len(readbuffer) if contentremain == 0: environ["wsgidav.all_input_read"] = 1
def _stream_data(self, environ, content_length, block_size): """Get the data from a non-chunked transfer.""" if content_length == 0: # TODO: review this # XP and Vista MiniRedir submit PUT with Content-Length 0, # before LOCK and the real PUT. So we have to accept this. _logger.info("PUT: Content-Length == 0. Creating empty file...") # elif content_length < 0: # # TODO: review this # # If CONTENT_LENGTH is invalid, we may try to workaround this # # by reading until the end of the stream. This may block however! # # The iterator produced small chunks of varying size, but not # # sure, if we always get everything before it times out. # _logger.warning("PUT with invalid Content-Length (%s). " # "Trying to read all (this may timeout)..." # .format(environ.get("CONTENT_LENGTH"))) # nb = 0 # try: # for s in environ["wsgi.input"]: # environ["wsgidav.some_input_read"] = 1 # _logger.debug("PUT: read from wsgi.input.__iter__, len=%s" % len(s)) # yield s # nb += len (s) # except socket.timeout: # _logger.warning("PUT: input timed out after writing %s bytes" % nb) # hasErrors = True else: assert content_length > 0 contentremain = content_length while contentremain > 0: n = min(contentremain, block_size) readbuffer = environ["wsgi.input"].read(n) # This happens with litmus expect-100 test: if not len(readbuffer) > 0: _logger.error("input.read({}) returned 0 bytes".format(n)) break environ["wsgidav.some_input_read"] = 1 yield readbuffer contentremain -= len(readbuffer) if contentremain == 0: environ["wsgidav.all_input_read"] = 1
[ "Get", "the", "data", "from", "a", "non", "-", "chunked", "transfer", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/request_server.py#L701-L743
[ "def", "_stream_data", "(", "self", ",", "environ", ",", "content_length", ",", "block_size", ")", ":", "if", "content_length", "==", "0", ":", "# TODO: review this", "# XP and Vista MiniRedir submit PUT with Content-Length 0,", "# before LOCK and the real PUT. So we have to accept this.", "_logger", ".", "info", "(", "\"PUT: Content-Length == 0. Creating empty file...\"", ")", "# elif content_length < 0:", "# # TODO: review this", "# # If CONTENT_LENGTH is invalid, we may try to workaround this", "# # by reading until the end of the stream. This may block however!", "# # The iterator produced small chunks of varying size, but not", "# # sure, if we always get everything before it times out.", "# _logger.warning(\"PUT with invalid Content-Length (%s). \"", "# \"Trying to read all (this may timeout)...\"", "# .format(environ.get(\"CONTENT_LENGTH\")))", "# nb = 0", "# try:", "# for s in environ[\"wsgi.input\"]:", "# environ[\"wsgidav.some_input_read\"] = 1", "# _logger.debug(\"PUT: read from wsgi.input.__iter__, len=%s\" % len(s))", "# yield s", "# nb += len (s)", "# except socket.timeout:", "# _logger.warning(\"PUT: input timed out after writing %s bytes\" % nb)", "# hasErrors = True", "else", ":", "assert", "content_length", ">", "0", "contentremain", "=", "content_length", "while", "contentremain", ">", "0", ":", "n", "=", "min", "(", "contentremain", ",", "block_size", ")", "readbuffer", "=", "environ", "[", "\"wsgi.input\"", "]", ".", "read", "(", "n", ")", "# This happens with litmus expect-100 test:", "if", "not", "len", "(", "readbuffer", ")", ">", "0", ":", "_logger", ".", "error", "(", "\"input.read({}) returned 0 bytes\"", ".", "format", "(", "n", ")", ")", "break", "environ", "[", "\"wsgidav.some_input_read\"", "]", "=", "1", "yield", "readbuffer", "contentremain", "-=", "len", "(", "readbuffer", ")", "if", "contentremain", "==", "0", ":", "environ", "[", "\"wsgidav.all_input_read\"", "]", "=", "1" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
RequestServer._send_resource
If-Range If the entity is unchanged, send me the part(s) that I am missing; otherwise, send me the entire new entity If-Range: "737060cd8c284d8af7ad3082f209582d" @see: http://www.w3.org/Protocols/rfc2616/rfc2616-sec14.html#sec14.27
wsgidav/request_server.py
def _send_resource(self, environ, start_response, is_head_method): """ If-Range If the entity is unchanged, send me the part(s) that I am missing; otherwise, send me the entire new entity If-Range: "737060cd8c284d8af7ad3082f209582d" @see: http://www.w3.org/Protocols/rfc2616/rfc2616-sec14.html#sec14.27 """ path = environ["PATH_INFO"] res = self._davProvider.get_resource_inst(path, environ) if util.get_content_length(environ) != 0: self._fail( HTTP_MEDIATYPE_NOT_SUPPORTED, "The server does not handle any body content.", ) elif environ.setdefault("HTTP_DEPTH", "0") != "0": self._fail(HTTP_BAD_REQUEST, "Only Depth: 0 supported.") elif res is None: self._fail(HTTP_NOT_FOUND) elif res.is_collection: self._fail( HTTP_FORBIDDEN, "Directory browsing is not enabled." "(to enable it put WsgiDavDirBrowser into middleware_stack" "option and set dir_browser -> enabled = True option.)", ) self._evaluate_if_headers(res, environ) filesize = res.get_content_length() if filesize is None: filesize = -1 # flag logic to read until EOF last_modified = res.get_last_modified() if last_modified is None: last_modified = -1 entitytag = res.get_etag() if entitytag is None: entitytag = "[]" # Ranges doignoreranges = ( not res.support_content_length() or not res.support_ranges() or filesize == 0 ) if ( "HTTP_RANGE" in environ and "HTTP_IF_RANGE" in environ and not doignoreranges ): ifrange = environ["HTTP_IF_RANGE"] # Try as http-date first (Return None, if invalid date string) secstime = util.parse_time_string(ifrange) if secstime: if last_modified != secstime: doignoreranges = True else: # Use as entity tag ifrange = ifrange.strip('" ') if entitytag is None or ifrange != entitytag: doignoreranges = True ispartialranges = False if "HTTP_RANGE" in environ and not doignoreranges: ispartialranges = True list_ranges, _totallength = util.obtain_content_ranges( environ["HTTP_RANGE"], filesize ) if len(list_ranges) == 0: # No valid ranges present self._fail(HTTP_RANGE_NOT_SATISFIABLE) # More than one range present -> take only the first range, since # multiple range returns require multipart, which is not supported # obtain_content_ranges supports more than one range in case the above # behaviour changes in future (range_start, range_end, range_length) = list_ranges[0] else: (range_start, range_end, range_length) = (0, filesize - 1, filesize) # Content Processing mimetype = res.get_content_type() # provider.get_content_type(path) response_headers = [] if res.support_content_length(): # Content-length must be of type string response_headers.append(("Content-Length", str(range_length))) if res.support_modified(): response_headers.append( ("Last-Modified", util.get_rfc1123_time(last_modified)) ) response_headers.append(("Content-Type", mimetype)) response_headers.append(("Date", util.get_rfc1123_time())) if res.support_etag(): response_headers.append(("ETag", '"{}"'.format(entitytag))) if "response_headers" in environ["wsgidav.config"]: customHeaders = environ["wsgidav.config"]["response_headers"] for header, value in customHeaders: response_headers.append((header, value)) res.finalize_headers(environ, response_headers) if ispartialranges: # response_headers.append(("Content-Ranges", "bytes " + str(range_start) + "-" + # str(range_end) + "/" + str(range_length))) response_headers.append( ( "Content-Range", "bytes {}-{}/{}".format(range_start, range_end, filesize), ) ) start_response("206 Partial Content", response_headers) else: start_response("200 OK", response_headers) # Return empty body for HEAD requests if is_head_method: yield b"" return fileobj = res.get_content() if not doignoreranges: fileobj.seek(range_start) contentlengthremaining = range_length while 1: if contentlengthremaining < 0 or contentlengthremaining > self.block_size: readbuffer = fileobj.read(self.block_size) else: readbuffer = fileobj.read(contentlengthremaining) assert compat.is_bytes(readbuffer) yield readbuffer contentlengthremaining -= len(readbuffer) if len(readbuffer) == 0 or contentlengthremaining == 0: break fileobj.close() return
def _send_resource(self, environ, start_response, is_head_method): """ If-Range If the entity is unchanged, send me the part(s) that I am missing; otherwise, send me the entire new entity If-Range: "737060cd8c284d8af7ad3082f209582d" @see: http://www.w3.org/Protocols/rfc2616/rfc2616-sec14.html#sec14.27 """ path = environ["PATH_INFO"] res = self._davProvider.get_resource_inst(path, environ) if util.get_content_length(environ) != 0: self._fail( HTTP_MEDIATYPE_NOT_SUPPORTED, "The server does not handle any body content.", ) elif environ.setdefault("HTTP_DEPTH", "0") != "0": self._fail(HTTP_BAD_REQUEST, "Only Depth: 0 supported.") elif res is None: self._fail(HTTP_NOT_FOUND) elif res.is_collection: self._fail( HTTP_FORBIDDEN, "Directory browsing is not enabled." "(to enable it put WsgiDavDirBrowser into middleware_stack" "option and set dir_browser -> enabled = True option.)", ) self._evaluate_if_headers(res, environ) filesize = res.get_content_length() if filesize is None: filesize = -1 # flag logic to read until EOF last_modified = res.get_last_modified() if last_modified is None: last_modified = -1 entitytag = res.get_etag() if entitytag is None: entitytag = "[]" # Ranges doignoreranges = ( not res.support_content_length() or not res.support_ranges() or filesize == 0 ) if ( "HTTP_RANGE" in environ and "HTTP_IF_RANGE" in environ and not doignoreranges ): ifrange = environ["HTTP_IF_RANGE"] # Try as http-date first (Return None, if invalid date string) secstime = util.parse_time_string(ifrange) if secstime: if last_modified != secstime: doignoreranges = True else: # Use as entity tag ifrange = ifrange.strip('" ') if entitytag is None or ifrange != entitytag: doignoreranges = True ispartialranges = False if "HTTP_RANGE" in environ and not doignoreranges: ispartialranges = True list_ranges, _totallength = util.obtain_content_ranges( environ["HTTP_RANGE"], filesize ) if len(list_ranges) == 0: # No valid ranges present self._fail(HTTP_RANGE_NOT_SATISFIABLE) # More than one range present -> take only the first range, since # multiple range returns require multipart, which is not supported # obtain_content_ranges supports more than one range in case the above # behaviour changes in future (range_start, range_end, range_length) = list_ranges[0] else: (range_start, range_end, range_length) = (0, filesize - 1, filesize) # Content Processing mimetype = res.get_content_type() # provider.get_content_type(path) response_headers = [] if res.support_content_length(): # Content-length must be of type string response_headers.append(("Content-Length", str(range_length))) if res.support_modified(): response_headers.append( ("Last-Modified", util.get_rfc1123_time(last_modified)) ) response_headers.append(("Content-Type", mimetype)) response_headers.append(("Date", util.get_rfc1123_time())) if res.support_etag(): response_headers.append(("ETag", '"{}"'.format(entitytag))) if "response_headers" in environ["wsgidav.config"]: customHeaders = environ["wsgidav.config"]["response_headers"] for header, value in customHeaders: response_headers.append((header, value)) res.finalize_headers(environ, response_headers) if ispartialranges: # response_headers.append(("Content-Ranges", "bytes " + str(range_start) + "-" + # str(range_end) + "/" + str(range_length))) response_headers.append( ( "Content-Range", "bytes {}-{}/{}".format(range_start, range_end, filesize), ) ) start_response("206 Partial Content", response_headers) else: start_response("200 OK", response_headers) # Return empty body for HEAD requests if is_head_method: yield b"" return fileobj = res.get_content() if not doignoreranges: fileobj.seek(range_start) contentlengthremaining = range_length while 1: if contentlengthremaining < 0 or contentlengthremaining > self.block_size: readbuffer = fileobj.read(self.block_size) else: readbuffer = fileobj.read(contentlengthremaining) assert compat.is_bytes(readbuffer) yield readbuffer contentlengthremaining -= len(readbuffer) if len(readbuffer) == 0 or contentlengthremaining == 0: break fileobj.close() return
[ "If", "-", "Range", "If", "the", "entity", "is", "unchanged", "send", "me", "the", "part", "(", "s", ")", "that", "I", "am", "missing", ";", "otherwise", "send", "me", "the", "entire", "new", "entity", "If", "-", "Range", ":", "737060cd8c284d8af7ad3082f209582d" ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/request_server.py#L1493-L1635
[ "def", "_send_resource", "(", "self", ",", "environ", ",", "start_response", ",", "is_head_method", ")", ":", "path", "=", "environ", "[", "\"PATH_INFO\"", "]", "res", "=", "self", ".", "_davProvider", ".", "get_resource_inst", "(", "path", ",", "environ", ")", "if", "util", ".", "get_content_length", "(", "environ", ")", "!=", "0", ":", "self", ".", "_fail", "(", "HTTP_MEDIATYPE_NOT_SUPPORTED", ",", "\"The server does not handle any body content.\"", ",", ")", "elif", "environ", ".", "setdefault", "(", "\"HTTP_DEPTH\"", ",", "\"0\"", ")", "!=", "\"0\"", ":", "self", ".", "_fail", "(", "HTTP_BAD_REQUEST", ",", "\"Only Depth: 0 supported.\"", ")", "elif", "res", "is", "None", ":", "self", ".", "_fail", "(", "HTTP_NOT_FOUND", ")", "elif", "res", ".", "is_collection", ":", "self", ".", "_fail", "(", "HTTP_FORBIDDEN", ",", "\"Directory browsing is not enabled.\"", "\"(to enable it put WsgiDavDirBrowser into middleware_stack\"", "\"option and set dir_browser -> enabled = True option.)\"", ",", ")", "self", ".", "_evaluate_if_headers", "(", "res", ",", "environ", ")", "filesize", "=", "res", ".", "get_content_length", "(", ")", "if", "filesize", "is", "None", ":", "filesize", "=", "-", "1", "# flag logic to read until EOF", "last_modified", "=", "res", ".", "get_last_modified", "(", ")", "if", "last_modified", "is", "None", ":", "last_modified", "=", "-", "1", "entitytag", "=", "res", ".", "get_etag", "(", ")", "if", "entitytag", "is", "None", ":", "entitytag", "=", "\"[]\"", "# Ranges", "doignoreranges", "=", "(", "not", "res", ".", "support_content_length", "(", ")", "or", "not", "res", ".", "support_ranges", "(", ")", "or", "filesize", "==", "0", ")", "if", "(", "\"HTTP_RANGE\"", "in", "environ", "and", "\"HTTP_IF_RANGE\"", "in", "environ", "and", "not", "doignoreranges", ")", ":", "ifrange", "=", "environ", "[", "\"HTTP_IF_RANGE\"", "]", "# Try as http-date first (Return None, if invalid date string)", "secstime", "=", "util", ".", "parse_time_string", "(", "ifrange", ")", "if", "secstime", ":", "if", "last_modified", "!=", "secstime", ":", "doignoreranges", "=", "True", "else", ":", "# Use as entity tag", "ifrange", "=", "ifrange", ".", "strip", "(", "'\" '", ")", "if", "entitytag", "is", "None", "or", "ifrange", "!=", "entitytag", ":", "doignoreranges", "=", "True", "ispartialranges", "=", "False", "if", "\"HTTP_RANGE\"", "in", "environ", "and", "not", "doignoreranges", ":", "ispartialranges", "=", "True", "list_ranges", ",", "_totallength", "=", "util", ".", "obtain_content_ranges", "(", "environ", "[", "\"HTTP_RANGE\"", "]", ",", "filesize", ")", "if", "len", "(", "list_ranges", ")", "==", "0", ":", "# No valid ranges present", "self", ".", "_fail", "(", "HTTP_RANGE_NOT_SATISFIABLE", ")", "# More than one range present -> take only the first range, since", "# multiple range returns require multipart, which is not supported", "# obtain_content_ranges supports more than one range in case the above", "# behaviour changes in future", "(", "range_start", ",", "range_end", ",", "range_length", ")", "=", "list_ranges", "[", "0", "]", "else", ":", "(", "range_start", ",", "range_end", ",", "range_length", ")", "=", "(", "0", ",", "filesize", "-", "1", ",", "filesize", ")", "# Content Processing", "mimetype", "=", "res", ".", "get_content_type", "(", ")", "# provider.get_content_type(path)", "response_headers", "=", "[", "]", "if", "res", ".", "support_content_length", "(", ")", ":", "# Content-length must be of type string", "response_headers", ".", "append", "(", "(", "\"Content-Length\"", ",", "str", "(", "range_length", ")", ")", ")", "if", "res", ".", "support_modified", "(", ")", ":", "response_headers", ".", "append", "(", "(", "\"Last-Modified\"", ",", "util", ".", "get_rfc1123_time", "(", "last_modified", ")", ")", ")", "response_headers", ".", "append", "(", "(", "\"Content-Type\"", ",", "mimetype", ")", ")", "response_headers", ".", "append", "(", "(", "\"Date\"", ",", "util", ".", "get_rfc1123_time", "(", ")", ")", ")", "if", "res", ".", "support_etag", "(", ")", ":", "response_headers", ".", "append", "(", "(", "\"ETag\"", ",", "'\"{}\"'", ".", "format", "(", "entitytag", ")", ")", ")", "if", "\"response_headers\"", "in", "environ", "[", "\"wsgidav.config\"", "]", ":", "customHeaders", "=", "environ", "[", "\"wsgidav.config\"", "]", "[", "\"response_headers\"", "]", "for", "header", ",", "value", "in", "customHeaders", ":", "response_headers", ".", "append", "(", "(", "header", ",", "value", ")", ")", "res", ".", "finalize_headers", "(", "environ", ",", "response_headers", ")", "if", "ispartialranges", ":", "# response_headers.append((\"Content-Ranges\", \"bytes \" + str(range_start) + \"-\" +", "# str(range_end) + \"/\" + str(range_length)))", "response_headers", ".", "append", "(", "(", "\"Content-Range\"", ",", "\"bytes {}-{}/{}\"", ".", "format", "(", "range_start", ",", "range_end", ",", "filesize", ")", ",", ")", ")", "start_response", "(", "\"206 Partial Content\"", ",", "response_headers", ")", "else", ":", "start_response", "(", "\"200 OK\"", ",", "response_headers", ")", "# Return empty body for HEAD requests", "if", "is_head_method", ":", "yield", "b\"\"", "return", "fileobj", "=", "res", ".", "get_content", "(", ")", "if", "not", "doignoreranges", ":", "fileobj", ".", "seek", "(", "range_start", ")", "contentlengthremaining", "=", "range_length", "while", "1", ":", "if", "contentlengthremaining", "<", "0", "or", "contentlengthremaining", ">", "self", ".", "block_size", ":", "readbuffer", "=", "fileobj", ".", "read", "(", "self", ".", "block_size", ")", "else", ":", "readbuffer", "=", "fileobj", ".", "read", "(", "contentlengthremaining", ")", "assert", "compat", ".", "is_bytes", "(", "readbuffer", ")", "yield", "readbuffer", "contentlengthremaining", "-=", "len", "(", "readbuffer", ")", "if", "len", "(", "readbuffer", ")", "==", "0", "or", "contentlengthremaining", "==", "0", ":", "break", "fileobj", ".", "close", "(", ")", "return" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
CouchPropertyManager._find
Return properties document for path.
wsgidav/prop_man/couch_property_manager.py
def _find(self, url): """Return properties document for path.""" # Query the permanent view to find a url vr = self.db.view("properties/by_url", key=url, include_docs=True) _logger.debug("find(%r) returned %s" % (url, len(vr))) assert len(vr) <= 1, "Found multiple matches for %r" % url for row in vr: assert row.doc return row.doc return None
def _find(self, url): """Return properties document for path.""" # Query the permanent view to find a url vr = self.db.view("properties/by_url", key=url, include_docs=True) _logger.debug("find(%r) returned %s" % (url, len(vr))) assert len(vr) <= 1, "Found multiple matches for %r" % url for row in vr: assert row.doc return row.doc return None
[ "Return", "properties", "document", "for", "path", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/prop_man/couch_property_manager.py#L115-L124
[ "def", "_find", "(", "self", ",", "url", ")", ":", "# Query the permanent view to find a url", "vr", "=", "self", ".", "db", ".", "view", "(", "\"properties/by_url\"", ",", "key", "=", "url", ",", "include_docs", "=", "True", ")", "_logger", ".", "debug", "(", "\"find(%r) returned %s\"", "%", "(", "url", ",", "len", "(", "vr", ")", ")", ")", "assert", "len", "(", "vr", ")", "<=", "1", ",", "\"Found multiple matches for %r\"", "%", "url", "for", "row", "in", "vr", ":", "assert", "row", ".", "doc", "return", "row", ".", "doc", "return", "None" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
CouchPropertyManager._find_descendents
Return properties document for url and all children.
wsgidav/prop_man/couch_property_manager.py
def _find_descendents(self, url): """Return properties document for url and all children.""" # Ad-hoc query for URL starting with a prefix map_fun = """function(doc) { var url = doc.url + "/"; if(doc.type === 'properties' && url.indexOf('%s') === 0) { emit(doc.url, { 'id': doc._id, 'url': doc.url }); } }""" % ( url + "/" ) vr = self.db.query(map_fun, include_docs=True) for row in vr: yield row.doc return
def _find_descendents(self, url): """Return properties document for url and all children.""" # Ad-hoc query for URL starting with a prefix map_fun = """function(doc) { var url = doc.url + "/"; if(doc.type === 'properties' && url.indexOf('%s') === 0) { emit(doc.url, { 'id': doc._id, 'url': doc.url }); } }""" % ( url + "/" ) vr = self.db.query(map_fun, include_docs=True) for row in vr: yield row.doc return
[ "Return", "properties", "document", "for", "url", "and", "all", "children", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/prop_man/couch_property_manager.py#L126-L140
[ "def", "_find_descendents", "(", "self", ",", "url", ")", ":", "# Ad-hoc query for URL starting with a prefix", "map_fun", "=", "\"\"\"function(doc) {\n var url = doc.url + \"/\";\n if(doc.type === 'properties' && url.indexOf('%s') === 0) {\n emit(doc.url, { 'id': doc._id, 'url': doc.url });\n }\n }\"\"\"", "%", "(", "url", "+", "\"/\"", ")", "vr", "=", "self", ".", "db", ".", "query", "(", "map_fun", ",", "include_docs", "=", "True", ")", "for", "row", "in", "vr", ":", "yield", "row", ".", "doc", "return" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
SimpleDomainController._get_realm_entry
Return the matching user_map entry (falling back to default '*' if any).
wsgidav/dc/simple_dc.py
def _get_realm_entry(self, realm, user_name=None): """Return the matching user_map entry (falling back to default '*' if any).""" realm_entry = self.user_map.get(realm) if realm_entry is None: realm_entry = self.user_map.get("*") if user_name is None or realm_entry is None: return realm_entry return realm_entry.get(user_name)
def _get_realm_entry(self, realm, user_name=None): """Return the matching user_map entry (falling back to default '*' if any).""" realm_entry = self.user_map.get(realm) if realm_entry is None: realm_entry = self.user_map.get("*") if user_name is None or realm_entry is None: return realm_entry return realm_entry.get(user_name)
[ "Return", "the", "matching", "user_map", "entry", "(", "falling", "back", "to", "default", "*", "if", "any", ")", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dc/simple_dc.py#L95-L102
[ "def", "_get_realm_entry", "(", "self", ",", "realm", ",", "user_name", "=", "None", ")", ":", "realm_entry", "=", "self", ".", "user_map", ".", "get", "(", "realm", ")", "if", "realm_entry", "is", "None", ":", "realm_entry", "=", "self", ".", "user_map", ".", "get", "(", "\"*\"", ")", "if", "user_name", "is", "None", "or", "realm_entry", "is", "None", ":", "return", "realm_entry", "return", "realm_entry", ".", "get", "(", "user_name", ")" ]
cec0d84222fc24bea01be1cea91729001963f172
valid
SimpleDomainController.get_domain_realm
Resolve a relative url to the appropriate realm name.
wsgidav/dc/simple_dc.py
def get_domain_realm(self, path_info, environ): """Resolve a relative url to the appropriate realm name.""" realm = self._calc_realm_from_path_provider(path_info, environ) return realm
def get_domain_realm(self, path_info, environ): """Resolve a relative url to the appropriate realm name.""" realm = self._calc_realm_from_path_provider(path_info, environ) return realm
[ "Resolve", "a", "relative", "url", "to", "the", "appropriate", "realm", "name", "." ]
mar10/wsgidav
python
https://github.com/mar10/wsgidav/blob/cec0d84222fc24bea01be1cea91729001963f172/wsgidav/dc/simple_dc.py#L104-L107
[ "def", "get_domain_realm", "(", "self", ",", "path_info", ",", "environ", ")", ":", "realm", "=", "self", ".", "_calc_realm_from_path_provider", "(", "path_info", ",", "environ", ")", "return", "realm" ]
cec0d84222fc24bea01be1cea91729001963f172