repo
stringlengths 7
55
| path
stringlengths 4
223
| func_name
stringlengths 1
134
| original_string
stringlengths 75
104k
| language
stringclasses 1
value | code
stringlengths 75
104k
| code_tokens
listlengths 19
28.4k
| docstring
stringlengths 1
46.9k
| docstring_tokens
listlengths 1
1.97k
| sha
stringlengths 40
40
| url
stringlengths 87
315
| partition
stringclasses 1
value |
|---|---|---|---|---|---|---|---|---|---|---|---|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/utils.py
|
unzip_to_temp_dir
|
def unzip_to_temp_dir(zip_file_name):
"""Unzip zipfile to a temporary directory.
The directory of the unzipped files is returned if success,
otherwise None is returned. """
if not zip_file_name or not os.path.exists(zip_file_name):
return None
zf = zipfile.ZipFile(zip_file_name)
if zf.testzip() is not None:
return None
# Unzip the files into a temporary directory
LOGGER.info("Extracting zipped file: %s" % zip_file_name)
tempdir = tempfile.mkdtemp()
try:
# Create directories that don't exist
for zip_name in zf.namelist():
# We have no knowledge on the os where the zipped file was
# created, so we restrict to zip files with paths without
# charactor "\" and "/".
name = (zip_name.replace("\\", os.path.sep).
replace("/", os.path.sep))
dest = os.path.join(tempdir, name)
if (name.endswith(os.path.sep) and not os.path.exists(dest)):
os.mkdir(dest)
LOGGER.debug("Directory %s created." % dest)
# Copy files
for zip_name in zf.namelist():
# We have no knowledge on the os where the zipped file was
# created, so we restrict to zip files with paths without
# charactor "\" and "/".
name = (zip_name.replace("\\", os.path.sep).
replace("/", os.path.sep))
dest = os.path.join(tempdir, name)
if not (name.endswith(os.path.sep)):
LOGGER.debug("Copying file %s......" % dest)
outfile = open(dest, 'wb')
outfile.write(zf.read(zip_name))
outfile.close()
LOGGER.debug("File %s copied." % dest)
LOGGER.info("Unzipped file can be found at %s" % tempdir)
return tempdir
except IOError as err:
LOGGER.error("Error in extracting webdriver.xpi: %s" % err)
return None
|
python
|
def unzip_to_temp_dir(zip_file_name):
"""Unzip zipfile to a temporary directory.
The directory of the unzipped files is returned if success,
otherwise None is returned. """
if not zip_file_name or not os.path.exists(zip_file_name):
return None
zf = zipfile.ZipFile(zip_file_name)
if zf.testzip() is not None:
return None
# Unzip the files into a temporary directory
LOGGER.info("Extracting zipped file: %s" % zip_file_name)
tempdir = tempfile.mkdtemp()
try:
# Create directories that don't exist
for zip_name in zf.namelist():
# We have no knowledge on the os where the zipped file was
# created, so we restrict to zip files with paths without
# charactor "\" and "/".
name = (zip_name.replace("\\", os.path.sep).
replace("/", os.path.sep))
dest = os.path.join(tempdir, name)
if (name.endswith(os.path.sep) and not os.path.exists(dest)):
os.mkdir(dest)
LOGGER.debug("Directory %s created." % dest)
# Copy files
for zip_name in zf.namelist():
# We have no knowledge on the os where the zipped file was
# created, so we restrict to zip files with paths without
# charactor "\" and "/".
name = (zip_name.replace("\\", os.path.sep).
replace("/", os.path.sep))
dest = os.path.join(tempdir, name)
if not (name.endswith(os.path.sep)):
LOGGER.debug("Copying file %s......" % dest)
outfile = open(dest, 'wb')
outfile.write(zf.read(zip_name))
outfile.close()
LOGGER.debug("File %s copied." % dest)
LOGGER.info("Unzipped file can be found at %s" % tempdir)
return tempdir
except IOError as err:
LOGGER.error("Error in extracting webdriver.xpi: %s" % err)
return None
|
[
"def",
"unzip_to_temp_dir",
"(",
"zip_file_name",
")",
":",
"if",
"not",
"zip_file_name",
"or",
"not",
"os",
".",
"path",
".",
"exists",
"(",
"zip_file_name",
")",
":",
"return",
"None",
"zf",
"=",
"zipfile",
".",
"ZipFile",
"(",
"zip_file_name",
")",
"if",
"zf",
".",
"testzip",
"(",
")",
"is",
"not",
"None",
":",
"return",
"None",
"# Unzip the files into a temporary directory",
"LOGGER",
".",
"info",
"(",
"\"Extracting zipped file: %s\"",
"%",
"zip_file_name",
")",
"tempdir",
"=",
"tempfile",
".",
"mkdtemp",
"(",
")",
"try",
":",
"# Create directories that don't exist",
"for",
"zip_name",
"in",
"zf",
".",
"namelist",
"(",
")",
":",
"# We have no knowledge on the os where the zipped file was",
"# created, so we restrict to zip files with paths without",
"# charactor \"\\\" and \"/\".",
"name",
"=",
"(",
"zip_name",
".",
"replace",
"(",
"\"\\\\\"",
",",
"os",
".",
"path",
".",
"sep",
")",
".",
"replace",
"(",
"\"/\"",
",",
"os",
".",
"path",
".",
"sep",
")",
")",
"dest",
"=",
"os",
".",
"path",
".",
"join",
"(",
"tempdir",
",",
"name",
")",
"if",
"(",
"name",
".",
"endswith",
"(",
"os",
".",
"path",
".",
"sep",
")",
"and",
"not",
"os",
".",
"path",
".",
"exists",
"(",
"dest",
")",
")",
":",
"os",
".",
"mkdir",
"(",
"dest",
")",
"LOGGER",
".",
"debug",
"(",
"\"Directory %s created.\"",
"%",
"dest",
")",
"# Copy files",
"for",
"zip_name",
"in",
"zf",
".",
"namelist",
"(",
")",
":",
"# We have no knowledge on the os where the zipped file was",
"# created, so we restrict to zip files with paths without",
"# charactor \"\\\" and \"/\".",
"name",
"=",
"(",
"zip_name",
".",
"replace",
"(",
"\"\\\\\"",
",",
"os",
".",
"path",
".",
"sep",
")",
".",
"replace",
"(",
"\"/\"",
",",
"os",
".",
"path",
".",
"sep",
")",
")",
"dest",
"=",
"os",
".",
"path",
".",
"join",
"(",
"tempdir",
",",
"name",
")",
"if",
"not",
"(",
"name",
".",
"endswith",
"(",
"os",
".",
"path",
".",
"sep",
")",
")",
":",
"LOGGER",
".",
"debug",
"(",
"\"Copying file %s......\"",
"%",
"dest",
")",
"outfile",
"=",
"open",
"(",
"dest",
",",
"'wb'",
")",
"outfile",
".",
"write",
"(",
"zf",
".",
"read",
"(",
"zip_name",
")",
")",
"outfile",
".",
"close",
"(",
")",
"LOGGER",
".",
"debug",
"(",
"\"File %s copied.\"",
"%",
"dest",
")",
"LOGGER",
".",
"info",
"(",
"\"Unzipped file can be found at %s\"",
"%",
"tempdir",
")",
"return",
"tempdir",
"except",
"IOError",
"as",
"err",
":",
"LOGGER",
".",
"error",
"(",
"\"Error in extracting webdriver.xpi: %s\"",
"%",
"err",
")",
"return",
"None"
] |
Unzip zipfile to a temporary directory.
The directory of the unzipped files is returned if success,
otherwise None is returned.
|
[
"Unzip",
"zipfile",
"to",
"a",
"temporary",
"directory",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/utils.py#L40-L90
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/touch_actions.py
|
TouchActions.tap
|
def tap(self, on_element):
"""
Taps on a given element.
:Args:
- on_element: The element to tap.
"""
self._actions.append(lambda: self._driver.execute(
Command.SINGLE_TAP, {'element': on_element.id}))
return self
|
python
|
def tap(self, on_element):
"""
Taps on a given element.
:Args:
- on_element: The element to tap.
"""
self._actions.append(lambda: self._driver.execute(
Command.SINGLE_TAP, {'element': on_element.id}))
return self
|
[
"def",
"tap",
"(",
"self",
",",
"on_element",
")",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"SINGLE_TAP",
",",
"{",
"'element'",
":",
"on_element",
".",
"id",
"}",
")",
")",
"return",
"self"
] |
Taps on a given element.
:Args:
- on_element: The element to tap.
|
[
"Taps",
"on",
"a",
"given",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/touch_actions.py#L49-L58
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/touch_actions.py
|
TouchActions.double_tap
|
def double_tap(self, on_element):
"""
Double taps on a given element.
:Args:
- on_element: The element to tap.
"""
self._actions.append(lambda: self._driver.execute(
Command.DOUBLE_TAP, {'element': on_element.id}))
return self
|
python
|
def double_tap(self, on_element):
"""
Double taps on a given element.
:Args:
- on_element: The element to tap.
"""
self._actions.append(lambda: self._driver.execute(
Command.DOUBLE_TAP, {'element': on_element.id}))
return self
|
[
"def",
"double_tap",
"(",
"self",
",",
"on_element",
")",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"DOUBLE_TAP",
",",
"{",
"'element'",
":",
"on_element",
".",
"id",
"}",
")",
")",
"return",
"self"
] |
Double taps on a given element.
:Args:
- on_element: The element to tap.
|
[
"Double",
"taps",
"on",
"a",
"given",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/touch_actions.py#L60-L69
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/touch_actions.py
|
TouchActions.tap_and_hold
|
def tap_and_hold(self, xcoord, ycoord):
"""
Touch down at given coordinates.
:Args:
- xcoord: X Coordinate to touch down.
- ycoord: Y Coordinate to touch down.
"""
self._actions.append(lambda: self._driver.execute(
Command.TOUCH_DOWN, {
'x': int(xcoord),
'y': int(ycoord)}))
return self
|
python
|
def tap_and_hold(self, xcoord, ycoord):
"""
Touch down at given coordinates.
:Args:
- xcoord: X Coordinate to touch down.
- ycoord: Y Coordinate to touch down.
"""
self._actions.append(lambda: self._driver.execute(
Command.TOUCH_DOWN, {
'x': int(xcoord),
'y': int(ycoord)}))
return self
|
[
"def",
"tap_and_hold",
"(",
"self",
",",
"xcoord",
",",
"ycoord",
")",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"TOUCH_DOWN",
",",
"{",
"'x'",
":",
"int",
"(",
"xcoord",
")",
",",
"'y'",
":",
"int",
"(",
"ycoord",
")",
"}",
")",
")",
"return",
"self"
] |
Touch down at given coordinates.
:Args:
- xcoord: X Coordinate to touch down.
- ycoord: Y Coordinate to touch down.
|
[
"Touch",
"down",
"at",
"given",
"coordinates",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/touch_actions.py#L71-L83
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/touch_actions.py
|
TouchActions.move
|
def move(self, xcoord, ycoord):
"""
Move held tap to specified location.
:Args:
- xcoord: X Coordinate to move.
- ycoord: Y Coordinate to move.
"""
self._actions.append(lambda: self._driver.execute(
Command.TOUCH_MOVE, {
'x': int(xcoord),
'y': int(ycoord)}))
return self
|
python
|
def move(self, xcoord, ycoord):
"""
Move held tap to specified location.
:Args:
- xcoord: X Coordinate to move.
- ycoord: Y Coordinate to move.
"""
self._actions.append(lambda: self._driver.execute(
Command.TOUCH_MOVE, {
'x': int(xcoord),
'y': int(ycoord)}))
return self
|
[
"def",
"move",
"(",
"self",
",",
"xcoord",
",",
"ycoord",
")",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"TOUCH_MOVE",
",",
"{",
"'x'",
":",
"int",
"(",
"xcoord",
")",
",",
"'y'",
":",
"int",
"(",
"ycoord",
")",
"}",
")",
")",
"return",
"self"
] |
Move held tap to specified location.
:Args:
- xcoord: X Coordinate to move.
- ycoord: Y Coordinate to move.
|
[
"Move",
"held",
"tap",
"to",
"specified",
"location",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/touch_actions.py#L85-L97
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/touch_actions.py
|
TouchActions.release
|
def release(self, xcoord, ycoord):
"""
Release previously issued tap 'and hold' command at specified location.
:Args:
- xcoord: X Coordinate to release.
- ycoord: Y Coordinate to release.
"""
self._actions.append(lambda: self._driver.execute(
Command.TOUCH_UP, {
'x': int(xcoord),
'y': int(ycoord)}))
return self
|
python
|
def release(self, xcoord, ycoord):
"""
Release previously issued tap 'and hold' command at specified location.
:Args:
- xcoord: X Coordinate to release.
- ycoord: Y Coordinate to release.
"""
self._actions.append(lambda: self._driver.execute(
Command.TOUCH_UP, {
'x': int(xcoord),
'y': int(ycoord)}))
return self
|
[
"def",
"release",
"(",
"self",
",",
"xcoord",
",",
"ycoord",
")",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"TOUCH_UP",
",",
"{",
"'x'",
":",
"int",
"(",
"xcoord",
")",
",",
"'y'",
":",
"int",
"(",
"ycoord",
")",
"}",
")",
")",
"return",
"self"
] |
Release previously issued tap 'and hold' command at specified location.
:Args:
- xcoord: X Coordinate to release.
- ycoord: Y Coordinate to release.
|
[
"Release",
"previously",
"issued",
"tap",
"and",
"hold",
"command",
"at",
"specified",
"location",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/touch_actions.py#L99-L111
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/touch_actions.py
|
TouchActions.scroll
|
def scroll(self, xoffset, yoffset):
"""
Touch and scroll, moving by xoffset and yoffset.
:Args:
- xoffset: X offset to scroll to.
- yoffset: Y offset to scroll to.
"""
self._actions.append(lambda: self._driver.execute(
Command.TOUCH_SCROLL, {
'xoffset': int(xoffset),
'yoffset': int(yoffset)}))
return self
|
python
|
def scroll(self, xoffset, yoffset):
"""
Touch and scroll, moving by xoffset and yoffset.
:Args:
- xoffset: X offset to scroll to.
- yoffset: Y offset to scroll to.
"""
self._actions.append(lambda: self._driver.execute(
Command.TOUCH_SCROLL, {
'xoffset': int(xoffset),
'yoffset': int(yoffset)}))
return self
|
[
"def",
"scroll",
"(",
"self",
",",
"xoffset",
",",
"yoffset",
")",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"TOUCH_SCROLL",
",",
"{",
"'xoffset'",
":",
"int",
"(",
"xoffset",
")",
",",
"'yoffset'",
":",
"int",
"(",
"yoffset",
")",
"}",
")",
")",
"return",
"self"
] |
Touch and scroll, moving by xoffset and yoffset.
:Args:
- xoffset: X offset to scroll to.
- yoffset: Y offset to scroll to.
|
[
"Touch",
"and",
"scroll",
"moving",
"by",
"xoffset",
"and",
"yoffset",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/touch_actions.py#L113-L125
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/touch_actions.py
|
TouchActions.scroll_from_element
|
def scroll_from_element(self, on_element, xoffset, yoffset):
"""
Touch and scroll starting at on_element, moving by xoffset and yoffset.
:Args:
- on_element: The element where scroll starts.
- xoffset: X offset to scroll to.
- yoffset: Y offset to scroll to.
"""
self._actions.append(lambda: self._driver.execute(
Command.TOUCH_SCROLL, {
'element': on_element.id,
'xoffset': int(xoffset),
'yoffset': int(yoffset)}))
return self
|
python
|
def scroll_from_element(self, on_element, xoffset, yoffset):
"""
Touch and scroll starting at on_element, moving by xoffset and yoffset.
:Args:
- on_element: The element where scroll starts.
- xoffset: X offset to scroll to.
- yoffset: Y offset to scroll to.
"""
self._actions.append(lambda: self._driver.execute(
Command.TOUCH_SCROLL, {
'element': on_element.id,
'xoffset': int(xoffset),
'yoffset': int(yoffset)}))
return self
|
[
"def",
"scroll_from_element",
"(",
"self",
",",
"on_element",
",",
"xoffset",
",",
"yoffset",
")",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"TOUCH_SCROLL",
",",
"{",
"'element'",
":",
"on_element",
".",
"id",
",",
"'xoffset'",
":",
"int",
"(",
"xoffset",
")",
",",
"'yoffset'",
":",
"int",
"(",
"yoffset",
")",
"}",
")",
")",
"return",
"self"
] |
Touch and scroll starting at on_element, moving by xoffset and yoffset.
:Args:
- on_element: The element where scroll starts.
- xoffset: X offset to scroll to.
- yoffset: Y offset to scroll to.
|
[
"Touch",
"and",
"scroll",
"starting",
"at",
"on_element",
"moving",
"by",
"xoffset",
"and",
"yoffset",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/touch_actions.py#L127-L141
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/touch_actions.py
|
TouchActions.long_press
|
def long_press(self, on_element):
"""
Long press on an element.
:Args:
- on_element: The element to long press.
"""
self._actions.append(lambda: self._driver.execute(
Command.LONG_PRESS, {'element': on_element.id}))
return self
|
python
|
def long_press(self, on_element):
"""
Long press on an element.
:Args:
- on_element: The element to long press.
"""
self._actions.append(lambda: self._driver.execute(
Command.LONG_PRESS, {'element': on_element.id}))
return self
|
[
"def",
"long_press",
"(",
"self",
",",
"on_element",
")",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"LONG_PRESS",
",",
"{",
"'element'",
":",
"on_element",
".",
"id",
"}",
")",
")",
"return",
"self"
] |
Long press on an element.
:Args:
- on_element: The element to long press.
|
[
"Long",
"press",
"on",
"an",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/touch_actions.py#L143-L152
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/touch_actions.py
|
TouchActions.flick
|
def flick(self, xspeed, yspeed):
"""
Flicks, starting anywhere on the screen.
:Args:
- xspeed: The X speed in pixels per second.
- yspeed: The Y speed in pixels per second.
"""
self._actions.append(lambda: self._driver.execute(
Command.FLICK, {
'xspeed': int(xspeed),
'yspeed': int(yspeed)}))
return self
|
python
|
def flick(self, xspeed, yspeed):
"""
Flicks, starting anywhere on the screen.
:Args:
- xspeed: The X speed in pixels per second.
- yspeed: The Y speed in pixels per second.
"""
self._actions.append(lambda: self._driver.execute(
Command.FLICK, {
'xspeed': int(xspeed),
'yspeed': int(yspeed)}))
return self
|
[
"def",
"flick",
"(",
"self",
",",
"xspeed",
",",
"yspeed",
")",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"FLICK",
",",
"{",
"'xspeed'",
":",
"int",
"(",
"xspeed",
")",
",",
"'yspeed'",
":",
"int",
"(",
"yspeed",
")",
"}",
")",
")",
"return",
"self"
] |
Flicks, starting anywhere on the screen.
:Args:
- xspeed: The X speed in pixels per second.
- yspeed: The Y speed in pixels per second.
|
[
"Flicks",
"starting",
"anywhere",
"on",
"the",
"screen",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/touch_actions.py#L154-L166
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/touch_actions.py
|
TouchActions.flick_element
|
def flick_element(self, on_element, xoffset, yoffset, speed):
"""
Flick starting at on_element, and moving by the xoffset and yoffset
with specified speed.
:Args:
- on_element: Flick will start at center of element.
- xoffset: X offset to flick to.
- yoffset: Y offset to flick to.
- speed: Pixels per second to flick.
"""
self._actions.append(lambda: self._driver.execute(
Command.FLICK, {
'element': on_element.id,
'xoffset': int(xoffset),
'yoffset': int(yoffset),
'speed': int(speed)}))
return self
|
python
|
def flick_element(self, on_element, xoffset, yoffset, speed):
"""
Flick starting at on_element, and moving by the xoffset and yoffset
with specified speed.
:Args:
- on_element: Flick will start at center of element.
- xoffset: X offset to flick to.
- yoffset: Y offset to flick to.
- speed: Pixels per second to flick.
"""
self._actions.append(lambda: self._driver.execute(
Command.FLICK, {
'element': on_element.id,
'xoffset': int(xoffset),
'yoffset': int(yoffset),
'speed': int(speed)}))
return self
|
[
"def",
"flick_element",
"(",
"self",
",",
"on_element",
",",
"xoffset",
",",
"yoffset",
",",
"speed",
")",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"FLICK",
",",
"{",
"'element'",
":",
"on_element",
".",
"id",
",",
"'xoffset'",
":",
"int",
"(",
"xoffset",
")",
",",
"'yoffset'",
":",
"int",
"(",
"yoffset",
")",
",",
"'speed'",
":",
"int",
"(",
"speed",
")",
"}",
")",
")",
"return",
"self"
] |
Flick starting at on_element, and moving by the xoffset and yoffset
with specified speed.
:Args:
- on_element: Flick will start at center of element.
- xoffset: X offset to flick to.
- yoffset: Y offset to flick to.
- speed: Pixels per second to flick.
|
[
"Flick",
"starting",
"at",
"on_element",
"and",
"moving",
"by",
"the",
"xoffset",
"and",
"yoffset",
"with",
"specified",
"speed",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/touch_actions.py#L168-L185
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/webkitgtk/options.py
|
Options.to_capabilities
|
def to_capabilities(self):
"""
Creates a capabilities with all the options that have been set and
returns a dictionary with everything
"""
caps = self._caps
browser_options = {}
if self.binary_location:
browser_options["binary"] = self.binary_location
if self.arguments:
browser_options["args"] = self.arguments
browser_options["useOverlayScrollbars"] = self.overlay_scrollbars_enabled
caps[Options.KEY] = browser_options
return caps
|
python
|
def to_capabilities(self):
"""
Creates a capabilities with all the options that have been set and
returns a dictionary with everything
"""
caps = self._caps
browser_options = {}
if self.binary_location:
browser_options["binary"] = self.binary_location
if self.arguments:
browser_options["args"] = self.arguments
browser_options["useOverlayScrollbars"] = self.overlay_scrollbars_enabled
caps[Options.KEY] = browser_options
return caps
|
[
"def",
"to_capabilities",
"(",
"self",
")",
":",
"caps",
"=",
"self",
".",
"_caps",
"browser_options",
"=",
"{",
"}",
"if",
"self",
".",
"binary_location",
":",
"browser_options",
"[",
"\"binary\"",
"]",
"=",
"self",
".",
"binary_location",
"if",
"self",
".",
"arguments",
":",
"browser_options",
"[",
"\"args\"",
"]",
"=",
"self",
".",
"arguments",
"browser_options",
"[",
"\"useOverlayScrollbars\"",
"]",
"=",
"self",
".",
"overlay_scrollbars_enabled",
"caps",
"[",
"Options",
".",
"KEY",
"]",
"=",
"browser_options",
"return",
"caps"
] |
Creates a capabilities with all the options that have been set and
returns a dictionary with everything
|
[
"Creates",
"a",
"capabilities",
"with",
"all",
"the",
"options",
"that",
"have",
"been",
"set",
"and",
"returns",
"a",
"dictionary",
"with",
"everything"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/webkitgtk/options.py#L64-L80
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/switch_to.py
|
SwitchTo.active_element
|
def active_element(self):
"""
Returns the element with focus, or BODY if nothing has focus.
:Usage:
::
element = driver.switch_to.active_element
"""
if self._driver.w3c:
return self._driver.execute(Command.W3C_GET_ACTIVE_ELEMENT)['value']
else:
return self._driver.execute(Command.GET_ACTIVE_ELEMENT)['value']
|
python
|
def active_element(self):
"""
Returns the element with focus, or BODY if nothing has focus.
:Usage:
::
element = driver.switch_to.active_element
"""
if self._driver.w3c:
return self._driver.execute(Command.W3C_GET_ACTIVE_ELEMENT)['value']
else:
return self._driver.execute(Command.GET_ACTIVE_ELEMENT)['value']
|
[
"def",
"active_element",
"(",
"self",
")",
":",
"if",
"self",
".",
"_driver",
".",
"w3c",
":",
"return",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"W3C_GET_ACTIVE_ELEMENT",
")",
"[",
"'value'",
"]",
"else",
":",
"return",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"GET_ACTIVE_ELEMENT",
")",
"[",
"'value'",
"]"
] |
Returns the element with focus, or BODY if nothing has focus.
:Usage:
::
element = driver.switch_to.active_element
|
[
"Returns",
"the",
"element",
"with",
"focus",
"or",
"BODY",
"if",
"nothing",
"has",
"focus",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/switch_to.py#L34-L46
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/switch_to.py
|
SwitchTo.frame
|
def frame(self, frame_reference):
"""
Switches focus to the specified frame, by index, name, or webelement.
:Args:
- frame_reference: The name of the window to switch to, an integer representing the index,
or a webelement that is an (i)frame to switch to.
:Usage:
::
driver.switch_to.frame('frame_name')
driver.switch_to.frame(1)
driver.switch_to.frame(driver.find_elements_by_tag_name("iframe")[0])
"""
if isinstance(frame_reference, basestring) and self._driver.w3c:
try:
frame_reference = self._driver.find_element(By.ID, frame_reference)
except NoSuchElementException:
try:
frame_reference = self._driver.find_element(By.NAME, frame_reference)
except NoSuchElementException:
raise NoSuchFrameException(frame_reference)
self._driver.execute(Command.SWITCH_TO_FRAME, {'id': frame_reference})
|
python
|
def frame(self, frame_reference):
"""
Switches focus to the specified frame, by index, name, or webelement.
:Args:
- frame_reference: The name of the window to switch to, an integer representing the index,
or a webelement that is an (i)frame to switch to.
:Usage:
::
driver.switch_to.frame('frame_name')
driver.switch_to.frame(1)
driver.switch_to.frame(driver.find_elements_by_tag_name("iframe")[0])
"""
if isinstance(frame_reference, basestring) and self._driver.w3c:
try:
frame_reference = self._driver.find_element(By.ID, frame_reference)
except NoSuchElementException:
try:
frame_reference = self._driver.find_element(By.NAME, frame_reference)
except NoSuchElementException:
raise NoSuchFrameException(frame_reference)
self._driver.execute(Command.SWITCH_TO_FRAME, {'id': frame_reference})
|
[
"def",
"frame",
"(",
"self",
",",
"frame_reference",
")",
":",
"if",
"isinstance",
"(",
"frame_reference",
",",
"basestring",
")",
"and",
"self",
".",
"_driver",
".",
"w3c",
":",
"try",
":",
"frame_reference",
"=",
"self",
".",
"_driver",
".",
"find_element",
"(",
"By",
".",
"ID",
",",
"frame_reference",
")",
"except",
"NoSuchElementException",
":",
"try",
":",
"frame_reference",
"=",
"self",
".",
"_driver",
".",
"find_element",
"(",
"By",
".",
"NAME",
",",
"frame_reference",
")",
"except",
"NoSuchElementException",
":",
"raise",
"NoSuchFrameException",
"(",
"frame_reference",
")",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"SWITCH_TO_FRAME",
",",
"{",
"'id'",
":",
"frame_reference",
"}",
")"
] |
Switches focus to the specified frame, by index, name, or webelement.
:Args:
- frame_reference: The name of the window to switch to, an integer representing the index,
or a webelement that is an (i)frame to switch to.
:Usage:
::
driver.switch_to.frame('frame_name')
driver.switch_to.frame(1)
driver.switch_to.frame(driver.find_elements_by_tag_name("iframe")[0])
|
[
"Switches",
"focus",
"to",
"the",
"specified",
"frame",
"by",
"index",
"name",
"or",
"webelement",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/switch_to.py#L73-L97
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/switch_to.py
|
SwitchTo.new_window
|
def new_window(self, type_hint=None):
"""Switches to a new top-level browsing context.
The type hint can be one of "tab" or "window". If not specified the
browser will automatically select it.
:Usage:
::
driver.switch_to.new_window('tab')
"""
value = self._driver.execute(Command.NEW_WINDOW, {'type': type_hint})['value']
self._w3c_window(value['handle'])
|
python
|
def new_window(self, type_hint=None):
"""Switches to a new top-level browsing context.
The type hint can be one of "tab" or "window". If not specified the
browser will automatically select it.
:Usage:
::
driver.switch_to.new_window('tab')
"""
value = self._driver.execute(Command.NEW_WINDOW, {'type': type_hint})['value']
self._w3c_window(value['handle'])
|
[
"def",
"new_window",
"(",
"self",
",",
"type_hint",
"=",
"None",
")",
":",
"value",
"=",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"NEW_WINDOW",
",",
"{",
"'type'",
":",
"type_hint",
"}",
")",
"[",
"'value'",
"]",
"self",
".",
"_w3c_window",
"(",
"value",
"[",
"'handle'",
"]",
")"
] |
Switches to a new top-level browsing context.
The type hint can be one of "tab" or "window". If not specified the
browser will automatically select it.
:Usage:
::
driver.switch_to.new_window('tab')
|
[
"Switches",
"to",
"a",
"new",
"top",
"-",
"level",
"browsing",
"context",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/switch_to.py#L99-L111
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/switch_to.py
|
SwitchTo.window
|
def window(self, window_name):
"""
Switches focus to the specified window.
:Args:
- window_name: The name or window handle of the window to switch to.
:Usage:
::
driver.switch_to.window('main')
"""
if self._driver.w3c:
self._w3c_window(window_name)
return
data = {'name': window_name}
self._driver.execute(Command.SWITCH_TO_WINDOW, data)
|
python
|
def window(self, window_name):
"""
Switches focus to the specified window.
:Args:
- window_name: The name or window handle of the window to switch to.
:Usage:
::
driver.switch_to.window('main')
"""
if self._driver.w3c:
self._w3c_window(window_name)
return
data = {'name': window_name}
self._driver.execute(Command.SWITCH_TO_WINDOW, data)
|
[
"def",
"window",
"(",
"self",
",",
"window_name",
")",
":",
"if",
"self",
".",
"_driver",
".",
"w3c",
":",
"self",
".",
"_w3c_window",
"(",
"window_name",
")",
"return",
"data",
"=",
"{",
"'name'",
":",
"window_name",
"}",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"SWITCH_TO_WINDOW",
",",
"data",
")"
] |
Switches focus to the specified window.
:Args:
- window_name: The name or window handle of the window to switch to.
:Usage:
::
driver.switch_to.window('main')
|
[
"Switches",
"focus",
"to",
"the",
"specified",
"window",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/switch_to.py#L125-L141
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.perform
|
def perform(self):
"""
Performs all stored actions.
"""
if self._driver.w3c:
self.w3c_actions.perform()
else:
for action in self._actions:
action()
|
python
|
def perform(self):
"""
Performs all stored actions.
"""
if self._driver.w3c:
self.w3c_actions.perform()
else:
for action in self._actions:
action()
|
[
"def",
"perform",
"(",
"self",
")",
":",
"if",
"self",
".",
"_driver",
".",
"w3c",
":",
"self",
".",
"w3c_actions",
".",
"perform",
"(",
")",
"else",
":",
"for",
"action",
"in",
"self",
".",
"_actions",
":",
"action",
"(",
")"
] |
Performs all stored actions.
|
[
"Performs",
"all",
"stored",
"actions",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L75-L83
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.reset_actions
|
def reset_actions(self):
"""
Clears actions that are already stored locally and on the remote end
"""
if self._driver.w3c:
self.w3c_actions.clear_actions()
self._actions = []
|
python
|
def reset_actions(self):
"""
Clears actions that are already stored locally and on the remote end
"""
if self._driver.w3c:
self.w3c_actions.clear_actions()
self._actions = []
|
[
"def",
"reset_actions",
"(",
"self",
")",
":",
"if",
"self",
".",
"_driver",
".",
"w3c",
":",
"self",
".",
"w3c_actions",
".",
"clear_actions",
"(",
")",
"self",
".",
"_actions",
"=",
"[",
"]"
] |
Clears actions that are already stored locally and on the remote end
|
[
"Clears",
"actions",
"that",
"are",
"already",
"stored",
"locally",
"and",
"on",
"the",
"remote",
"end"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L85-L91
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.click_and_hold
|
def click_and_hold(self, on_element=None):
"""
Holds down the left mouse button on an element.
:Args:
- on_element: The element to mouse down.
If None, clicks on current mouse position.
"""
if on_element:
self.move_to_element(on_element)
if self._driver.w3c:
self.w3c_actions.pointer_action.click_and_hold()
self.w3c_actions.key_action.pause()
else:
self._actions.append(lambda: self._driver.execute(
Command.MOUSE_DOWN, {}))
return self
|
python
|
def click_and_hold(self, on_element=None):
"""
Holds down the left mouse button on an element.
:Args:
- on_element: The element to mouse down.
If None, clicks on current mouse position.
"""
if on_element:
self.move_to_element(on_element)
if self._driver.w3c:
self.w3c_actions.pointer_action.click_and_hold()
self.w3c_actions.key_action.pause()
else:
self._actions.append(lambda: self._driver.execute(
Command.MOUSE_DOWN, {}))
return self
|
[
"def",
"click_and_hold",
"(",
"self",
",",
"on_element",
"=",
"None",
")",
":",
"if",
"on_element",
":",
"self",
".",
"move_to_element",
"(",
"on_element",
")",
"if",
"self",
".",
"_driver",
".",
"w3c",
":",
"self",
".",
"w3c_actions",
".",
"pointer_action",
".",
"click_and_hold",
"(",
")",
"self",
".",
"w3c_actions",
".",
"key_action",
".",
"pause",
"(",
")",
"else",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"MOUSE_DOWN",
",",
"{",
"}",
")",
")",
"return",
"self"
] |
Holds down the left mouse button on an element.
:Args:
- on_element: The element to mouse down.
If None, clicks on current mouse position.
|
[
"Holds",
"down",
"the",
"left",
"mouse",
"button",
"on",
"an",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L112-L128
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.context_click
|
def context_click(self, on_element=None):
"""
Performs a context-click (right click) on an element.
:Args:
- on_element: The element to context-click.
If None, clicks on current mouse position.
"""
if on_element:
self.move_to_element(on_element)
if self._driver.w3c:
self.w3c_actions.pointer_action.context_click()
self.w3c_actions.key_action.pause()
self.w3c_actions.key_action.pause()
else:
self._actions.append(lambda: self._driver.execute(
Command.CLICK, {'button': 2}))
return self
|
python
|
def context_click(self, on_element=None):
"""
Performs a context-click (right click) on an element.
:Args:
- on_element: The element to context-click.
If None, clicks on current mouse position.
"""
if on_element:
self.move_to_element(on_element)
if self._driver.w3c:
self.w3c_actions.pointer_action.context_click()
self.w3c_actions.key_action.pause()
self.w3c_actions.key_action.pause()
else:
self._actions.append(lambda: self._driver.execute(
Command.CLICK, {'button': 2}))
return self
|
[
"def",
"context_click",
"(",
"self",
",",
"on_element",
"=",
"None",
")",
":",
"if",
"on_element",
":",
"self",
".",
"move_to_element",
"(",
"on_element",
")",
"if",
"self",
".",
"_driver",
".",
"w3c",
":",
"self",
".",
"w3c_actions",
".",
"pointer_action",
".",
"context_click",
"(",
")",
"self",
".",
"w3c_actions",
".",
"key_action",
".",
"pause",
"(",
")",
"self",
".",
"w3c_actions",
".",
"key_action",
".",
"pause",
"(",
")",
"else",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"CLICK",
",",
"{",
"'button'",
":",
"2",
"}",
")",
")",
"return",
"self"
] |
Performs a context-click (right click) on an element.
:Args:
- on_element: The element to context-click.
If None, clicks on current mouse position.
|
[
"Performs",
"a",
"context",
"-",
"click",
"(",
"right",
"click",
")",
"on",
"an",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L130-L147
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.double_click
|
def double_click(self, on_element=None):
"""
Double-clicks an element.
:Args:
- on_element: The element to double-click.
If None, clicks on current mouse position.
"""
if on_element:
self.move_to_element(on_element)
if self._driver.w3c:
self.w3c_actions.pointer_action.double_click()
for _ in range(4):
self.w3c_actions.key_action.pause()
else:
self._actions.append(lambda: self._driver.execute(
Command.DOUBLE_CLICK, {}))
return self
|
python
|
def double_click(self, on_element=None):
"""
Double-clicks an element.
:Args:
- on_element: The element to double-click.
If None, clicks on current mouse position.
"""
if on_element:
self.move_to_element(on_element)
if self._driver.w3c:
self.w3c_actions.pointer_action.double_click()
for _ in range(4):
self.w3c_actions.key_action.pause()
else:
self._actions.append(lambda: self._driver.execute(
Command.DOUBLE_CLICK, {}))
return self
|
[
"def",
"double_click",
"(",
"self",
",",
"on_element",
"=",
"None",
")",
":",
"if",
"on_element",
":",
"self",
".",
"move_to_element",
"(",
"on_element",
")",
"if",
"self",
".",
"_driver",
".",
"w3c",
":",
"self",
".",
"w3c_actions",
".",
"pointer_action",
".",
"double_click",
"(",
")",
"for",
"_",
"in",
"range",
"(",
"4",
")",
":",
"self",
".",
"w3c_actions",
".",
"key_action",
".",
"pause",
"(",
")",
"else",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"DOUBLE_CLICK",
",",
"{",
"}",
")",
")",
"return",
"self"
] |
Double-clicks an element.
:Args:
- on_element: The element to double-click.
If None, clicks on current mouse position.
|
[
"Double",
"-",
"clicks",
"an",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L149-L166
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.drag_and_drop
|
def drag_and_drop(self, source, target):
"""
Holds down the left mouse button on the source element,
then moves to the target element and releases the mouse button.
:Args:
- source: The element to mouse down.
- target: The element to mouse up.
"""
self.click_and_hold(source)
self.release(target)
return self
|
python
|
def drag_and_drop(self, source, target):
"""
Holds down the left mouse button on the source element,
then moves to the target element and releases the mouse button.
:Args:
- source: The element to mouse down.
- target: The element to mouse up.
"""
self.click_and_hold(source)
self.release(target)
return self
|
[
"def",
"drag_and_drop",
"(",
"self",
",",
"source",
",",
"target",
")",
":",
"self",
".",
"click_and_hold",
"(",
"source",
")",
"self",
".",
"release",
"(",
"target",
")",
"return",
"self"
] |
Holds down the left mouse button on the source element,
then moves to the target element and releases the mouse button.
:Args:
- source: The element to mouse down.
- target: The element to mouse up.
|
[
"Holds",
"down",
"the",
"left",
"mouse",
"button",
"on",
"the",
"source",
"element",
"then",
"moves",
"to",
"the",
"target",
"element",
"and",
"releases",
"the",
"mouse",
"button",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L168-L179
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.drag_and_drop_by_offset
|
def drag_and_drop_by_offset(self, source, xoffset, yoffset):
"""
Holds down the left mouse button on the source element,
then moves to the target offset and releases the mouse button.
:Args:
- source: The element to mouse down.
- xoffset: X offset to move to.
- yoffset: Y offset to move to.
"""
self.click_and_hold(source)
self.move_by_offset(xoffset, yoffset)
self.release()
return self
|
python
|
def drag_and_drop_by_offset(self, source, xoffset, yoffset):
"""
Holds down the left mouse button on the source element,
then moves to the target offset and releases the mouse button.
:Args:
- source: The element to mouse down.
- xoffset: X offset to move to.
- yoffset: Y offset to move to.
"""
self.click_and_hold(source)
self.move_by_offset(xoffset, yoffset)
self.release()
return self
|
[
"def",
"drag_and_drop_by_offset",
"(",
"self",
",",
"source",
",",
"xoffset",
",",
"yoffset",
")",
":",
"self",
".",
"click_and_hold",
"(",
"source",
")",
"self",
".",
"move_by_offset",
"(",
"xoffset",
",",
"yoffset",
")",
"self",
".",
"release",
"(",
")",
"return",
"self"
] |
Holds down the left mouse button on the source element,
then moves to the target offset and releases the mouse button.
:Args:
- source: The element to mouse down.
- xoffset: X offset to move to.
- yoffset: Y offset to move to.
|
[
"Holds",
"down",
"the",
"left",
"mouse",
"button",
"on",
"the",
"source",
"element",
"then",
"moves",
"to",
"the",
"target",
"offset",
"and",
"releases",
"the",
"mouse",
"button",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L181-L194
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.key_down
|
def key_down(self, value, element=None):
"""
Sends a key press only, without releasing it.
Should only be used with modifier keys (Control, Alt and Shift).
:Args:
- value: The modifier key to send. Values are defined in `Keys` class.
- element: The element to send keys.
If None, sends a key to current focused element.
Example, pressing ctrl+c::
ActionChains(driver).key_down(Keys.CONTROL).send_keys('c').key_up(Keys.CONTROL).perform()
"""
if element:
self.click(element)
if self._driver.w3c:
self.w3c_actions.key_action.key_down(value)
self.w3c_actions.pointer_action.pause()
else:
self._actions.append(lambda: self._driver.execute(
Command.SEND_KEYS_TO_ACTIVE_ELEMENT,
{"value": keys_to_typing(value)}))
return self
|
python
|
def key_down(self, value, element=None):
"""
Sends a key press only, without releasing it.
Should only be used with modifier keys (Control, Alt and Shift).
:Args:
- value: The modifier key to send. Values are defined in `Keys` class.
- element: The element to send keys.
If None, sends a key to current focused element.
Example, pressing ctrl+c::
ActionChains(driver).key_down(Keys.CONTROL).send_keys('c').key_up(Keys.CONTROL).perform()
"""
if element:
self.click(element)
if self._driver.w3c:
self.w3c_actions.key_action.key_down(value)
self.w3c_actions.pointer_action.pause()
else:
self._actions.append(lambda: self._driver.execute(
Command.SEND_KEYS_TO_ACTIVE_ELEMENT,
{"value": keys_to_typing(value)}))
return self
|
[
"def",
"key_down",
"(",
"self",
",",
"value",
",",
"element",
"=",
"None",
")",
":",
"if",
"element",
":",
"self",
".",
"click",
"(",
"element",
")",
"if",
"self",
".",
"_driver",
".",
"w3c",
":",
"self",
".",
"w3c_actions",
".",
"key_action",
".",
"key_down",
"(",
"value",
")",
"self",
".",
"w3c_actions",
".",
"pointer_action",
".",
"pause",
"(",
")",
"else",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"SEND_KEYS_TO_ACTIVE_ELEMENT",
",",
"{",
"\"value\"",
":",
"keys_to_typing",
"(",
"value",
")",
"}",
")",
")",
"return",
"self"
] |
Sends a key press only, without releasing it.
Should only be used with modifier keys (Control, Alt and Shift).
:Args:
- value: The modifier key to send. Values are defined in `Keys` class.
- element: The element to send keys.
If None, sends a key to current focused element.
Example, pressing ctrl+c::
ActionChains(driver).key_down(Keys.CONTROL).send_keys('c').key_up(Keys.CONTROL).perform()
|
[
"Sends",
"a",
"key",
"press",
"only",
"without",
"releasing",
"it",
".",
"Should",
"only",
"be",
"used",
"with",
"modifier",
"keys",
"(",
"Control",
"Alt",
"and",
"Shift",
")",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L196-L220
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.move_by_offset
|
def move_by_offset(self, xoffset, yoffset):
"""
Moving the mouse to an offset from current mouse position.
:Args:
- xoffset: X offset to move to, as a positive or negative integer.
- yoffset: Y offset to move to, as a positive or negative integer.
"""
if self._driver.w3c:
self.w3c_actions.pointer_action.move_by(xoffset, yoffset)
self.w3c_actions.key_action.pause()
else:
self._actions.append(lambda: self._driver.execute(
Command.MOVE_TO, {
'xoffset': int(xoffset),
'yoffset': int(yoffset)}))
return self
|
python
|
def move_by_offset(self, xoffset, yoffset):
"""
Moving the mouse to an offset from current mouse position.
:Args:
- xoffset: X offset to move to, as a positive or negative integer.
- yoffset: Y offset to move to, as a positive or negative integer.
"""
if self._driver.w3c:
self.w3c_actions.pointer_action.move_by(xoffset, yoffset)
self.w3c_actions.key_action.pause()
else:
self._actions.append(lambda: self._driver.execute(
Command.MOVE_TO, {
'xoffset': int(xoffset),
'yoffset': int(yoffset)}))
return self
|
[
"def",
"move_by_offset",
"(",
"self",
",",
"xoffset",
",",
"yoffset",
")",
":",
"if",
"self",
".",
"_driver",
".",
"w3c",
":",
"self",
".",
"w3c_actions",
".",
"pointer_action",
".",
"move_by",
"(",
"xoffset",
",",
"yoffset",
")",
"self",
".",
"w3c_actions",
".",
"key_action",
".",
"pause",
"(",
")",
"else",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"MOVE_TO",
",",
"{",
"'xoffset'",
":",
"int",
"(",
"xoffset",
")",
",",
"'yoffset'",
":",
"int",
"(",
"yoffset",
")",
"}",
")",
")",
"return",
"self"
] |
Moving the mouse to an offset from current mouse position.
:Args:
- xoffset: X offset to move to, as a positive or negative integer.
- yoffset: Y offset to move to, as a positive or negative integer.
|
[
"Moving",
"the",
"mouse",
"to",
"an",
"offset",
"from",
"current",
"mouse",
"position",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L247-L263
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.move_to_element
|
def move_to_element(self, to_element):
"""
Moving the mouse to the middle of an element.
:Args:
- to_element: The WebElement to move to.
"""
if self._driver.w3c:
self.w3c_actions.pointer_action.move_to(to_element)
self.w3c_actions.key_action.pause()
else:
self._actions.append(lambda: self._driver.execute(
Command.MOVE_TO, {'element': to_element.id}))
return self
|
python
|
def move_to_element(self, to_element):
"""
Moving the mouse to the middle of an element.
:Args:
- to_element: The WebElement to move to.
"""
if self._driver.w3c:
self.w3c_actions.pointer_action.move_to(to_element)
self.w3c_actions.key_action.pause()
else:
self._actions.append(lambda: self._driver.execute(
Command.MOVE_TO, {'element': to_element.id}))
return self
|
[
"def",
"move_to_element",
"(",
"self",
",",
"to_element",
")",
":",
"if",
"self",
".",
"_driver",
".",
"w3c",
":",
"self",
".",
"w3c_actions",
".",
"pointer_action",
".",
"move_to",
"(",
"to_element",
")",
"self",
".",
"w3c_actions",
".",
"key_action",
".",
"pause",
"(",
")",
"else",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"MOVE_TO",
",",
"{",
"'element'",
":",
"to_element",
".",
"id",
"}",
")",
")",
"return",
"self"
] |
Moving the mouse to the middle of an element.
:Args:
- to_element: The WebElement to move to.
|
[
"Moving",
"the",
"mouse",
"to",
"the",
"middle",
"of",
"an",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L265-L278
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.move_to_element_with_offset
|
def move_to_element_with_offset(self, to_element, xoffset, yoffset):
"""
Move the mouse by an offset of the specified element.
Offsets are relative to the top-left corner of the element.
:Args:
- to_element: The WebElement to move to.
- xoffset: X offset to move to.
- yoffset: Y offset to move to.
"""
if self._driver.w3c:
self.w3c_actions.pointer_action.move_to(to_element, xoffset, yoffset)
self.w3c_actions.key_action.pause()
else:
self._actions.append(
lambda: self._driver.execute(Command.MOVE_TO, {
'element': to_element.id,
'xoffset': int(xoffset),
'yoffset': int(yoffset)}))
return self
|
python
|
def move_to_element_with_offset(self, to_element, xoffset, yoffset):
"""
Move the mouse by an offset of the specified element.
Offsets are relative to the top-left corner of the element.
:Args:
- to_element: The WebElement to move to.
- xoffset: X offset to move to.
- yoffset: Y offset to move to.
"""
if self._driver.w3c:
self.w3c_actions.pointer_action.move_to(to_element, xoffset, yoffset)
self.w3c_actions.key_action.pause()
else:
self._actions.append(
lambda: self._driver.execute(Command.MOVE_TO, {
'element': to_element.id,
'xoffset': int(xoffset),
'yoffset': int(yoffset)}))
return self
|
[
"def",
"move_to_element_with_offset",
"(",
"self",
",",
"to_element",
",",
"xoffset",
",",
"yoffset",
")",
":",
"if",
"self",
".",
"_driver",
".",
"w3c",
":",
"self",
".",
"w3c_actions",
".",
"pointer_action",
".",
"move_to",
"(",
"to_element",
",",
"xoffset",
",",
"yoffset",
")",
"self",
".",
"w3c_actions",
".",
"key_action",
".",
"pause",
"(",
")",
"else",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"MOVE_TO",
",",
"{",
"'element'",
":",
"to_element",
".",
"id",
",",
"'xoffset'",
":",
"int",
"(",
"xoffset",
")",
",",
"'yoffset'",
":",
"int",
"(",
"yoffset",
")",
"}",
")",
")",
"return",
"self"
] |
Move the mouse by an offset of the specified element.
Offsets are relative to the top-left corner of the element.
:Args:
- to_element: The WebElement to move to.
- xoffset: X offset to move to.
- yoffset: Y offset to move to.
|
[
"Move",
"the",
"mouse",
"by",
"an",
"offset",
"of",
"the",
"specified",
"element",
".",
"Offsets",
"are",
"relative",
"to",
"the",
"top",
"-",
"left",
"corner",
"of",
"the",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L280-L299
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.pause
|
def pause(self, seconds):
""" Pause all inputs for the specified duration in seconds """
if self._driver.w3c:
self.w3c_actions.pointer_action.pause(seconds)
self.w3c_actions.key_action.pause(seconds)
else:
self._actions.append(lambda: time.sleep(seconds))
return self
|
python
|
def pause(self, seconds):
""" Pause all inputs for the specified duration in seconds """
if self._driver.w3c:
self.w3c_actions.pointer_action.pause(seconds)
self.w3c_actions.key_action.pause(seconds)
else:
self._actions.append(lambda: time.sleep(seconds))
return self
|
[
"def",
"pause",
"(",
"self",
",",
"seconds",
")",
":",
"if",
"self",
".",
"_driver",
".",
"w3c",
":",
"self",
".",
"w3c_actions",
".",
"pointer_action",
".",
"pause",
"(",
"seconds",
")",
"self",
".",
"w3c_actions",
".",
"key_action",
".",
"pause",
"(",
"seconds",
")",
"else",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"time",
".",
"sleep",
"(",
"seconds",
")",
")",
"return",
"self"
] |
Pause all inputs for the specified duration in seconds
|
[
"Pause",
"all",
"inputs",
"for",
"the",
"specified",
"duration",
"in",
"seconds"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L301-L308
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.release
|
def release(self, on_element=None):
"""
Releasing a held mouse button on an element.
:Args:
- on_element: The element to mouse up.
If None, releases on current mouse position.
"""
if on_element:
self.move_to_element(on_element)
if self._driver.w3c:
self.w3c_actions.pointer_action.release()
self.w3c_actions.key_action.pause()
else:
self._actions.append(lambda: self._driver.execute(Command.MOUSE_UP, {}))
return self
|
python
|
def release(self, on_element=None):
"""
Releasing a held mouse button on an element.
:Args:
- on_element: The element to mouse up.
If None, releases on current mouse position.
"""
if on_element:
self.move_to_element(on_element)
if self._driver.w3c:
self.w3c_actions.pointer_action.release()
self.w3c_actions.key_action.pause()
else:
self._actions.append(lambda: self._driver.execute(Command.MOUSE_UP, {}))
return self
|
[
"def",
"release",
"(",
"self",
",",
"on_element",
"=",
"None",
")",
":",
"if",
"on_element",
":",
"self",
".",
"move_to_element",
"(",
"on_element",
")",
"if",
"self",
".",
"_driver",
".",
"w3c",
":",
"self",
".",
"w3c_actions",
".",
"pointer_action",
".",
"release",
"(",
")",
"self",
".",
"w3c_actions",
".",
"key_action",
".",
"pause",
"(",
")",
"else",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"MOUSE_UP",
",",
"{",
"}",
")",
")",
"return",
"self"
] |
Releasing a held mouse button on an element.
:Args:
- on_element: The element to mouse up.
If None, releases on current mouse position.
|
[
"Releasing",
"a",
"held",
"mouse",
"button",
"on",
"an",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L310-L325
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.send_keys
|
def send_keys(self, *keys_to_send):
"""
Sends keys to current focused element.
:Args:
- keys_to_send: The keys to send. Modifier keys constants can be found in the
'Keys' class.
"""
typing = keys_to_typing(keys_to_send)
if self._driver.w3c:
for key in typing:
self.key_down(key)
self.key_up(key)
else:
self._actions.append(lambda: self._driver.execute(
Command.SEND_KEYS_TO_ACTIVE_ELEMENT, {'value': typing}))
return self
|
python
|
def send_keys(self, *keys_to_send):
"""
Sends keys to current focused element.
:Args:
- keys_to_send: The keys to send. Modifier keys constants can be found in the
'Keys' class.
"""
typing = keys_to_typing(keys_to_send)
if self._driver.w3c:
for key in typing:
self.key_down(key)
self.key_up(key)
else:
self._actions.append(lambda: self._driver.execute(
Command.SEND_KEYS_TO_ACTIVE_ELEMENT, {'value': typing}))
return self
|
[
"def",
"send_keys",
"(",
"self",
",",
"*",
"keys_to_send",
")",
":",
"typing",
"=",
"keys_to_typing",
"(",
"keys_to_send",
")",
"if",
"self",
".",
"_driver",
".",
"w3c",
":",
"for",
"key",
"in",
"typing",
":",
"self",
".",
"key_down",
"(",
"key",
")",
"self",
".",
"key_up",
"(",
"key",
")",
"else",
":",
"self",
".",
"_actions",
".",
"append",
"(",
"lambda",
":",
"self",
".",
"_driver",
".",
"execute",
"(",
"Command",
".",
"SEND_KEYS_TO_ACTIVE_ELEMENT",
",",
"{",
"'value'",
":",
"typing",
"}",
")",
")",
"return",
"self"
] |
Sends keys to current focused element.
:Args:
- keys_to_send: The keys to send. Modifier keys constants can be found in the
'Keys' class.
|
[
"Sends",
"keys",
"to",
"current",
"focused",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L327-L343
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/action_chains.py
|
ActionChains.send_keys_to_element
|
def send_keys_to_element(self, element, *keys_to_send):
"""
Sends keys to an element.
:Args:
- element: The element to send keys.
- keys_to_send: The keys to send. Modifier keys constants can be found in the
'Keys' class.
"""
self.click(element)
self.send_keys(*keys_to_send)
return self
|
python
|
def send_keys_to_element(self, element, *keys_to_send):
"""
Sends keys to an element.
:Args:
- element: The element to send keys.
- keys_to_send: The keys to send. Modifier keys constants can be found in the
'Keys' class.
"""
self.click(element)
self.send_keys(*keys_to_send)
return self
|
[
"def",
"send_keys_to_element",
"(",
"self",
",",
"element",
",",
"*",
"keys_to_send",
")",
":",
"self",
".",
"click",
"(",
"element",
")",
"self",
".",
"send_keys",
"(",
"*",
"keys_to_send",
")",
"return",
"self"
] |
Sends keys to an element.
:Args:
- element: The element to send keys.
- keys_to_send: The keys to send. Modifier keys constants can be found in the
'Keys' class.
|
[
"Sends",
"keys",
"to",
"an",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/action_chains.py#L345-L356
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/ie/options.py
|
Options.browser_attach_timeout
|
def browser_attach_timeout(self, value):
"""
Sets the options Browser Attach Timeout
:Args:
- value: Timeout in milliseconds
"""
if not isinstance(value, int):
raise ValueError('Browser Attach Timeout must be an integer.')
self._options[self.BROWSER_ATTACH_TIMEOUT] = value
|
python
|
def browser_attach_timeout(self, value):
"""
Sets the options Browser Attach Timeout
:Args:
- value: Timeout in milliseconds
"""
if not isinstance(value, int):
raise ValueError('Browser Attach Timeout must be an integer.')
self._options[self.BROWSER_ATTACH_TIMEOUT] = value
|
[
"def",
"browser_attach_timeout",
"(",
"self",
",",
"value",
")",
":",
"if",
"not",
"isinstance",
"(",
"value",
",",
"int",
")",
":",
"raise",
"ValueError",
"(",
"'Browser Attach Timeout must be an integer.'",
")",
"self",
".",
"_options",
"[",
"self",
".",
"BROWSER_ATTACH_TIMEOUT",
"]",
"=",
"value"
] |
Sets the options Browser Attach Timeout
:Args:
- value: Timeout in milliseconds
|
[
"Sets",
"the",
"options",
"Browser",
"Attach",
"Timeout"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/ie/options.py#L65-L75
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/ie/options.py
|
Options.element_scroll_behavior
|
def element_scroll_behavior(self, value):
"""
Sets the options Element Scroll Behavior
:Args:
- value: 0 - Top, 1 - Bottom
"""
if value not in [ElementScrollBehavior.TOP, ElementScrollBehavior.BOTTOM]:
raise ValueError('Element Scroll Behavior out of range.')
self._options[self.ELEMENT_SCROLL_BEHAVIOR] = value
|
python
|
def element_scroll_behavior(self, value):
"""
Sets the options Element Scroll Behavior
:Args:
- value: 0 - Top, 1 - Bottom
"""
if value not in [ElementScrollBehavior.TOP, ElementScrollBehavior.BOTTOM]:
raise ValueError('Element Scroll Behavior out of range.')
self._options[self.ELEMENT_SCROLL_BEHAVIOR] = value
|
[
"def",
"element_scroll_behavior",
"(",
"self",
",",
"value",
")",
":",
"if",
"value",
"not",
"in",
"[",
"ElementScrollBehavior",
".",
"TOP",
",",
"ElementScrollBehavior",
".",
"BOTTOM",
"]",
":",
"raise",
"ValueError",
"(",
"'Element Scroll Behavior out of range.'",
")",
"self",
".",
"_options",
"[",
"self",
".",
"ELEMENT_SCROLL_BEHAVIOR",
"]",
"=",
"value"
] |
Sets the options Element Scroll Behavior
:Args:
- value: 0 - Top, 1 - Bottom
|
[
"Sets",
"the",
"options",
"Element",
"Scroll",
"Behavior"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/ie/options.py#L83-L93
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/ie/options.py
|
Options.file_upload_dialog_timeout
|
def file_upload_dialog_timeout(self, value):
"""
Sets the options File Upload Dialog Timeout value
:Args:
- value: Timeout in milliseconds
"""
if not isinstance(value, int):
raise ValueError('File Upload Dialog Timeout must be an integer.')
self._options[self.FILE_UPLOAD_DIALOG_TIMEOUT] = value
|
python
|
def file_upload_dialog_timeout(self, value):
"""
Sets the options File Upload Dialog Timeout value
:Args:
- value: Timeout in milliseconds
"""
if not isinstance(value, int):
raise ValueError('File Upload Dialog Timeout must be an integer.')
self._options[self.FILE_UPLOAD_DIALOG_TIMEOUT] = value
|
[
"def",
"file_upload_dialog_timeout",
"(",
"self",
",",
"value",
")",
":",
"if",
"not",
"isinstance",
"(",
"value",
",",
"int",
")",
":",
"raise",
"ValueError",
"(",
"'File Upload Dialog Timeout must be an integer.'",
")",
"self",
".",
"_options",
"[",
"self",
".",
"FILE_UPLOAD_DIALOG_TIMEOUT",
"]",
"=",
"value"
] |
Sets the options File Upload Dialog Timeout value
:Args:
- value: Timeout in milliseconds
|
[
"Sets",
"the",
"options",
"File",
"Upload",
"Dialog",
"Timeout",
"value"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/ie/options.py#L117-L127
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/ie/options.py
|
Options.to_capabilities
|
def to_capabilities(self):
"""Marshals the IE options to the correct object."""
caps = self._caps
opts = self._options.copy()
if len(self._arguments) > 0:
opts[self.SWITCHES] = ' '.join(self._arguments)
if len(self._additional) > 0:
opts.update(self._additional)
if len(opts) > 0:
caps[Options.KEY] = opts
return caps
|
python
|
def to_capabilities(self):
"""Marshals the IE options to the correct object."""
caps = self._caps
opts = self._options.copy()
if len(self._arguments) > 0:
opts[self.SWITCHES] = ' '.join(self._arguments)
if len(self._additional) > 0:
opts.update(self._additional)
if len(opts) > 0:
caps[Options.KEY] = opts
return caps
|
[
"def",
"to_capabilities",
"(",
"self",
")",
":",
"caps",
"=",
"self",
".",
"_caps",
"opts",
"=",
"self",
".",
"_options",
".",
"copy",
"(",
")",
"if",
"len",
"(",
"self",
".",
"_arguments",
")",
">",
"0",
":",
"opts",
"[",
"self",
".",
"SWITCHES",
"]",
"=",
"' '",
".",
"join",
"(",
"self",
".",
"_arguments",
")",
"if",
"len",
"(",
"self",
".",
"_additional",
")",
">",
"0",
":",
"opts",
".",
"update",
"(",
"self",
".",
"_additional",
")",
"if",
"len",
"(",
"opts",
")",
">",
"0",
":",
"caps",
"[",
"Options",
".",
"KEY",
"]",
"=",
"opts",
"return",
"caps"
] |
Marshals the IE options to the correct object.
|
[
"Marshals",
"the",
"IE",
"options",
"to",
"the",
"correct",
"object",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/ie/options.py#L321-L334
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/chrome/options.py
|
Options.extensions
|
def extensions(self):
"""
:Returns: A list of encoded extensions that will be loaded into chrome
"""
encoded_extensions = []
for ext in self._extension_files:
file_ = open(ext, 'rb')
# Should not use base64.encodestring() which inserts newlines every
# 76 characters (per RFC 1521). Chromedriver has to remove those
# unnecessary newlines before decoding, causing performance hit.
encoded_extensions.append(base64.b64encode(file_.read()).decode('UTF-8'))
file_.close()
return encoded_extensions + self._extensions
|
python
|
def extensions(self):
"""
:Returns: A list of encoded extensions that will be loaded into chrome
"""
encoded_extensions = []
for ext in self._extension_files:
file_ = open(ext, 'rb')
# Should not use base64.encodestring() which inserts newlines every
# 76 characters (per RFC 1521). Chromedriver has to remove those
# unnecessary newlines before decoding, causing performance hit.
encoded_extensions.append(base64.b64encode(file_.read()).decode('UTF-8'))
file_.close()
return encoded_extensions + self._extensions
|
[
"def",
"extensions",
"(",
"self",
")",
":",
"encoded_extensions",
"=",
"[",
"]",
"for",
"ext",
"in",
"self",
".",
"_extension_files",
":",
"file_",
"=",
"open",
"(",
"ext",
",",
"'rb'",
")",
"# Should not use base64.encodestring() which inserts newlines every",
"# 76 characters (per RFC 1521). Chromedriver has to remove those",
"# unnecessary newlines before decoding, causing performance hit.",
"encoded_extensions",
".",
"append",
"(",
"base64",
".",
"b64encode",
"(",
"file_",
".",
"read",
"(",
")",
")",
".",
"decode",
"(",
"'UTF-8'",
")",
")",
"file_",
".",
"close",
"(",
")",
"return",
"encoded_extensions",
"+",
"self",
".",
"_extensions"
] |
:Returns: A list of encoded extensions that will be loaded into chrome
|
[
":",
"Returns",
":",
"A",
"list",
"of",
"encoded",
"extensions",
"that",
"will",
"be",
"loaded",
"into",
"chrome"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/chrome/options.py#L73-L86
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/chrome/options.py
|
Options.add_extension
|
def add_extension(self, extension):
"""
Adds the path to the extension to a list that will be used to extract it
to the ChromeDriver
:Args:
- extension: path to the \\*.crx file
"""
if extension:
extension_to_add = os.path.abspath(os.path.expanduser(extension))
if os.path.exists(extension_to_add):
self._extension_files.append(extension_to_add)
else:
raise IOError("Path to the extension doesn't exist")
else:
raise ValueError("argument can not be null")
|
python
|
def add_extension(self, extension):
"""
Adds the path to the extension to a list that will be used to extract it
to the ChromeDriver
:Args:
- extension: path to the \\*.crx file
"""
if extension:
extension_to_add = os.path.abspath(os.path.expanduser(extension))
if os.path.exists(extension_to_add):
self._extension_files.append(extension_to_add)
else:
raise IOError("Path to the extension doesn't exist")
else:
raise ValueError("argument can not be null")
|
[
"def",
"add_extension",
"(",
"self",
",",
"extension",
")",
":",
"if",
"extension",
":",
"extension_to_add",
"=",
"os",
".",
"path",
".",
"abspath",
"(",
"os",
".",
"path",
".",
"expanduser",
"(",
"extension",
")",
")",
"if",
"os",
".",
"path",
".",
"exists",
"(",
"extension_to_add",
")",
":",
"self",
".",
"_extension_files",
".",
"append",
"(",
"extension_to_add",
")",
"else",
":",
"raise",
"IOError",
"(",
"\"Path to the extension doesn't exist\"",
")",
"else",
":",
"raise",
"ValueError",
"(",
"\"argument can not be null\"",
")"
] |
Adds the path to the extension to a list that will be used to extract it
to the ChromeDriver
:Args:
- extension: path to the \\*.crx file
|
[
"Adds",
"the",
"path",
"to",
"the",
"extension",
"to",
"a",
"list",
"that",
"will",
"be",
"used",
"to",
"extract",
"it",
"to",
"the",
"ChromeDriver"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/chrome/options.py#L88-L103
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/chrome/options.py
|
Options.headless
|
def headless(self, value):
"""
Sets the headless argument
:Args:
value: boolean value indicating to set the headless option
"""
args = {'--headless'}
if value is True:
self._arguments.extend(args)
else:
self._arguments = list(set(self._arguments) - args)
|
python
|
def headless(self, value):
"""
Sets the headless argument
:Args:
value: boolean value indicating to set the headless option
"""
args = {'--headless'}
if value is True:
self._arguments.extend(args)
else:
self._arguments = list(set(self._arguments) - args)
|
[
"def",
"headless",
"(",
"self",
",",
"value",
")",
":",
"args",
"=",
"{",
"'--headless'",
"}",
"if",
"value",
"is",
"True",
":",
"self",
".",
"_arguments",
".",
"extend",
"(",
"args",
")",
"else",
":",
"self",
".",
"_arguments",
"=",
"list",
"(",
"set",
"(",
"self",
".",
"_arguments",
")",
"-",
"args",
")"
] |
Sets the headless argument
:Args:
value: boolean value indicating to set the headless option
|
[
"Sets",
"the",
"headless",
"argument"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/chrome/options.py#L143-L154
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/chrome/options.py
|
Options.to_capabilities
|
def to_capabilities(self):
"""
Creates a capabilities with all the options that have been set
:Returns: A dictionary with everything
"""
caps = self._caps
chrome_options = self.experimental_options.copy()
chrome_options["extensions"] = self.extensions
if self.binary_location:
chrome_options["binary"] = self.binary_location
chrome_options["args"] = self.arguments
if self.debugger_address:
chrome_options["debuggerAddress"] = self.debugger_address
caps[self.KEY] = chrome_options
return caps
|
python
|
def to_capabilities(self):
"""
Creates a capabilities with all the options that have been set
:Returns: A dictionary with everything
"""
caps = self._caps
chrome_options = self.experimental_options.copy()
chrome_options["extensions"] = self.extensions
if self.binary_location:
chrome_options["binary"] = self.binary_location
chrome_options["args"] = self.arguments
if self.debugger_address:
chrome_options["debuggerAddress"] = self.debugger_address
caps[self.KEY] = chrome_options
return caps
|
[
"def",
"to_capabilities",
"(",
"self",
")",
":",
"caps",
"=",
"self",
".",
"_caps",
"chrome_options",
"=",
"self",
".",
"experimental_options",
".",
"copy",
"(",
")",
"chrome_options",
"[",
"\"extensions\"",
"]",
"=",
"self",
".",
"extensions",
"if",
"self",
".",
"binary_location",
":",
"chrome_options",
"[",
"\"binary\"",
"]",
"=",
"self",
".",
"binary_location",
"chrome_options",
"[",
"\"args\"",
"]",
"=",
"self",
".",
"arguments",
"if",
"self",
".",
"debugger_address",
":",
"chrome_options",
"[",
"\"debuggerAddress\"",
"]",
"=",
"self",
".",
"debugger_address",
"caps",
"[",
"self",
".",
"KEY",
"]",
"=",
"chrome_options",
"return",
"caps"
] |
Creates a capabilities with all the options that have been set
:Returns: A dictionary with everything
|
[
"Creates",
"a",
"capabilities",
"with",
"all",
"the",
"options",
"that",
"have",
"been",
"set"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/chrome/options.py#L156-L173
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/support/expected_conditions.py
|
_find_element
|
def _find_element(driver, by):
"""Looks up an element. Logs and re-raises ``WebDriverException``
if thrown."""
try:
return driver.find_element(*by)
except NoSuchElementException as e:
raise e
except WebDriverException as e:
raise e
|
python
|
def _find_element(driver, by):
"""Looks up an element. Logs and re-raises ``WebDriverException``
if thrown."""
try:
return driver.find_element(*by)
except NoSuchElementException as e:
raise e
except WebDriverException as e:
raise e
|
[
"def",
"_find_element",
"(",
"driver",
",",
"by",
")",
":",
"try",
":",
"return",
"driver",
".",
"find_element",
"(",
"*",
"by",
")",
"except",
"NoSuchElementException",
"as",
"e",
":",
"raise",
"e",
"except",
"WebDriverException",
"as",
"e",
":",
"raise",
"e"
] |
Looks up an element. Logs and re-raises ``WebDriverException``
if thrown.
|
[
"Looks",
"up",
"an",
"element",
".",
"Logs",
"and",
"re",
"-",
"raises",
"WebDriverException",
"if",
"thrown",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/support/expected_conditions.py#L407-L415
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/alert.py
|
Alert.text
|
def text(self):
"""
Gets the text of the Alert.
"""
if self.driver.w3c:
return self.driver.execute(Command.W3C_GET_ALERT_TEXT)["value"]
else:
return self.driver.execute(Command.GET_ALERT_TEXT)["value"]
|
python
|
def text(self):
"""
Gets the text of the Alert.
"""
if self.driver.w3c:
return self.driver.execute(Command.W3C_GET_ALERT_TEXT)["value"]
else:
return self.driver.execute(Command.GET_ALERT_TEXT)["value"]
|
[
"def",
"text",
"(",
"self",
")",
":",
"if",
"self",
".",
"driver",
".",
"w3c",
":",
"return",
"self",
".",
"driver",
".",
"execute",
"(",
"Command",
".",
"W3C_GET_ALERT_TEXT",
")",
"[",
"\"value\"",
"]",
"else",
":",
"return",
"self",
".",
"driver",
".",
"execute",
"(",
"Command",
".",
"GET_ALERT_TEXT",
")",
"[",
"\"value\"",
"]"
] |
Gets the text of the Alert.
|
[
"Gets",
"the",
"text",
"of",
"the",
"Alert",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/alert.py#L62-L69
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/alert.py
|
Alert.dismiss
|
def dismiss(self):
"""
Dismisses the alert available.
"""
if self.driver.w3c:
self.driver.execute(Command.W3C_DISMISS_ALERT)
else:
self.driver.execute(Command.DISMISS_ALERT)
|
python
|
def dismiss(self):
"""
Dismisses the alert available.
"""
if self.driver.w3c:
self.driver.execute(Command.W3C_DISMISS_ALERT)
else:
self.driver.execute(Command.DISMISS_ALERT)
|
[
"def",
"dismiss",
"(",
"self",
")",
":",
"if",
"self",
".",
"driver",
".",
"w3c",
":",
"self",
".",
"driver",
".",
"execute",
"(",
"Command",
".",
"W3C_DISMISS_ALERT",
")",
"else",
":",
"self",
".",
"driver",
".",
"execute",
"(",
"Command",
".",
"DISMISS_ALERT",
")"
] |
Dismisses the alert available.
|
[
"Dismisses",
"the",
"alert",
"available",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/alert.py#L71-L78
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/alert.py
|
Alert.accept
|
def accept(self):
"""
Accepts the alert available.
Usage::
Alert(driver).accept() # Confirm a alert dialog.
"""
if self.driver.w3c:
self.driver.execute(Command.W3C_ACCEPT_ALERT)
else:
self.driver.execute(Command.ACCEPT_ALERT)
|
python
|
def accept(self):
"""
Accepts the alert available.
Usage::
Alert(driver).accept() # Confirm a alert dialog.
"""
if self.driver.w3c:
self.driver.execute(Command.W3C_ACCEPT_ALERT)
else:
self.driver.execute(Command.ACCEPT_ALERT)
|
[
"def",
"accept",
"(",
"self",
")",
":",
"if",
"self",
".",
"driver",
".",
"w3c",
":",
"self",
".",
"driver",
".",
"execute",
"(",
"Command",
".",
"W3C_ACCEPT_ALERT",
")",
"else",
":",
"self",
".",
"driver",
".",
"execute",
"(",
"Command",
".",
"ACCEPT_ALERT",
")"
] |
Accepts the alert available.
Usage::
Alert(driver).accept() # Confirm a alert dialog.
|
[
"Accepts",
"the",
"alert",
"available",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/alert.py#L80-L90
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/alert.py
|
Alert.send_keys
|
def send_keys(self, keysToSend):
"""
Send Keys to the Alert.
:Args:
- keysToSend: The text to be sent to Alert.
"""
if self.driver.w3c:
self.driver.execute(Command.W3C_SET_ALERT_VALUE, {'value': keys_to_typing(keysToSend),
'text': keysToSend})
else:
self.driver.execute(Command.SET_ALERT_VALUE, {'text': keysToSend})
|
python
|
def send_keys(self, keysToSend):
"""
Send Keys to the Alert.
:Args:
- keysToSend: The text to be sent to Alert.
"""
if self.driver.w3c:
self.driver.execute(Command.W3C_SET_ALERT_VALUE, {'value': keys_to_typing(keysToSend),
'text': keysToSend})
else:
self.driver.execute(Command.SET_ALERT_VALUE, {'text': keysToSend})
|
[
"def",
"send_keys",
"(",
"self",
",",
"keysToSend",
")",
":",
"if",
"self",
".",
"driver",
".",
"w3c",
":",
"self",
".",
"driver",
".",
"execute",
"(",
"Command",
".",
"W3C_SET_ALERT_VALUE",
",",
"{",
"'value'",
":",
"keys_to_typing",
"(",
"keysToSend",
")",
",",
"'text'",
":",
"keysToSend",
"}",
")",
"else",
":",
"self",
".",
"driver",
".",
"execute",
"(",
"Command",
".",
"SET_ALERT_VALUE",
",",
"{",
"'text'",
":",
"keysToSend",
"}",
")"
] |
Send Keys to the Alert.
:Args:
- keysToSend: The text to be sent to Alert.
|
[
"Send",
"Keys",
"to",
"the",
"Alert",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/alert.py#L92-L105
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/firefox/firefox_profile.py
|
FirefoxProfile.port
|
def port(self, port):
"""
Sets the port that WebDriver will be running on
"""
if not isinstance(port, int):
raise WebDriverException("Port needs to be an integer")
try:
port = int(port)
if port < 1 or port > 65535:
raise WebDriverException("Port number must be in the range 1..65535")
except (ValueError, TypeError):
raise WebDriverException("Port needs to be an integer")
self._port = port
self.set_preference("webdriver_firefox_port", self._port)
|
python
|
def port(self, port):
"""
Sets the port that WebDriver will be running on
"""
if not isinstance(port, int):
raise WebDriverException("Port needs to be an integer")
try:
port = int(port)
if port < 1 or port > 65535:
raise WebDriverException("Port number must be in the range 1..65535")
except (ValueError, TypeError):
raise WebDriverException("Port needs to be an integer")
self._port = port
self.set_preference("webdriver_firefox_port", self._port)
|
[
"def",
"port",
"(",
"self",
",",
"port",
")",
":",
"if",
"not",
"isinstance",
"(",
"port",
",",
"int",
")",
":",
"raise",
"WebDriverException",
"(",
"\"Port needs to be an integer\"",
")",
"try",
":",
"port",
"=",
"int",
"(",
"port",
")",
"if",
"port",
"<",
"1",
"or",
"port",
">",
"65535",
":",
"raise",
"WebDriverException",
"(",
"\"Port number must be in the range 1..65535\"",
")",
"except",
"(",
"ValueError",
",",
"TypeError",
")",
":",
"raise",
"WebDriverException",
"(",
"\"Port needs to be an integer\"",
")",
"self",
".",
"_port",
"=",
"port",
"self",
".",
"set_preference",
"(",
"\"webdriver_firefox_port\"",
",",
"self",
".",
"_port",
")"
] |
Sets the port that WebDriver will be running on
|
[
"Sets",
"the",
"port",
"that",
"WebDriver",
"will",
"be",
"running",
"on"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/firefox/firefox_profile.py#L119-L132
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/firefox/firefox_profile.py
|
FirefoxProfile.encoded
|
def encoded(self):
"""
A zipped, base64 encoded string of profile directory
for use with remote WebDriver JSON wire protocol
"""
self.update_preferences()
fp = BytesIO()
zipped = zipfile.ZipFile(fp, 'w', zipfile.ZIP_DEFLATED)
path_root = len(self.path) + 1 # account for trailing slash
for base, dirs, files in os.walk(self.path):
for fyle in files:
filename = os.path.join(base, fyle)
zipped.write(filename, filename[path_root:])
zipped.close()
return base64.b64encode(fp.getvalue()).decode('UTF-8')
|
python
|
def encoded(self):
"""
A zipped, base64 encoded string of profile directory
for use with remote WebDriver JSON wire protocol
"""
self.update_preferences()
fp = BytesIO()
zipped = zipfile.ZipFile(fp, 'w', zipfile.ZIP_DEFLATED)
path_root = len(self.path) + 1 # account for trailing slash
for base, dirs, files in os.walk(self.path):
for fyle in files:
filename = os.path.join(base, fyle)
zipped.write(filename, filename[path_root:])
zipped.close()
return base64.b64encode(fp.getvalue()).decode('UTF-8')
|
[
"def",
"encoded",
"(",
"self",
")",
":",
"self",
".",
"update_preferences",
"(",
")",
"fp",
"=",
"BytesIO",
"(",
")",
"zipped",
"=",
"zipfile",
".",
"ZipFile",
"(",
"fp",
",",
"'w'",
",",
"zipfile",
".",
"ZIP_DEFLATED",
")",
"path_root",
"=",
"len",
"(",
"self",
".",
"path",
")",
"+",
"1",
"# account for trailing slash",
"for",
"base",
",",
"dirs",
",",
"files",
"in",
"os",
".",
"walk",
"(",
"self",
".",
"path",
")",
":",
"for",
"fyle",
"in",
"files",
":",
"filename",
"=",
"os",
".",
"path",
".",
"join",
"(",
"base",
",",
"fyle",
")",
"zipped",
".",
"write",
"(",
"filename",
",",
"filename",
"[",
"path_root",
":",
"]",
")",
"zipped",
".",
"close",
"(",
")",
"return",
"base64",
".",
"b64encode",
"(",
"fp",
".",
"getvalue",
"(",
")",
")",
".",
"decode",
"(",
"'UTF-8'",
")"
] |
A zipped, base64 encoded string of profile directory
for use with remote WebDriver JSON wire protocol
|
[
"A",
"zipped",
"base64",
"encoded",
"string",
"of",
"profile",
"directory",
"for",
"use",
"with",
"remote",
"WebDriver",
"JSON",
"wire",
"protocol"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/firefox/firefox_profile.py#L156-L170
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/firefox/firefox_profile.py
|
FirefoxProfile._write_user_prefs
|
def _write_user_prefs(self, user_prefs):
"""
writes the current user prefs dictionary to disk
"""
with open(self.userPrefs, "w") as f:
for key, value in user_prefs.items():
f.write('user_pref("%s", %s);\n' % (key, json.dumps(value)))
|
python
|
def _write_user_prefs(self, user_prefs):
"""
writes the current user prefs dictionary to disk
"""
with open(self.userPrefs, "w") as f:
for key, value in user_prefs.items():
f.write('user_pref("%s", %s);\n' % (key, json.dumps(value)))
|
[
"def",
"_write_user_prefs",
"(",
"self",
",",
"user_prefs",
")",
":",
"with",
"open",
"(",
"self",
".",
"userPrefs",
",",
"\"w\"",
")",
"as",
"f",
":",
"for",
"key",
",",
"value",
"in",
"user_prefs",
".",
"items",
"(",
")",
":",
"f",
".",
"write",
"(",
"'user_pref(\"%s\", %s);\\n'",
"%",
"(",
"key",
",",
"json",
".",
"dumps",
"(",
"value",
")",
")",
")"
] |
writes the current user prefs dictionary to disk
|
[
"writes",
"the",
"current",
"user",
"prefs",
"dictionary",
"to",
"disk"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/firefox/firefox_profile.py#L178-L184
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/firefox/firefox_profile.py
|
FirefoxProfile._install_extension
|
def _install_extension(self, addon, unpack=True):
"""
Installs addon from a filepath, url
or directory of addons in the profile.
- path: url, absolute path to .xpi, or directory of addons
- unpack: whether to unpack unless specified otherwise in the install.rdf
"""
if addon == WEBDRIVER_EXT:
addon = os.path.join(os.path.dirname(__file__), WEBDRIVER_EXT)
tmpdir = None
xpifile = None
if addon.endswith('.xpi'):
tmpdir = tempfile.mkdtemp(suffix='.' + os.path.split(addon)[-1])
compressed_file = zipfile.ZipFile(addon, 'r')
for name in compressed_file.namelist():
if name.endswith('/'):
if not os.path.isdir(os.path.join(tmpdir, name)):
os.makedirs(os.path.join(tmpdir, name))
else:
if not os.path.isdir(os.path.dirname(os.path.join(tmpdir, name))):
os.makedirs(os.path.dirname(os.path.join(tmpdir, name)))
data = compressed_file.read(name)
with open(os.path.join(tmpdir, name), 'wb') as f:
f.write(data)
xpifile = addon
addon = tmpdir
# determine the addon id
addon_details = self._addon_details(addon)
addon_id = addon_details.get('id')
assert addon_id, 'The addon id could not be found: %s' % addon
# copy the addon to the profile
addon_path = os.path.join(self.extensionsDir, addon_id)
if not unpack and not addon_details['unpack'] and xpifile:
if not os.path.exists(self.extensionsDir):
os.makedirs(self.extensionsDir)
os.chmod(self.extensionsDir, 0o755)
shutil.copy(xpifile, addon_path + '.xpi')
else:
if not os.path.exists(addon_path):
shutil.copytree(addon, addon_path, symlinks=True)
# remove the temporary directory, if any
if tmpdir:
shutil.rmtree(tmpdir)
|
python
|
def _install_extension(self, addon, unpack=True):
"""
Installs addon from a filepath, url
or directory of addons in the profile.
- path: url, absolute path to .xpi, or directory of addons
- unpack: whether to unpack unless specified otherwise in the install.rdf
"""
if addon == WEBDRIVER_EXT:
addon = os.path.join(os.path.dirname(__file__), WEBDRIVER_EXT)
tmpdir = None
xpifile = None
if addon.endswith('.xpi'):
tmpdir = tempfile.mkdtemp(suffix='.' + os.path.split(addon)[-1])
compressed_file = zipfile.ZipFile(addon, 'r')
for name in compressed_file.namelist():
if name.endswith('/'):
if not os.path.isdir(os.path.join(tmpdir, name)):
os.makedirs(os.path.join(tmpdir, name))
else:
if not os.path.isdir(os.path.dirname(os.path.join(tmpdir, name))):
os.makedirs(os.path.dirname(os.path.join(tmpdir, name)))
data = compressed_file.read(name)
with open(os.path.join(tmpdir, name), 'wb') as f:
f.write(data)
xpifile = addon
addon = tmpdir
# determine the addon id
addon_details = self._addon_details(addon)
addon_id = addon_details.get('id')
assert addon_id, 'The addon id could not be found: %s' % addon
# copy the addon to the profile
addon_path = os.path.join(self.extensionsDir, addon_id)
if not unpack and not addon_details['unpack'] and xpifile:
if not os.path.exists(self.extensionsDir):
os.makedirs(self.extensionsDir)
os.chmod(self.extensionsDir, 0o755)
shutil.copy(xpifile, addon_path + '.xpi')
else:
if not os.path.exists(addon_path):
shutil.copytree(addon, addon_path, symlinks=True)
# remove the temporary directory, if any
if tmpdir:
shutil.rmtree(tmpdir)
|
[
"def",
"_install_extension",
"(",
"self",
",",
"addon",
",",
"unpack",
"=",
"True",
")",
":",
"if",
"addon",
"==",
"WEBDRIVER_EXT",
":",
"addon",
"=",
"os",
".",
"path",
".",
"join",
"(",
"os",
".",
"path",
".",
"dirname",
"(",
"__file__",
")",
",",
"WEBDRIVER_EXT",
")",
"tmpdir",
"=",
"None",
"xpifile",
"=",
"None",
"if",
"addon",
".",
"endswith",
"(",
"'.xpi'",
")",
":",
"tmpdir",
"=",
"tempfile",
".",
"mkdtemp",
"(",
"suffix",
"=",
"'.'",
"+",
"os",
".",
"path",
".",
"split",
"(",
"addon",
")",
"[",
"-",
"1",
"]",
")",
"compressed_file",
"=",
"zipfile",
".",
"ZipFile",
"(",
"addon",
",",
"'r'",
")",
"for",
"name",
"in",
"compressed_file",
".",
"namelist",
"(",
")",
":",
"if",
"name",
".",
"endswith",
"(",
"'/'",
")",
":",
"if",
"not",
"os",
".",
"path",
".",
"isdir",
"(",
"os",
".",
"path",
".",
"join",
"(",
"tmpdir",
",",
"name",
")",
")",
":",
"os",
".",
"makedirs",
"(",
"os",
".",
"path",
".",
"join",
"(",
"tmpdir",
",",
"name",
")",
")",
"else",
":",
"if",
"not",
"os",
".",
"path",
".",
"isdir",
"(",
"os",
".",
"path",
".",
"dirname",
"(",
"os",
".",
"path",
".",
"join",
"(",
"tmpdir",
",",
"name",
")",
")",
")",
":",
"os",
".",
"makedirs",
"(",
"os",
".",
"path",
".",
"dirname",
"(",
"os",
".",
"path",
".",
"join",
"(",
"tmpdir",
",",
"name",
")",
")",
")",
"data",
"=",
"compressed_file",
".",
"read",
"(",
"name",
")",
"with",
"open",
"(",
"os",
".",
"path",
".",
"join",
"(",
"tmpdir",
",",
"name",
")",
",",
"'wb'",
")",
"as",
"f",
":",
"f",
".",
"write",
"(",
"data",
")",
"xpifile",
"=",
"addon",
"addon",
"=",
"tmpdir",
"# determine the addon id",
"addon_details",
"=",
"self",
".",
"_addon_details",
"(",
"addon",
")",
"addon_id",
"=",
"addon_details",
".",
"get",
"(",
"'id'",
")",
"assert",
"addon_id",
",",
"'The addon id could not be found: %s'",
"%",
"addon",
"# copy the addon to the profile",
"addon_path",
"=",
"os",
".",
"path",
".",
"join",
"(",
"self",
".",
"extensionsDir",
",",
"addon_id",
")",
"if",
"not",
"unpack",
"and",
"not",
"addon_details",
"[",
"'unpack'",
"]",
"and",
"xpifile",
":",
"if",
"not",
"os",
".",
"path",
".",
"exists",
"(",
"self",
".",
"extensionsDir",
")",
":",
"os",
".",
"makedirs",
"(",
"self",
".",
"extensionsDir",
")",
"os",
".",
"chmod",
"(",
"self",
".",
"extensionsDir",
",",
"0o755",
")",
"shutil",
".",
"copy",
"(",
"xpifile",
",",
"addon_path",
"+",
"'.xpi'",
")",
"else",
":",
"if",
"not",
"os",
".",
"path",
".",
"exists",
"(",
"addon_path",
")",
":",
"shutil",
".",
"copytree",
"(",
"addon",
",",
"addon_path",
",",
"symlinks",
"=",
"True",
")",
"# remove the temporary directory, if any",
"if",
"tmpdir",
":",
"shutil",
".",
"rmtree",
"(",
"tmpdir",
")"
] |
Installs addon from a filepath, url
or directory of addons in the profile.
- path: url, absolute path to .xpi, or directory of addons
- unpack: whether to unpack unless specified otherwise in the install.rdf
|
[
"Installs",
"addon",
"from",
"a",
"filepath",
"url",
"or",
"directory",
"of",
"addons",
"in",
"the",
"profile",
".",
"-",
"path",
":",
"url",
"absolute",
"path",
"to",
".",
"xpi",
"or",
"directory",
"of",
"addons",
"-",
"unpack",
":",
"whether",
"to",
"unpack",
"unless",
"specified",
"otherwise",
"in",
"the",
"install",
".",
"rdf"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/firefox/firefox_profile.py#L203-L249
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/firefox/firefox_profile.py
|
FirefoxProfile._addon_details
|
def _addon_details(self, addon_path):
"""
Returns a dictionary of details about the addon.
:param addon_path: path to the add-on directory or XPI
Returns::
{'id': u'rainbow@colors.org', # id of the addon
'version': u'1.4', # version of the addon
'name': u'Rainbow', # name of the addon
'unpack': False } # whether to unpack the addon
"""
details = {
'id': None,
'unpack': False,
'name': None,
'version': None
}
def get_namespace_id(doc, url):
attributes = doc.documentElement.attributes
namespace = ""
for i in range(attributes.length):
if attributes.item(i).value == url:
if ":" in attributes.item(i).name:
# If the namespace is not the default one remove 'xlmns:'
namespace = attributes.item(i).name.split(':')[1] + ":"
break
return namespace
def get_text(element):
"""Retrieve the text value of a given node"""
rc = []
for node in element.childNodes:
if node.nodeType == node.TEXT_NODE:
rc.append(node.data)
return ''.join(rc).strip()
def parse_manifest_json(content):
"""Extracts the details from the contents of a WebExtensions `manifest.json` file."""
manifest = json.loads(content)
try:
id = manifest['applications']['gecko']['id']
except KeyError:
id = manifest['name'].replace(" ", "") + "@" + manifest['version']
return {
'id': id,
'version': manifest['version'],
'name': manifest['version'],
'unpack': False,
}
if not os.path.exists(addon_path):
raise IOError('Add-on path does not exist: %s' % addon_path)
try:
if zipfile.is_zipfile(addon_path):
# Bug 944361 - We cannot use 'with' together with zipFile because
# it will cause an exception thrown in Python 2.6.
try:
compressed_file = zipfile.ZipFile(addon_path, 'r')
if 'manifest.json' in compressed_file.namelist():
return parse_manifest_json(compressed_file.read('manifest.json'))
manifest = compressed_file.read('install.rdf')
finally:
compressed_file.close()
elif os.path.isdir(addon_path):
manifest_json_filename = os.path.join(addon_path, 'manifest.json')
if os.path.exists(manifest_json_filename):
with open(manifest_json_filename, 'r') as f:
return parse_manifest_json(f.read())
with open(os.path.join(addon_path, 'install.rdf'), 'r') as f:
manifest = f.read()
else:
raise IOError('Add-on path is neither an XPI nor a directory: %s' % addon_path)
except (IOError, KeyError) as e:
raise AddonFormatError(str(e), sys.exc_info()[2])
try:
doc = minidom.parseString(manifest)
# Get the namespaces abbreviations
em = get_namespace_id(doc, 'http://www.mozilla.org/2004/em-rdf#')
rdf = get_namespace_id(doc, 'http://www.w3.org/1999/02/22-rdf-syntax-ns#')
description = doc.getElementsByTagName(rdf + 'Description').item(0)
if description is None:
description = doc.getElementsByTagName('Description').item(0)
for node in description.childNodes:
# Remove the namespace prefix from the tag for comparison
entry = node.nodeName.replace(em, "")
if entry in details.keys():
details.update({entry: get_text(node)})
if details.get('id') is None:
for i in range(description.attributes.length):
attribute = description.attributes.item(i)
if attribute.name == em + 'id':
details.update({'id': attribute.value})
except Exception as e:
raise AddonFormatError(str(e), sys.exc_info()[2])
# turn unpack into a true/false value
if isinstance(details['unpack'], str):
details['unpack'] = details['unpack'].lower() == 'true'
# If no ID is set, the add-on is invalid
if details.get('id') is None:
raise AddonFormatError('Add-on id could not be found.')
return details
|
python
|
def _addon_details(self, addon_path):
"""
Returns a dictionary of details about the addon.
:param addon_path: path to the add-on directory or XPI
Returns::
{'id': u'rainbow@colors.org', # id of the addon
'version': u'1.4', # version of the addon
'name': u'Rainbow', # name of the addon
'unpack': False } # whether to unpack the addon
"""
details = {
'id': None,
'unpack': False,
'name': None,
'version': None
}
def get_namespace_id(doc, url):
attributes = doc.documentElement.attributes
namespace = ""
for i in range(attributes.length):
if attributes.item(i).value == url:
if ":" in attributes.item(i).name:
# If the namespace is not the default one remove 'xlmns:'
namespace = attributes.item(i).name.split(':')[1] + ":"
break
return namespace
def get_text(element):
"""Retrieve the text value of a given node"""
rc = []
for node in element.childNodes:
if node.nodeType == node.TEXT_NODE:
rc.append(node.data)
return ''.join(rc).strip()
def parse_manifest_json(content):
"""Extracts the details from the contents of a WebExtensions `manifest.json` file."""
manifest = json.loads(content)
try:
id = manifest['applications']['gecko']['id']
except KeyError:
id = manifest['name'].replace(" ", "") + "@" + manifest['version']
return {
'id': id,
'version': manifest['version'],
'name': manifest['version'],
'unpack': False,
}
if not os.path.exists(addon_path):
raise IOError('Add-on path does not exist: %s' % addon_path)
try:
if zipfile.is_zipfile(addon_path):
# Bug 944361 - We cannot use 'with' together with zipFile because
# it will cause an exception thrown in Python 2.6.
try:
compressed_file = zipfile.ZipFile(addon_path, 'r')
if 'manifest.json' in compressed_file.namelist():
return parse_manifest_json(compressed_file.read('manifest.json'))
manifest = compressed_file.read('install.rdf')
finally:
compressed_file.close()
elif os.path.isdir(addon_path):
manifest_json_filename = os.path.join(addon_path, 'manifest.json')
if os.path.exists(manifest_json_filename):
with open(manifest_json_filename, 'r') as f:
return parse_manifest_json(f.read())
with open(os.path.join(addon_path, 'install.rdf'), 'r') as f:
manifest = f.read()
else:
raise IOError('Add-on path is neither an XPI nor a directory: %s' % addon_path)
except (IOError, KeyError) as e:
raise AddonFormatError(str(e), sys.exc_info()[2])
try:
doc = minidom.parseString(manifest)
# Get the namespaces abbreviations
em = get_namespace_id(doc, 'http://www.mozilla.org/2004/em-rdf#')
rdf = get_namespace_id(doc, 'http://www.w3.org/1999/02/22-rdf-syntax-ns#')
description = doc.getElementsByTagName(rdf + 'Description').item(0)
if description is None:
description = doc.getElementsByTagName('Description').item(0)
for node in description.childNodes:
# Remove the namespace prefix from the tag for comparison
entry = node.nodeName.replace(em, "")
if entry in details.keys():
details.update({entry: get_text(node)})
if details.get('id') is None:
for i in range(description.attributes.length):
attribute = description.attributes.item(i)
if attribute.name == em + 'id':
details.update({'id': attribute.value})
except Exception as e:
raise AddonFormatError(str(e), sys.exc_info()[2])
# turn unpack into a true/false value
if isinstance(details['unpack'], str):
details['unpack'] = details['unpack'].lower() == 'true'
# If no ID is set, the add-on is invalid
if details.get('id') is None:
raise AddonFormatError('Add-on id could not be found.')
return details
|
[
"def",
"_addon_details",
"(",
"self",
",",
"addon_path",
")",
":",
"details",
"=",
"{",
"'id'",
":",
"None",
",",
"'unpack'",
":",
"False",
",",
"'name'",
":",
"None",
",",
"'version'",
":",
"None",
"}",
"def",
"get_namespace_id",
"(",
"doc",
",",
"url",
")",
":",
"attributes",
"=",
"doc",
".",
"documentElement",
".",
"attributes",
"namespace",
"=",
"\"\"",
"for",
"i",
"in",
"range",
"(",
"attributes",
".",
"length",
")",
":",
"if",
"attributes",
".",
"item",
"(",
"i",
")",
".",
"value",
"==",
"url",
":",
"if",
"\":\"",
"in",
"attributes",
".",
"item",
"(",
"i",
")",
".",
"name",
":",
"# If the namespace is not the default one remove 'xlmns:'",
"namespace",
"=",
"attributes",
".",
"item",
"(",
"i",
")",
".",
"name",
".",
"split",
"(",
"':'",
")",
"[",
"1",
"]",
"+",
"\":\"",
"break",
"return",
"namespace",
"def",
"get_text",
"(",
"element",
")",
":",
"\"\"\"Retrieve the text value of a given node\"\"\"",
"rc",
"=",
"[",
"]",
"for",
"node",
"in",
"element",
".",
"childNodes",
":",
"if",
"node",
".",
"nodeType",
"==",
"node",
".",
"TEXT_NODE",
":",
"rc",
".",
"append",
"(",
"node",
".",
"data",
")",
"return",
"''",
".",
"join",
"(",
"rc",
")",
".",
"strip",
"(",
")",
"def",
"parse_manifest_json",
"(",
"content",
")",
":",
"\"\"\"Extracts the details from the contents of a WebExtensions `manifest.json` file.\"\"\"",
"manifest",
"=",
"json",
".",
"loads",
"(",
"content",
")",
"try",
":",
"id",
"=",
"manifest",
"[",
"'applications'",
"]",
"[",
"'gecko'",
"]",
"[",
"'id'",
"]",
"except",
"KeyError",
":",
"id",
"=",
"manifest",
"[",
"'name'",
"]",
".",
"replace",
"(",
"\" \"",
",",
"\"\"",
")",
"+",
"\"@\"",
"+",
"manifest",
"[",
"'version'",
"]",
"return",
"{",
"'id'",
":",
"id",
",",
"'version'",
":",
"manifest",
"[",
"'version'",
"]",
",",
"'name'",
":",
"manifest",
"[",
"'version'",
"]",
",",
"'unpack'",
":",
"False",
",",
"}",
"if",
"not",
"os",
".",
"path",
".",
"exists",
"(",
"addon_path",
")",
":",
"raise",
"IOError",
"(",
"'Add-on path does not exist: %s'",
"%",
"addon_path",
")",
"try",
":",
"if",
"zipfile",
".",
"is_zipfile",
"(",
"addon_path",
")",
":",
"# Bug 944361 - We cannot use 'with' together with zipFile because",
"# it will cause an exception thrown in Python 2.6.",
"try",
":",
"compressed_file",
"=",
"zipfile",
".",
"ZipFile",
"(",
"addon_path",
",",
"'r'",
")",
"if",
"'manifest.json'",
"in",
"compressed_file",
".",
"namelist",
"(",
")",
":",
"return",
"parse_manifest_json",
"(",
"compressed_file",
".",
"read",
"(",
"'manifest.json'",
")",
")",
"manifest",
"=",
"compressed_file",
".",
"read",
"(",
"'install.rdf'",
")",
"finally",
":",
"compressed_file",
".",
"close",
"(",
")",
"elif",
"os",
".",
"path",
".",
"isdir",
"(",
"addon_path",
")",
":",
"manifest_json_filename",
"=",
"os",
".",
"path",
".",
"join",
"(",
"addon_path",
",",
"'manifest.json'",
")",
"if",
"os",
".",
"path",
".",
"exists",
"(",
"manifest_json_filename",
")",
":",
"with",
"open",
"(",
"manifest_json_filename",
",",
"'r'",
")",
"as",
"f",
":",
"return",
"parse_manifest_json",
"(",
"f",
".",
"read",
"(",
")",
")",
"with",
"open",
"(",
"os",
".",
"path",
".",
"join",
"(",
"addon_path",
",",
"'install.rdf'",
")",
",",
"'r'",
")",
"as",
"f",
":",
"manifest",
"=",
"f",
".",
"read",
"(",
")",
"else",
":",
"raise",
"IOError",
"(",
"'Add-on path is neither an XPI nor a directory: %s'",
"%",
"addon_path",
")",
"except",
"(",
"IOError",
",",
"KeyError",
")",
"as",
"e",
":",
"raise",
"AddonFormatError",
"(",
"str",
"(",
"e",
")",
",",
"sys",
".",
"exc_info",
"(",
")",
"[",
"2",
"]",
")",
"try",
":",
"doc",
"=",
"minidom",
".",
"parseString",
"(",
"manifest",
")",
"# Get the namespaces abbreviations",
"em",
"=",
"get_namespace_id",
"(",
"doc",
",",
"'http://www.mozilla.org/2004/em-rdf#'",
")",
"rdf",
"=",
"get_namespace_id",
"(",
"doc",
",",
"'http://www.w3.org/1999/02/22-rdf-syntax-ns#'",
")",
"description",
"=",
"doc",
".",
"getElementsByTagName",
"(",
"rdf",
"+",
"'Description'",
")",
".",
"item",
"(",
"0",
")",
"if",
"description",
"is",
"None",
":",
"description",
"=",
"doc",
".",
"getElementsByTagName",
"(",
"'Description'",
")",
".",
"item",
"(",
"0",
")",
"for",
"node",
"in",
"description",
".",
"childNodes",
":",
"# Remove the namespace prefix from the tag for comparison",
"entry",
"=",
"node",
".",
"nodeName",
".",
"replace",
"(",
"em",
",",
"\"\"",
")",
"if",
"entry",
"in",
"details",
".",
"keys",
"(",
")",
":",
"details",
".",
"update",
"(",
"{",
"entry",
":",
"get_text",
"(",
"node",
")",
"}",
")",
"if",
"details",
".",
"get",
"(",
"'id'",
")",
"is",
"None",
":",
"for",
"i",
"in",
"range",
"(",
"description",
".",
"attributes",
".",
"length",
")",
":",
"attribute",
"=",
"description",
".",
"attributes",
".",
"item",
"(",
"i",
")",
"if",
"attribute",
".",
"name",
"==",
"em",
"+",
"'id'",
":",
"details",
".",
"update",
"(",
"{",
"'id'",
":",
"attribute",
".",
"value",
"}",
")",
"except",
"Exception",
"as",
"e",
":",
"raise",
"AddonFormatError",
"(",
"str",
"(",
"e",
")",
",",
"sys",
".",
"exc_info",
"(",
")",
"[",
"2",
"]",
")",
"# turn unpack into a true/false value",
"if",
"isinstance",
"(",
"details",
"[",
"'unpack'",
"]",
",",
"str",
")",
":",
"details",
"[",
"'unpack'",
"]",
"=",
"details",
"[",
"'unpack'",
"]",
".",
"lower",
"(",
")",
"==",
"'true'",
"# If no ID is set, the add-on is invalid",
"if",
"details",
".",
"get",
"(",
"'id'",
")",
"is",
"None",
":",
"raise",
"AddonFormatError",
"(",
"'Add-on id could not be found.'",
")",
"return",
"details"
] |
Returns a dictionary of details about the addon.
:param addon_path: path to the add-on directory or XPI
Returns::
{'id': u'rainbow@colors.org', # id of the addon
'version': u'1.4', # version of the addon
'name': u'Rainbow', # name of the addon
'unpack': False } # whether to unpack the addon
|
[
"Returns",
"a",
"dictionary",
"of",
"details",
"about",
"the",
"addon",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/firefox/firefox_profile.py#L251-L364
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/webelement.py
|
WebElement.submit
|
def submit(self):
"""Submits a form."""
if self._w3c:
form = self.find_element(By.XPATH, "./ancestor-or-self::form")
self._parent.execute_script(
"var e = arguments[0].ownerDocument.createEvent('Event');"
"e.initEvent('submit', true, true);"
"if (arguments[0].dispatchEvent(e)) { arguments[0].submit() }", form)
else:
self._execute(Command.SUBMIT_ELEMENT)
|
python
|
def submit(self):
"""Submits a form."""
if self._w3c:
form = self.find_element(By.XPATH, "./ancestor-or-self::form")
self._parent.execute_script(
"var e = arguments[0].ownerDocument.createEvent('Event');"
"e.initEvent('submit', true, true);"
"if (arguments[0].dispatchEvent(e)) { arguments[0].submit() }", form)
else:
self._execute(Command.SUBMIT_ELEMENT)
|
[
"def",
"submit",
"(",
"self",
")",
":",
"if",
"self",
".",
"_w3c",
":",
"form",
"=",
"self",
".",
"find_element",
"(",
"By",
".",
"XPATH",
",",
"\"./ancestor-or-self::form\"",
")",
"self",
".",
"_parent",
".",
"execute_script",
"(",
"\"var e = arguments[0].ownerDocument.createEvent('Event');\"",
"\"e.initEvent('submit', true, true);\"",
"\"if (arguments[0].dispatchEvent(e)) { arguments[0].submit() }\"",
",",
"form",
")",
"else",
":",
"self",
".",
"_execute",
"(",
"Command",
".",
"SUBMIT_ELEMENT",
")"
] |
Submits a form.
|
[
"Submits",
"a",
"form",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/webelement.py#L82-L91
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/webelement.py
|
WebElement.get_property
|
def get_property(self, name):
"""
Gets the given property of the element.
:Args:
- name - Name of the property to retrieve.
:Usage:
::
text_length = target_element.get_property("text_length")
"""
try:
return self._execute(Command.GET_ELEMENT_PROPERTY, {"name": name})["value"]
except WebDriverException:
# if we hit an end point that doesnt understand getElementProperty lets fake it
return self.parent.execute_script('return arguments[0][arguments[1]]', self, name)
|
python
|
def get_property(self, name):
"""
Gets the given property of the element.
:Args:
- name - Name of the property to retrieve.
:Usage:
::
text_length = target_element.get_property("text_length")
"""
try:
return self._execute(Command.GET_ELEMENT_PROPERTY, {"name": name})["value"]
except WebDriverException:
# if we hit an end point that doesnt understand getElementProperty lets fake it
return self.parent.execute_script('return arguments[0][arguments[1]]', self, name)
|
[
"def",
"get_property",
"(",
"self",
",",
"name",
")",
":",
"try",
":",
"return",
"self",
".",
"_execute",
"(",
"Command",
".",
"GET_ELEMENT_PROPERTY",
",",
"{",
"\"name\"",
":",
"name",
"}",
")",
"[",
"\"value\"",
"]",
"except",
"WebDriverException",
":",
"# if we hit an end point that doesnt understand getElementProperty lets fake it",
"return",
"self",
".",
"parent",
".",
"execute_script",
"(",
"'return arguments[0][arguments[1]]'",
",",
"self",
",",
"name",
")"
] |
Gets the given property of the element.
:Args:
- name - Name of the property to retrieve.
:Usage:
::
text_length = target_element.get_property("text_length")
|
[
"Gets",
"the",
"given",
"property",
"of",
"the",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/webelement.py#L97-L113
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/webelement.py
|
WebElement.get_attribute
|
def get_attribute(self, name):
"""Gets the given attribute or property of the element.
This method will first try to return the value of a property with the
given name. If a property with that name doesn't exist, it returns the
value of the attribute with the same name. If there's no attribute with
that name, ``None`` is returned.
Values which are considered truthy, that is equals "true" or "false",
are returned as booleans. All other non-``None`` values are returned
as strings. For attributes or properties which do not exist, ``None``
is returned.
:Args:
- name - Name of the attribute/property to retrieve.
Example::
# Check if the "active" CSS class is applied to an element.
is_active = "active" in target_element.get_attribute("class")
"""
attributeValue = ''
if self._w3c:
attributeValue = self.parent.execute_script(
"return (%s).apply(null, arguments);" % getAttribute_js,
self, name)
else:
resp = self._execute(Command.GET_ELEMENT_ATTRIBUTE, {'name': name})
attributeValue = resp.get('value')
if attributeValue is not None:
if name != 'value' and attributeValue.lower() in ('true', 'false'):
attributeValue = attributeValue.lower()
return attributeValue
|
python
|
def get_attribute(self, name):
"""Gets the given attribute or property of the element.
This method will first try to return the value of a property with the
given name. If a property with that name doesn't exist, it returns the
value of the attribute with the same name. If there's no attribute with
that name, ``None`` is returned.
Values which are considered truthy, that is equals "true" or "false",
are returned as booleans. All other non-``None`` values are returned
as strings. For attributes or properties which do not exist, ``None``
is returned.
:Args:
- name - Name of the attribute/property to retrieve.
Example::
# Check if the "active" CSS class is applied to an element.
is_active = "active" in target_element.get_attribute("class")
"""
attributeValue = ''
if self._w3c:
attributeValue = self.parent.execute_script(
"return (%s).apply(null, arguments);" % getAttribute_js,
self, name)
else:
resp = self._execute(Command.GET_ELEMENT_ATTRIBUTE, {'name': name})
attributeValue = resp.get('value')
if attributeValue is not None:
if name != 'value' and attributeValue.lower() in ('true', 'false'):
attributeValue = attributeValue.lower()
return attributeValue
|
[
"def",
"get_attribute",
"(",
"self",
",",
"name",
")",
":",
"attributeValue",
"=",
"''",
"if",
"self",
".",
"_w3c",
":",
"attributeValue",
"=",
"self",
".",
"parent",
".",
"execute_script",
"(",
"\"return (%s).apply(null, arguments);\"",
"%",
"getAttribute_js",
",",
"self",
",",
"name",
")",
"else",
":",
"resp",
"=",
"self",
".",
"_execute",
"(",
"Command",
".",
"GET_ELEMENT_ATTRIBUTE",
",",
"{",
"'name'",
":",
"name",
"}",
")",
"attributeValue",
"=",
"resp",
".",
"get",
"(",
"'value'",
")",
"if",
"attributeValue",
"is",
"not",
"None",
":",
"if",
"name",
"!=",
"'value'",
"and",
"attributeValue",
".",
"lower",
"(",
")",
"in",
"(",
"'true'",
",",
"'false'",
")",
":",
"attributeValue",
"=",
"attributeValue",
".",
"lower",
"(",
")",
"return",
"attributeValue"
] |
Gets the given attribute or property of the element.
This method will first try to return the value of a property with the
given name. If a property with that name doesn't exist, it returns the
value of the attribute with the same name. If there's no attribute with
that name, ``None`` is returned.
Values which are considered truthy, that is equals "true" or "false",
are returned as booleans. All other non-``None`` values are returned
as strings. For attributes or properties which do not exist, ``None``
is returned.
:Args:
- name - Name of the attribute/property to retrieve.
Example::
# Check if the "active" CSS class is applied to an element.
is_active = "active" in target_element.get_attribute("class")
|
[
"Gets",
"the",
"given",
"attribute",
"or",
"property",
"of",
"the",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/webelement.py#L115-L149
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/webelement.py
|
WebElement.send_keys
|
def send_keys(self, *value):
"""Simulates typing into the element.
:Args:
- value - A string for typing, or setting form fields. For setting
file inputs, this could be a local file path.
Use this to send simple key events or to fill out form fields::
form_textfield = driver.find_element_by_name('username')
form_textfield.send_keys("admin")
This can also be used to set file inputs.
::
file_input = driver.find_element_by_name('profilePic')
file_input.send_keys("path/to/profilepic.gif")
# Generally it's better to wrap the file path in one of the methods
# in os.path to return the actual path to support cross OS testing.
# file_input.send_keys(os.path.abspath("path/to/profilepic.gif"))
"""
# transfer file to another machine only if remote driver is used
# the same behaviour as for java binding
if self.parent._is_remote:
local_file = self.parent.file_detector.is_local_file(*value)
if local_file is not None:
value = self._upload(local_file)
self._execute(Command.SEND_KEYS_TO_ELEMENT,
{'text': "".join(keys_to_typing(value)),
'value': keys_to_typing(value)})
|
python
|
def send_keys(self, *value):
"""Simulates typing into the element.
:Args:
- value - A string for typing, or setting form fields. For setting
file inputs, this could be a local file path.
Use this to send simple key events or to fill out form fields::
form_textfield = driver.find_element_by_name('username')
form_textfield.send_keys("admin")
This can also be used to set file inputs.
::
file_input = driver.find_element_by_name('profilePic')
file_input.send_keys("path/to/profilepic.gif")
# Generally it's better to wrap the file path in one of the methods
# in os.path to return the actual path to support cross OS testing.
# file_input.send_keys(os.path.abspath("path/to/profilepic.gif"))
"""
# transfer file to another machine only if remote driver is used
# the same behaviour as for java binding
if self.parent._is_remote:
local_file = self.parent.file_detector.is_local_file(*value)
if local_file is not None:
value = self._upload(local_file)
self._execute(Command.SEND_KEYS_TO_ELEMENT,
{'text': "".join(keys_to_typing(value)),
'value': keys_to_typing(value)})
|
[
"def",
"send_keys",
"(",
"self",
",",
"*",
"value",
")",
":",
"# transfer file to another machine only if remote driver is used",
"# the same behaviour as for java binding",
"if",
"self",
".",
"parent",
".",
"_is_remote",
":",
"local_file",
"=",
"self",
".",
"parent",
".",
"file_detector",
".",
"is_local_file",
"(",
"*",
"value",
")",
"if",
"local_file",
"is",
"not",
"None",
":",
"value",
"=",
"self",
".",
"_upload",
"(",
"local_file",
")",
"self",
".",
"_execute",
"(",
"Command",
".",
"SEND_KEYS_TO_ELEMENT",
",",
"{",
"'text'",
":",
"\"\"",
".",
"join",
"(",
"keys_to_typing",
"(",
"value",
")",
")",
",",
"'value'",
":",
"keys_to_typing",
"(",
"value",
")",
"}",
")"
] |
Simulates typing into the element.
:Args:
- value - A string for typing, or setting form fields. For setting
file inputs, this could be a local file path.
Use this to send simple key events or to fill out form fields::
form_textfield = driver.find_element_by_name('username')
form_textfield.send_keys("admin")
This can also be used to set file inputs.
::
file_input = driver.find_element_by_name('profilePic')
file_input.send_keys("path/to/profilepic.gif")
# Generally it's better to wrap the file path in one of the methods
# in os.path to return the actual path to support cross OS testing.
# file_input.send_keys(os.path.abspath("path/to/profilepic.gif"))
|
[
"Simulates",
"typing",
"into",
"the",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/webelement.py#L480-L512
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/webelement.py
|
WebElement.is_displayed
|
def is_displayed(self):
"""Whether the element is visible to a user."""
# Only go into this conditional for browsers that don't use the atom themselves
if self._w3c:
return self.parent.execute_script(
"return (%s).apply(null, arguments);" % isDisplayed_js,
self)
else:
return self._execute(Command.IS_ELEMENT_DISPLAYED)['value']
|
python
|
def is_displayed(self):
"""Whether the element is visible to a user."""
# Only go into this conditional for browsers that don't use the atom themselves
if self._w3c:
return self.parent.execute_script(
"return (%s).apply(null, arguments);" % isDisplayed_js,
self)
else:
return self._execute(Command.IS_ELEMENT_DISPLAYED)['value']
|
[
"def",
"is_displayed",
"(",
"self",
")",
":",
"# Only go into this conditional for browsers that don't use the atom themselves",
"if",
"self",
".",
"_w3c",
":",
"return",
"self",
".",
"parent",
".",
"execute_script",
"(",
"\"return (%s).apply(null, arguments);\"",
"%",
"isDisplayed_js",
",",
"self",
")",
"else",
":",
"return",
"self",
".",
"_execute",
"(",
"Command",
".",
"IS_ELEMENT_DISPLAYED",
")",
"[",
"'value'",
"]"
] |
Whether the element is visible to a user.
|
[
"Whether",
"the",
"element",
"is",
"visible",
"to",
"a",
"user",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/webelement.py#L515-L523
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/webelement.py
|
WebElement.location_once_scrolled_into_view
|
def location_once_scrolled_into_view(self):
"""THIS PROPERTY MAY CHANGE WITHOUT WARNING. Use this to discover
where on the screen an element is so that we can click it. This method
should cause the element to be scrolled into view.
Returns the top lefthand corner location on the screen, or ``None`` if
the element is not visible.
"""
if self._w3c:
old_loc = self._execute(Command.W3C_EXECUTE_SCRIPT, {
'script': "arguments[0].scrollIntoView(true); return arguments[0].getBoundingClientRect()",
'args': [self]})['value']
return {"x": round(old_loc['x']),
"y": round(old_loc['y'])}
else:
return self._execute(Command.GET_ELEMENT_LOCATION_ONCE_SCROLLED_INTO_VIEW)['value']
|
python
|
def location_once_scrolled_into_view(self):
"""THIS PROPERTY MAY CHANGE WITHOUT WARNING. Use this to discover
where on the screen an element is so that we can click it. This method
should cause the element to be scrolled into view.
Returns the top lefthand corner location on the screen, or ``None`` if
the element is not visible.
"""
if self._w3c:
old_loc = self._execute(Command.W3C_EXECUTE_SCRIPT, {
'script': "arguments[0].scrollIntoView(true); return arguments[0].getBoundingClientRect()",
'args': [self]})['value']
return {"x": round(old_loc['x']),
"y": round(old_loc['y'])}
else:
return self._execute(Command.GET_ELEMENT_LOCATION_ONCE_SCROLLED_INTO_VIEW)['value']
|
[
"def",
"location_once_scrolled_into_view",
"(",
"self",
")",
":",
"if",
"self",
".",
"_w3c",
":",
"old_loc",
"=",
"self",
".",
"_execute",
"(",
"Command",
".",
"W3C_EXECUTE_SCRIPT",
",",
"{",
"'script'",
":",
"\"arguments[0].scrollIntoView(true); return arguments[0].getBoundingClientRect()\"",
",",
"'args'",
":",
"[",
"self",
"]",
"}",
")",
"[",
"'value'",
"]",
"return",
"{",
"\"x\"",
":",
"round",
"(",
"old_loc",
"[",
"'x'",
"]",
")",
",",
"\"y\"",
":",
"round",
"(",
"old_loc",
"[",
"'y'",
"]",
")",
"}",
"else",
":",
"return",
"self",
".",
"_execute",
"(",
"Command",
".",
"GET_ELEMENT_LOCATION_ONCE_SCROLLED_INTO_VIEW",
")",
"[",
"'value'",
"]"
] |
THIS PROPERTY MAY CHANGE WITHOUT WARNING. Use this to discover
where on the screen an element is so that we can click it. This method
should cause the element to be scrolled into view.
Returns the top lefthand corner location on the screen, or ``None`` if
the element is not visible.
|
[
"THIS",
"PROPERTY",
"MAY",
"CHANGE",
"WITHOUT",
"WARNING",
".",
"Use",
"this",
"to",
"discover",
"where",
"on",
"the",
"screen",
"an",
"element",
"is",
"so",
"that",
"we",
"can",
"click",
"it",
".",
"This",
"method",
"should",
"cause",
"the",
"element",
"to",
"be",
"scrolled",
"into",
"view",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/webelement.py#L526-L542
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/webelement.py
|
WebElement.size
|
def size(self):
"""The size of the element."""
size = {}
if self._w3c:
size = self._execute(Command.GET_ELEMENT_RECT)['value']
else:
size = self._execute(Command.GET_ELEMENT_SIZE)['value']
new_size = {"height": size["height"],
"width": size["width"]}
return new_size
|
python
|
def size(self):
"""The size of the element."""
size = {}
if self._w3c:
size = self._execute(Command.GET_ELEMENT_RECT)['value']
else:
size = self._execute(Command.GET_ELEMENT_SIZE)['value']
new_size = {"height": size["height"],
"width": size["width"]}
return new_size
|
[
"def",
"size",
"(",
"self",
")",
":",
"size",
"=",
"{",
"}",
"if",
"self",
".",
"_w3c",
":",
"size",
"=",
"self",
".",
"_execute",
"(",
"Command",
".",
"GET_ELEMENT_RECT",
")",
"[",
"'value'",
"]",
"else",
":",
"size",
"=",
"self",
".",
"_execute",
"(",
"Command",
".",
"GET_ELEMENT_SIZE",
")",
"[",
"'value'",
"]",
"new_size",
"=",
"{",
"\"height\"",
":",
"size",
"[",
"\"height\"",
"]",
",",
"\"width\"",
":",
"size",
"[",
"\"width\"",
"]",
"}",
"return",
"new_size"
] |
The size of the element.
|
[
"The",
"size",
"of",
"the",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/webelement.py#L545-L554
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/webelement.py
|
WebElement.location
|
def location(self):
"""The location of the element in the renderable canvas."""
if self._w3c:
old_loc = self._execute(Command.GET_ELEMENT_RECT)['value']
else:
old_loc = self._execute(Command.GET_ELEMENT_LOCATION)['value']
new_loc = {"x": round(old_loc['x']),
"y": round(old_loc['y'])}
return new_loc
|
python
|
def location(self):
"""The location of the element in the renderable canvas."""
if self._w3c:
old_loc = self._execute(Command.GET_ELEMENT_RECT)['value']
else:
old_loc = self._execute(Command.GET_ELEMENT_LOCATION)['value']
new_loc = {"x": round(old_loc['x']),
"y": round(old_loc['y'])}
return new_loc
|
[
"def",
"location",
"(",
"self",
")",
":",
"if",
"self",
".",
"_w3c",
":",
"old_loc",
"=",
"self",
".",
"_execute",
"(",
"Command",
".",
"GET_ELEMENT_RECT",
")",
"[",
"'value'",
"]",
"else",
":",
"old_loc",
"=",
"self",
".",
"_execute",
"(",
"Command",
".",
"GET_ELEMENT_LOCATION",
")",
"[",
"'value'",
"]",
"new_loc",
"=",
"{",
"\"x\"",
":",
"round",
"(",
"old_loc",
"[",
"'x'",
"]",
")",
",",
"\"y\"",
":",
"round",
"(",
"old_loc",
"[",
"'y'",
"]",
")",
"}",
"return",
"new_loc"
] |
The location of the element in the renderable canvas.
|
[
"The",
"location",
"of",
"the",
"element",
"in",
"the",
"renderable",
"canvas",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/webelement.py#L562-L570
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/webelement.py
|
WebElement.rect
|
def rect(self):
"""A dictionary with the size and location of the element."""
if self._w3c:
return self._execute(Command.GET_ELEMENT_RECT)['value']
else:
rect = self.size.copy()
rect.update(self.location)
return rect
|
python
|
def rect(self):
"""A dictionary with the size and location of the element."""
if self._w3c:
return self._execute(Command.GET_ELEMENT_RECT)['value']
else:
rect = self.size.copy()
rect.update(self.location)
return rect
|
[
"def",
"rect",
"(",
"self",
")",
":",
"if",
"self",
".",
"_w3c",
":",
"return",
"self",
".",
"_execute",
"(",
"Command",
".",
"GET_ELEMENT_RECT",
")",
"[",
"'value'",
"]",
"else",
":",
"rect",
"=",
"self",
".",
"size",
".",
"copy",
"(",
")",
"rect",
".",
"update",
"(",
"self",
".",
"location",
")",
"return",
"rect"
] |
A dictionary with the size and location of the element.
|
[
"A",
"dictionary",
"with",
"the",
"size",
"and",
"location",
"of",
"the",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/webelement.py#L573-L580
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/webelement.py
|
WebElement.screenshot
|
def screenshot(self, filename):
"""
Saves a screenshot of the current element to a PNG image file. Returns
False if there is any IOError, else returns True. Use full paths in
your filename.
:Args:
- filename: The full path you wish to save your screenshot to. This
should end with a `.png` extension.
:Usage:
::
element.screenshot('/Screenshots/foo.png')
"""
if not filename.lower().endswith('.png'):
warnings.warn("name used for saved screenshot does not match file "
"type. It should end with a `.png` extension", UserWarning)
png = self.screenshot_as_png
try:
with open(filename, 'wb') as f:
f.write(png)
except IOError:
return False
finally:
del png
return True
|
python
|
def screenshot(self, filename):
"""
Saves a screenshot of the current element to a PNG image file. Returns
False if there is any IOError, else returns True. Use full paths in
your filename.
:Args:
- filename: The full path you wish to save your screenshot to. This
should end with a `.png` extension.
:Usage:
::
element.screenshot('/Screenshots/foo.png')
"""
if not filename.lower().endswith('.png'):
warnings.warn("name used for saved screenshot does not match file "
"type. It should end with a `.png` extension", UserWarning)
png = self.screenshot_as_png
try:
with open(filename, 'wb') as f:
f.write(png)
except IOError:
return False
finally:
del png
return True
|
[
"def",
"screenshot",
"(",
"self",
",",
"filename",
")",
":",
"if",
"not",
"filename",
".",
"lower",
"(",
")",
".",
"endswith",
"(",
"'.png'",
")",
":",
"warnings",
".",
"warn",
"(",
"\"name used for saved screenshot does not match file \"",
"\"type. It should end with a `.png` extension\"",
",",
"UserWarning",
")",
"png",
"=",
"self",
".",
"screenshot_as_png",
"try",
":",
"with",
"open",
"(",
"filename",
",",
"'wb'",
")",
"as",
"f",
":",
"f",
".",
"write",
"(",
"png",
")",
"except",
"IOError",
":",
"return",
"False",
"finally",
":",
"del",
"png",
"return",
"True"
] |
Saves a screenshot of the current element to a PNG image file. Returns
False if there is any IOError, else returns True. Use full paths in
your filename.
:Args:
- filename: The full path you wish to save your screenshot to. This
should end with a `.png` extension.
:Usage:
::
element.screenshot('/Screenshots/foo.png')
|
[
"Saves",
"a",
"screenshot",
"of",
"the",
"current",
"element",
"to",
"a",
"PNG",
"image",
"file",
".",
"Returns",
"False",
"if",
"there",
"is",
"any",
"IOError",
"else",
"returns",
"True",
".",
"Use",
"full",
"paths",
"in",
"your",
"filename",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/webelement.py#L606-L632
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/webelement.py
|
WebElement._execute
|
def _execute(self, command, params=None):
"""Executes a command against the underlying HTML element.
Args:
command: The name of the command to _execute as a string.
params: A dictionary of named parameters to send with the command.
Returns:
The command's JSON response loaded into a dictionary object.
"""
if not params:
params = {}
params['id'] = self._id
return self._parent.execute(command, params)
|
python
|
def _execute(self, command, params=None):
"""Executes a command against the underlying HTML element.
Args:
command: The name of the command to _execute as a string.
params: A dictionary of named parameters to send with the command.
Returns:
The command's JSON response loaded into a dictionary object.
"""
if not params:
params = {}
params['id'] = self._id
return self._parent.execute(command, params)
|
[
"def",
"_execute",
"(",
"self",
",",
"command",
",",
"params",
"=",
"None",
")",
":",
"if",
"not",
"params",
":",
"params",
"=",
"{",
"}",
"params",
"[",
"'id'",
"]",
"=",
"self",
".",
"_id",
"return",
"self",
".",
"_parent",
".",
"execute",
"(",
"command",
",",
"params",
")"
] |
Executes a command against the underlying HTML element.
Args:
command: The name of the command to _execute as a string.
params: A dictionary of named parameters to send with the command.
Returns:
The command's JSON response loaded into a dictionary object.
|
[
"Executes",
"a",
"command",
"against",
"the",
"underlying",
"HTML",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/webelement.py#L659-L672
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/webelement.py
|
WebElement.find_element
|
def find_element(self, by=By.ID, value=None):
"""
Find an element given a By strategy and locator. Prefer the find_element_by_* methods when
possible.
:Usage:
::
element = element.find_element(By.ID, 'foo')
:rtype: WebElement
"""
if self._w3c:
if by == By.ID:
by = By.CSS_SELECTOR
value = '[id="%s"]' % value
elif by == By.TAG_NAME:
by = By.CSS_SELECTOR
elif by == By.CLASS_NAME:
by = By.CSS_SELECTOR
value = ".%s" % value
elif by == By.NAME:
by = By.CSS_SELECTOR
value = '[name="%s"]' % value
return self._execute(Command.FIND_CHILD_ELEMENT,
{"using": by, "value": value})['value']
|
python
|
def find_element(self, by=By.ID, value=None):
"""
Find an element given a By strategy and locator. Prefer the find_element_by_* methods when
possible.
:Usage:
::
element = element.find_element(By.ID, 'foo')
:rtype: WebElement
"""
if self._w3c:
if by == By.ID:
by = By.CSS_SELECTOR
value = '[id="%s"]' % value
elif by == By.TAG_NAME:
by = By.CSS_SELECTOR
elif by == By.CLASS_NAME:
by = By.CSS_SELECTOR
value = ".%s" % value
elif by == By.NAME:
by = By.CSS_SELECTOR
value = '[name="%s"]' % value
return self._execute(Command.FIND_CHILD_ELEMENT,
{"using": by, "value": value})['value']
|
[
"def",
"find_element",
"(",
"self",
",",
"by",
"=",
"By",
".",
"ID",
",",
"value",
"=",
"None",
")",
":",
"if",
"self",
".",
"_w3c",
":",
"if",
"by",
"==",
"By",
".",
"ID",
":",
"by",
"=",
"By",
".",
"CSS_SELECTOR",
"value",
"=",
"'[id=\"%s\"]'",
"%",
"value",
"elif",
"by",
"==",
"By",
".",
"TAG_NAME",
":",
"by",
"=",
"By",
".",
"CSS_SELECTOR",
"elif",
"by",
"==",
"By",
".",
"CLASS_NAME",
":",
"by",
"=",
"By",
".",
"CSS_SELECTOR",
"value",
"=",
"\".%s\"",
"%",
"value",
"elif",
"by",
"==",
"By",
".",
"NAME",
":",
"by",
"=",
"By",
".",
"CSS_SELECTOR",
"value",
"=",
"'[name=\"%s\"]'",
"%",
"value",
"return",
"self",
".",
"_execute",
"(",
"Command",
".",
"FIND_CHILD_ELEMENT",
",",
"{",
"\"using\"",
":",
"by",
",",
"\"value\"",
":",
"value",
"}",
")",
"[",
"'value'",
"]"
] |
Find an element given a By strategy and locator. Prefer the find_element_by_* methods when
possible.
:Usage:
::
element = element.find_element(By.ID, 'foo')
:rtype: WebElement
|
[
"Find",
"an",
"element",
"given",
"a",
"By",
"strategy",
"and",
"locator",
".",
"Prefer",
"the",
"find_element_by_",
"*",
"methods",
"when",
"possible",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/webelement.py#L674-L700
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/webelement.py
|
WebElement.find_elements
|
def find_elements(self, by=By.ID, value=None):
"""
Find elements given a By strategy and locator. Prefer the find_elements_by_* methods when
possible.
:Usage:
::
element = element.find_elements(By.CLASS_NAME, 'foo')
:rtype: list of WebElement
"""
if self._w3c:
if by == By.ID:
by = By.CSS_SELECTOR
value = '[id="%s"]' % value
elif by == By.TAG_NAME:
by = By.CSS_SELECTOR
elif by == By.CLASS_NAME:
by = By.CSS_SELECTOR
value = ".%s" % value
elif by == By.NAME:
by = By.CSS_SELECTOR
value = '[name="%s"]' % value
return self._execute(Command.FIND_CHILD_ELEMENTS,
{"using": by, "value": value})['value']
|
python
|
def find_elements(self, by=By.ID, value=None):
"""
Find elements given a By strategy and locator. Prefer the find_elements_by_* methods when
possible.
:Usage:
::
element = element.find_elements(By.CLASS_NAME, 'foo')
:rtype: list of WebElement
"""
if self._w3c:
if by == By.ID:
by = By.CSS_SELECTOR
value = '[id="%s"]' % value
elif by == By.TAG_NAME:
by = By.CSS_SELECTOR
elif by == By.CLASS_NAME:
by = By.CSS_SELECTOR
value = ".%s" % value
elif by == By.NAME:
by = By.CSS_SELECTOR
value = '[name="%s"]' % value
return self._execute(Command.FIND_CHILD_ELEMENTS,
{"using": by, "value": value})['value']
|
[
"def",
"find_elements",
"(",
"self",
",",
"by",
"=",
"By",
".",
"ID",
",",
"value",
"=",
"None",
")",
":",
"if",
"self",
".",
"_w3c",
":",
"if",
"by",
"==",
"By",
".",
"ID",
":",
"by",
"=",
"By",
".",
"CSS_SELECTOR",
"value",
"=",
"'[id=\"%s\"]'",
"%",
"value",
"elif",
"by",
"==",
"By",
".",
"TAG_NAME",
":",
"by",
"=",
"By",
".",
"CSS_SELECTOR",
"elif",
"by",
"==",
"By",
".",
"CLASS_NAME",
":",
"by",
"=",
"By",
".",
"CSS_SELECTOR",
"value",
"=",
"\".%s\"",
"%",
"value",
"elif",
"by",
"==",
"By",
".",
"NAME",
":",
"by",
"=",
"By",
".",
"CSS_SELECTOR",
"value",
"=",
"'[name=\"%s\"]'",
"%",
"value",
"return",
"self",
".",
"_execute",
"(",
"Command",
".",
"FIND_CHILD_ELEMENTS",
",",
"{",
"\"using\"",
":",
"by",
",",
"\"value\"",
":",
"value",
"}",
")",
"[",
"'value'",
"]"
] |
Find elements given a By strategy and locator. Prefer the find_elements_by_* methods when
possible.
:Usage:
::
element = element.find_elements(By.CLASS_NAME, 'foo')
:rtype: list of WebElement
|
[
"Find",
"elements",
"given",
"a",
"By",
"strategy",
"and",
"locator",
".",
"Prefer",
"the",
"find_elements_by_",
"*",
"methods",
"when",
"possible",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/webelement.py#L702-L728
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/webkitgtk/webdriver.py
|
WebDriver.quit
|
def quit(self):
"""
Closes the browser and shuts down the WebKitGTKDriver executable
that is started when starting the WebKitGTKDriver
"""
try:
RemoteWebDriver.quit(self)
except http_client.BadStatusLine:
pass
finally:
self.service.stop()
|
python
|
def quit(self):
"""
Closes the browser and shuts down the WebKitGTKDriver executable
that is started when starting the WebKitGTKDriver
"""
try:
RemoteWebDriver.quit(self)
except http_client.BadStatusLine:
pass
finally:
self.service.stop()
|
[
"def",
"quit",
"(",
"self",
")",
":",
"try",
":",
"RemoteWebDriver",
".",
"quit",
"(",
"self",
")",
"except",
"http_client",
".",
"BadStatusLine",
":",
"pass",
"finally",
":",
"self",
".",
"service",
".",
"stop",
"(",
")"
] |
Closes the browser and shuts down the WebKitGTKDriver executable
that is started when starting the WebKitGTKDriver
|
[
"Closes",
"the",
"browser",
"and",
"shuts",
"down",
"the",
"WebKitGTKDriver",
"executable",
"that",
"is",
"started",
"when",
"starting",
"the",
"WebKitGTKDriver"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/webkitgtk/webdriver.py#L68-L78
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/service.py
|
Service.start
|
def start(self):
"""
Starts the Service.
:Exceptions:
- WebDriverException : Raised either when it can't start the service
or when it can't connect to the service
"""
try:
cmd = [self.path]
cmd.extend(self.command_line_args())
self.process = subprocess.Popen(cmd, env=self.env,
close_fds=platform.system() != 'Windows',
stdout=self.log_file,
stderr=self.log_file,
stdin=PIPE)
except TypeError:
raise
except OSError as err:
if err.errno == errno.ENOENT:
raise WebDriverException(
"'%s' executable needs to be in PATH. %s" % (
os.path.basename(self.path), self.start_error_message)
)
elif err.errno == errno.EACCES:
raise WebDriverException(
"'%s' executable may have wrong permissions. %s" % (
os.path.basename(self.path), self.start_error_message)
)
else:
raise
except Exception as e:
raise WebDriverException(
"The executable %s needs to be available in the path. %s\n%s" %
(os.path.basename(self.path), self.start_error_message, str(e)))
count = 0
while True:
self.assert_process_still_running()
if self.is_connectable():
break
count += 1
time.sleep(1)
if count == 30:
raise WebDriverException("Can not connect to the Service %s" % self.path)
|
python
|
def start(self):
"""
Starts the Service.
:Exceptions:
- WebDriverException : Raised either when it can't start the service
or when it can't connect to the service
"""
try:
cmd = [self.path]
cmd.extend(self.command_line_args())
self.process = subprocess.Popen(cmd, env=self.env,
close_fds=platform.system() != 'Windows',
stdout=self.log_file,
stderr=self.log_file,
stdin=PIPE)
except TypeError:
raise
except OSError as err:
if err.errno == errno.ENOENT:
raise WebDriverException(
"'%s' executable needs to be in PATH. %s" % (
os.path.basename(self.path), self.start_error_message)
)
elif err.errno == errno.EACCES:
raise WebDriverException(
"'%s' executable may have wrong permissions. %s" % (
os.path.basename(self.path), self.start_error_message)
)
else:
raise
except Exception as e:
raise WebDriverException(
"The executable %s needs to be available in the path. %s\n%s" %
(os.path.basename(self.path), self.start_error_message, str(e)))
count = 0
while True:
self.assert_process_still_running()
if self.is_connectable():
break
count += 1
time.sleep(1)
if count == 30:
raise WebDriverException("Can not connect to the Service %s" % self.path)
|
[
"def",
"start",
"(",
"self",
")",
":",
"try",
":",
"cmd",
"=",
"[",
"self",
".",
"path",
"]",
"cmd",
".",
"extend",
"(",
"self",
".",
"command_line_args",
"(",
")",
")",
"self",
".",
"process",
"=",
"subprocess",
".",
"Popen",
"(",
"cmd",
",",
"env",
"=",
"self",
".",
"env",
",",
"close_fds",
"=",
"platform",
".",
"system",
"(",
")",
"!=",
"'Windows'",
",",
"stdout",
"=",
"self",
".",
"log_file",
",",
"stderr",
"=",
"self",
".",
"log_file",
",",
"stdin",
"=",
"PIPE",
")",
"except",
"TypeError",
":",
"raise",
"except",
"OSError",
"as",
"err",
":",
"if",
"err",
".",
"errno",
"==",
"errno",
".",
"ENOENT",
":",
"raise",
"WebDriverException",
"(",
"\"'%s' executable needs to be in PATH. %s\"",
"%",
"(",
"os",
".",
"path",
".",
"basename",
"(",
"self",
".",
"path",
")",
",",
"self",
".",
"start_error_message",
")",
")",
"elif",
"err",
".",
"errno",
"==",
"errno",
".",
"EACCES",
":",
"raise",
"WebDriverException",
"(",
"\"'%s' executable may have wrong permissions. %s\"",
"%",
"(",
"os",
".",
"path",
".",
"basename",
"(",
"self",
".",
"path",
")",
",",
"self",
".",
"start_error_message",
")",
")",
"else",
":",
"raise",
"except",
"Exception",
"as",
"e",
":",
"raise",
"WebDriverException",
"(",
"\"The executable %s needs to be available in the path. %s\\n%s\"",
"%",
"(",
"os",
".",
"path",
".",
"basename",
"(",
"self",
".",
"path",
")",
",",
"self",
".",
"start_error_message",
",",
"str",
"(",
"e",
")",
")",
")",
"count",
"=",
"0",
"while",
"True",
":",
"self",
".",
"assert_process_still_running",
"(",
")",
"if",
"self",
".",
"is_connectable",
"(",
")",
":",
"break",
"count",
"+=",
"1",
"time",
".",
"sleep",
"(",
"1",
")",
"if",
"count",
"==",
"30",
":",
"raise",
"WebDriverException",
"(",
"\"Can not connect to the Service %s\"",
"%",
"self",
".",
"path",
")"
] |
Starts the Service.
:Exceptions:
- WebDriverException : Raised either when it can't start the service
or when it can't connect to the service
|
[
"Starts",
"the",
"Service",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/service.py#L61-L104
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/service.py
|
Service.stop
|
def stop(self):
"""
Stops the service.
"""
if self.log_file != PIPE and not (self.log_file == DEVNULL and _HAS_NATIVE_DEVNULL):
try:
self.log_file.close()
except Exception:
pass
if self.process is None:
return
try:
self.send_remote_shutdown_command()
except TypeError:
pass
try:
if self.process:
for stream in [self.process.stdin,
self.process.stdout,
self.process.stderr]:
try:
stream.close()
except AttributeError:
pass
self.process.terminate()
self.process.wait()
self.process.kill()
self.process = None
except OSError:
pass
|
python
|
def stop(self):
"""
Stops the service.
"""
if self.log_file != PIPE and not (self.log_file == DEVNULL and _HAS_NATIVE_DEVNULL):
try:
self.log_file.close()
except Exception:
pass
if self.process is None:
return
try:
self.send_remote_shutdown_command()
except TypeError:
pass
try:
if self.process:
for stream in [self.process.stdin,
self.process.stdout,
self.process.stderr]:
try:
stream.close()
except AttributeError:
pass
self.process.terminate()
self.process.wait()
self.process.kill()
self.process = None
except OSError:
pass
|
[
"def",
"stop",
"(",
"self",
")",
":",
"if",
"self",
".",
"log_file",
"!=",
"PIPE",
"and",
"not",
"(",
"self",
".",
"log_file",
"==",
"DEVNULL",
"and",
"_HAS_NATIVE_DEVNULL",
")",
":",
"try",
":",
"self",
".",
"log_file",
".",
"close",
"(",
")",
"except",
"Exception",
":",
"pass",
"if",
"self",
".",
"process",
"is",
"None",
":",
"return",
"try",
":",
"self",
".",
"send_remote_shutdown_command",
"(",
")",
"except",
"TypeError",
":",
"pass",
"try",
":",
"if",
"self",
".",
"process",
":",
"for",
"stream",
"in",
"[",
"self",
".",
"process",
".",
"stdin",
",",
"self",
".",
"process",
".",
"stdout",
",",
"self",
".",
"process",
".",
"stderr",
"]",
":",
"try",
":",
"stream",
".",
"close",
"(",
")",
"except",
"AttributeError",
":",
"pass",
"self",
".",
"process",
".",
"terminate",
"(",
")",
"self",
".",
"process",
".",
"wait",
"(",
")",
"self",
".",
"process",
".",
"kill",
"(",
")",
"self",
".",
"process",
"=",
"None",
"except",
"OSError",
":",
"pass"
] |
Stops the service.
|
[
"Stops",
"the",
"service",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/service.py#L137-L169
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/firefox/firefox_binary.py
|
FirefoxBinary.launch_browser
|
def launch_browser(self, profile, timeout=30):
"""Launches the browser for the given profile name.
It is assumed the profile already exists.
"""
self.profile = profile
self._start_from_profile_path(self.profile.path)
self._wait_until_connectable(timeout=timeout)
|
python
|
def launch_browser(self, profile, timeout=30):
"""Launches the browser for the given profile name.
It is assumed the profile already exists.
"""
self.profile = profile
self._start_from_profile_path(self.profile.path)
self._wait_until_connectable(timeout=timeout)
|
[
"def",
"launch_browser",
"(",
"self",
",",
"profile",
",",
"timeout",
"=",
"30",
")",
":",
"self",
".",
"profile",
"=",
"profile",
"self",
".",
"_start_from_profile_path",
"(",
"self",
".",
"profile",
".",
"path",
")",
"self",
".",
"_wait_until_connectable",
"(",
"timeout",
"=",
"timeout",
")"
] |
Launches the browser for the given profile name.
It is assumed the profile already exists.
|
[
"Launches",
"the",
"browser",
"for",
"the",
"given",
"profile",
"name",
".",
"It",
"is",
"assumed",
"the",
"profile",
"already",
"exists",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/firefox/firefox_binary.py#L66-L73
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/firefox/firefox_binary.py
|
FirefoxBinary.kill
|
def kill(self):
"""Kill the browser.
This is useful when the browser is stuck.
"""
if self.process:
self.process.kill()
self.process.wait()
|
python
|
def kill(self):
"""Kill the browser.
This is useful when the browser is stuck.
"""
if self.process:
self.process.kill()
self.process.wait()
|
[
"def",
"kill",
"(",
"self",
")",
":",
"if",
"self",
".",
"process",
":",
"self",
".",
"process",
".",
"kill",
"(",
")",
"self",
".",
"process",
".",
"wait",
"(",
")"
] |
Kill the browser.
This is useful when the browser is stuck.
|
[
"Kill",
"the",
"browser",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/firefox/firefox_binary.py#L75-L82
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/firefox/firefox_binary.py
|
FirefoxBinary._wait_until_connectable
|
def _wait_until_connectable(self, timeout=30):
"""Blocks until the extension is connectable in the firefox."""
count = 0
while not utils.is_connectable(self.profile.port):
if self.process.poll() is not None:
# Browser has exited
raise WebDriverException(
"The browser appears to have exited "
"before we could connect. If you specified a log_file in "
"the FirefoxBinary constructor, check it for details.")
if count >= timeout:
self.kill()
raise WebDriverException(
"Can't load the profile. Possible firefox version mismatch. "
"You must use GeckoDriver instead for Firefox 48+. Profile "
"Dir: %s If you specified a log_file in the "
"FirefoxBinary constructor, check it for details."
% (self.profile.path))
count += 1
time.sleep(1)
return True
|
python
|
def _wait_until_connectable(self, timeout=30):
"""Blocks until the extension is connectable in the firefox."""
count = 0
while not utils.is_connectable(self.profile.port):
if self.process.poll() is not None:
# Browser has exited
raise WebDriverException(
"The browser appears to have exited "
"before we could connect. If you specified a log_file in "
"the FirefoxBinary constructor, check it for details.")
if count >= timeout:
self.kill()
raise WebDriverException(
"Can't load the profile. Possible firefox version mismatch. "
"You must use GeckoDriver instead for Firefox 48+. Profile "
"Dir: %s If you specified a log_file in the "
"FirefoxBinary constructor, check it for details."
% (self.profile.path))
count += 1
time.sleep(1)
return True
|
[
"def",
"_wait_until_connectable",
"(",
"self",
",",
"timeout",
"=",
"30",
")",
":",
"count",
"=",
"0",
"while",
"not",
"utils",
".",
"is_connectable",
"(",
"self",
".",
"profile",
".",
"port",
")",
":",
"if",
"self",
".",
"process",
".",
"poll",
"(",
")",
"is",
"not",
"None",
":",
"# Browser has exited",
"raise",
"WebDriverException",
"(",
"\"The browser appears to have exited \"",
"\"before we could connect. If you specified a log_file in \"",
"\"the FirefoxBinary constructor, check it for details.\"",
")",
"if",
"count",
">=",
"timeout",
":",
"self",
".",
"kill",
"(",
")",
"raise",
"WebDriverException",
"(",
"\"Can't load the profile. Possible firefox version mismatch. \"",
"\"You must use GeckoDriver instead for Firefox 48+. Profile \"",
"\"Dir: %s If you specified a log_file in the \"",
"\"FirefoxBinary constructor, check it for details.\"",
"%",
"(",
"self",
".",
"profile",
".",
"path",
")",
")",
"count",
"+=",
"1",
"time",
".",
"sleep",
"(",
"1",
")",
"return",
"True"
] |
Blocks until the extension is connectable in the firefox.
|
[
"Blocks",
"until",
"the",
"extension",
"is",
"connectable",
"in",
"the",
"firefox",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/firefox/firefox_binary.py#L97-L117
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/firefox/firefox_binary.py
|
FirefoxBinary._get_firefox_start_cmd
|
def _get_firefox_start_cmd(self):
"""Return the command to start firefox."""
start_cmd = ""
if platform.system() == "Darwin":
start_cmd = "/Applications/Firefox.app/Contents/MacOS/firefox-bin"
# fallback to homebrew installation for mac users
if not os.path.exists(start_cmd):
start_cmd = os.path.expanduser("~") + start_cmd
elif platform.system() == "Windows":
start_cmd = (self._find_exe_in_registry() or self._default_windows_location())
elif platform.system() == 'Java' and os._name == 'nt':
start_cmd = self._default_windows_location()
else:
for ffname in ["firefox", "iceweasel"]:
start_cmd = self.which(ffname)
if start_cmd is not None:
break
else:
# couldn't find firefox on the system path
raise RuntimeError(
"Could not find firefox in your system PATH." +
" Please specify the firefox binary location or install firefox")
return start_cmd
|
python
|
def _get_firefox_start_cmd(self):
"""Return the command to start firefox."""
start_cmd = ""
if platform.system() == "Darwin":
start_cmd = "/Applications/Firefox.app/Contents/MacOS/firefox-bin"
# fallback to homebrew installation for mac users
if not os.path.exists(start_cmd):
start_cmd = os.path.expanduser("~") + start_cmd
elif platform.system() == "Windows":
start_cmd = (self._find_exe_in_registry() or self._default_windows_location())
elif platform.system() == 'Java' and os._name == 'nt':
start_cmd = self._default_windows_location()
else:
for ffname in ["firefox", "iceweasel"]:
start_cmd = self.which(ffname)
if start_cmd is not None:
break
else:
# couldn't find firefox on the system path
raise RuntimeError(
"Could not find firefox in your system PATH." +
" Please specify the firefox binary location or install firefox")
return start_cmd
|
[
"def",
"_get_firefox_start_cmd",
"(",
"self",
")",
":",
"start_cmd",
"=",
"\"\"",
"if",
"platform",
".",
"system",
"(",
")",
"==",
"\"Darwin\"",
":",
"start_cmd",
"=",
"\"/Applications/Firefox.app/Contents/MacOS/firefox-bin\"",
"# fallback to homebrew installation for mac users",
"if",
"not",
"os",
".",
"path",
".",
"exists",
"(",
"start_cmd",
")",
":",
"start_cmd",
"=",
"os",
".",
"path",
".",
"expanduser",
"(",
"\"~\"",
")",
"+",
"start_cmd",
"elif",
"platform",
".",
"system",
"(",
")",
"==",
"\"Windows\"",
":",
"start_cmd",
"=",
"(",
"self",
".",
"_find_exe_in_registry",
"(",
")",
"or",
"self",
".",
"_default_windows_location",
"(",
")",
")",
"elif",
"platform",
".",
"system",
"(",
")",
"==",
"'Java'",
"and",
"os",
".",
"_name",
"==",
"'nt'",
":",
"start_cmd",
"=",
"self",
".",
"_default_windows_location",
"(",
")",
"else",
":",
"for",
"ffname",
"in",
"[",
"\"firefox\"",
",",
"\"iceweasel\"",
"]",
":",
"start_cmd",
"=",
"self",
".",
"which",
"(",
"ffname",
")",
"if",
"start_cmd",
"is",
"not",
"None",
":",
"break",
"else",
":",
"# couldn't find firefox on the system path",
"raise",
"RuntimeError",
"(",
"\"Could not find firefox in your system PATH.\"",
"+",
"\" Please specify the firefox binary location or install firefox\"",
")",
"return",
"start_cmd"
] |
Return the command to start firefox.
|
[
"Return",
"the",
"command",
"to",
"start",
"firefox",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/firefox/firefox_binary.py#L148-L170
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/firefox/firefox_binary.py
|
FirefoxBinary.which
|
def which(self, fname):
"""Returns the fully qualified path by searching Path of the given
name"""
for pe in os.environ['PATH'].split(os.pathsep):
checkname = os.path.join(pe, fname)
if os.access(checkname, os.X_OK) and not os.path.isdir(checkname):
return checkname
return None
|
python
|
def which(self, fname):
"""Returns the fully qualified path by searching Path of the given
name"""
for pe in os.environ['PATH'].split(os.pathsep):
checkname = os.path.join(pe, fname)
if os.access(checkname, os.X_OK) and not os.path.isdir(checkname):
return checkname
return None
|
[
"def",
"which",
"(",
"self",
",",
"fname",
")",
":",
"for",
"pe",
"in",
"os",
".",
"environ",
"[",
"'PATH'",
"]",
".",
"split",
"(",
"os",
".",
"pathsep",
")",
":",
"checkname",
"=",
"os",
".",
"path",
".",
"join",
"(",
"pe",
",",
"fname",
")",
"if",
"os",
".",
"access",
"(",
"checkname",
",",
"os",
".",
"X_OK",
")",
"and",
"not",
"os",
".",
"path",
".",
"isdir",
"(",
"checkname",
")",
":",
"return",
"checkname",
"return",
"None"
] |
Returns the fully qualified path by searching Path of the given
name
|
[
"Returns",
"the",
"fully",
"qualified",
"path",
"by",
"searching",
"Path",
"of",
"the",
"given",
"name"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/firefox/firefox_binary.py#L210-L217
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/remote_connection.py
|
RemoteConnection.get_remote_connection_headers
|
def get_remote_connection_headers(cls, parsed_url, keep_alive=False):
"""
Get headers for remote request.
:Args:
- parsed_url - The parsed url
- keep_alive (Boolean) - Is this a keep-alive connection (default: False)
"""
system = platform.system().lower()
if system == "darwin":
system = "mac"
headers = {
'Accept': 'application/json',
'Content-Type': 'application/json;charset=UTF-8',
'User-Agent': 'selenium/{} (python {})'.format(__version__, system)
}
if parsed_url.username:
base64string = base64.b64encode('{0.username}:{0.password}'.format(parsed_url).encode())
headers.update({
'Authorization': 'Basic {}'.format(base64string.decode())
})
if keep_alive:
headers.update({
'Connection': 'keep-alive'
})
return headers
|
python
|
def get_remote_connection_headers(cls, parsed_url, keep_alive=False):
"""
Get headers for remote request.
:Args:
- parsed_url - The parsed url
- keep_alive (Boolean) - Is this a keep-alive connection (default: False)
"""
system = platform.system().lower()
if system == "darwin":
system = "mac"
headers = {
'Accept': 'application/json',
'Content-Type': 'application/json;charset=UTF-8',
'User-Agent': 'selenium/{} (python {})'.format(__version__, system)
}
if parsed_url.username:
base64string = base64.b64encode('{0.username}:{0.password}'.format(parsed_url).encode())
headers.update({
'Authorization': 'Basic {}'.format(base64string.decode())
})
if keep_alive:
headers.update({
'Connection': 'keep-alive'
})
return headers
|
[
"def",
"get_remote_connection_headers",
"(",
"cls",
",",
"parsed_url",
",",
"keep_alive",
"=",
"False",
")",
":",
"system",
"=",
"platform",
".",
"system",
"(",
")",
".",
"lower",
"(",
")",
"if",
"system",
"==",
"\"darwin\"",
":",
"system",
"=",
"\"mac\"",
"headers",
"=",
"{",
"'Accept'",
":",
"'application/json'",
",",
"'Content-Type'",
":",
"'application/json;charset=UTF-8'",
",",
"'User-Agent'",
":",
"'selenium/{} (python {})'",
".",
"format",
"(",
"__version__",
",",
"system",
")",
"}",
"if",
"parsed_url",
".",
"username",
":",
"base64string",
"=",
"base64",
".",
"b64encode",
"(",
"'{0.username}:{0.password}'",
".",
"format",
"(",
"parsed_url",
")",
".",
"encode",
"(",
")",
")",
"headers",
".",
"update",
"(",
"{",
"'Authorization'",
":",
"'Basic {}'",
".",
"format",
"(",
"base64string",
".",
"decode",
"(",
")",
")",
"}",
")",
"if",
"keep_alive",
":",
"headers",
".",
"update",
"(",
"{",
"'Connection'",
":",
"'keep-alive'",
"}",
")",
"return",
"headers"
] |
Get headers for remote request.
:Args:
- parsed_url - The parsed url
- keep_alive (Boolean) - Is this a keep-alive connection (default: False)
|
[
"Get",
"headers",
"for",
"remote",
"request",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/remote_connection.py#L74-L104
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/remote_connection.py
|
RemoteConnection.execute
|
def execute(self, command, params):
"""
Send a command to the remote server.
Any path subtitutions required for the URL mapped to the command should be
included in the command parameters.
:Args:
- command - A string specifying the command to execute.
- params - A dictionary of named parameters to send with the command as
its JSON payload.
"""
command_info = self._commands[command]
assert command_info is not None, 'Unrecognised command %s' % command
path = string.Template(command_info[1]).substitute(params)
if hasattr(self, 'w3c') and self.w3c and isinstance(params, dict) and 'sessionId' in params:
del params['sessionId']
data = utils.dump_json(params)
url = '%s%s' % (self._url, path)
return self._request(command_info[0], url, body=data)
|
python
|
def execute(self, command, params):
"""
Send a command to the remote server.
Any path subtitutions required for the URL mapped to the command should be
included in the command parameters.
:Args:
- command - A string specifying the command to execute.
- params - A dictionary of named parameters to send with the command as
its JSON payload.
"""
command_info = self._commands[command]
assert command_info is not None, 'Unrecognised command %s' % command
path = string.Template(command_info[1]).substitute(params)
if hasattr(self, 'w3c') and self.w3c and isinstance(params, dict) and 'sessionId' in params:
del params['sessionId']
data = utils.dump_json(params)
url = '%s%s' % (self._url, path)
return self._request(command_info[0], url, body=data)
|
[
"def",
"execute",
"(",
"self",
",",
"command",
",",
"params",
")",
":",
"command_info",
"=",
"self",
".",
"_commands",
"[",
"command",
"]",
"assert",
"command_info",
"is",
"not",
"None",
",",
"'Unrecognised command %s'",
"%",
"command",
"path",
"=",
"string",
".",
"Template",
"(",
"command_info",
"[",
"1",
"]",
")",
".",
"substitute",
"(",
"params",
")",
"if",
"hasattr",
"(",
"self",
",",
"'w3c'",
")",
"and",
"self",
".",
"w3c",
"and",
"isinstance",
"(",
"params",
",",
"dict",
")",
"and",
"'sessionId'",
"in",
"params",
":",
"del",
"params",
"[",
"'sessionId'",
"]",
"data",
"=",
"utils",
".",
"dump_json",
"(",
"params",
")",
"url",
"=",
"'%s%s'",
"%",
"(",
"self",
".",
"_url",
",",
"path",
")",
"return",
"self",
".",
"_request",
"(",
"command_info",
"[",
"0",
"]",
",",
"url",
",",
"body",
"=",
"data",
")"
] |
Send a command to the remote server.
Any path subtitutions required for the URL mapped to the command should be
included in the command parameters.
:Args:
- command - A string specifying the command to execute.
- params - A dictionary of named parameters to send with the command as
its JSON payload.
|
[
"Send",
"a",
"command",
"to",
"the",
"remote",
"server",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/remote_connection.py#L356-L375
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/remote/remote_connection.py
|
RemoteConnection._request
|
def _request(self, method, url, body=None):
"""
Send an HTTP request to the remote server.
:Args:
- method - A string for the HTTP method to send the request with.
- url - A string for the URL to send the request to.
- body - A string for request body. Ignored unless method is POST or PUT.
:Returns:
A dictionary with the server's parsed JSON response.
"""
LOGGER.debug('%s %s %s' % (method, url, body))
parsed_url = parse.urlparse(url)
headers = self.get_remote_connection_headers(parsed_url, self.keep_alive)
resp = None
if body and method != 'POST' and method != 'PUT':
body = None
if self.keep_alive:
resp = self._conn.request(method, url, body=body, headers=headers)
statuscode = resp.status
else:
http = urllib3.PoolManager(timeout=self._timeout)
resp = http.request(method, url, body=body, headers=headers)
statuscode = resp.status
if not hasattr(resp, 'getheader'):
if hasattr(resp.headers, 'getheader'):
resp.getheader = lambda x: resp.headers.getheader(x)
elif hasattr(resp.headers, 'get'):
resp.getheader = lambda x: resp.headers.get(x)
data = resp.data.decode('UTF-8')
try:
if 300 <= statuscode < 304:
return self._request('GET', resp.getheader('location'))
if 399 < statuscode <= 500:
return {'status': statuscode, 'value': data}
content_type = []
if resp.getheader('Content-Type') is not None:
content_type = resp.getheader('Content-Type').split(';')
if not any([x.startswith('image/png') for x in content_type]):
try:
data = utils.load_json(data.strip())
except ValueError:
if 199 < statuscode < 300:
status = ErrorCode.SUCCESS
else:
status = ErrorCode.UNKNOWN_ERROR
return {'status': status, 'value': data.strip()}
# Some of the drivers incorrectly return a response
# with no 'value' field when they should return null.
if 'value' not in data:
data['value'] = None
return data
else:
data = {'status': 0, 'value': data}
return data
finally:
LOGGER.debug("Finished Request")
resp.close()
|
python
|
def _request(self, method, url, body=None):
"""
Send an HTTP request to the remote server.
:Args:
- method - A string for the HTTP method to send the request with.
- url - A string for the URL to send the request to.
- body - A string for request body. Ignored unless method is POST or PUT.
:Returns:
A dictionary with the server's parsed JSON response.
"""
LOGGER.debug('%s %s %s' % (method, url, body))
parsed_url = parse.urlparse(url)
headers = self.get_remote_connection_headers(parsed_url, self.keep_alive)
resp = None
if body and method != 'POST' and method != 'PUT':
body = None
if self.keep_alive:
resp = self._conn.request(method, url, body=body, headers=headers)
statuscode = resp.status
else:
http = urllib3.PoolManager(timeout=self._timeout)
resp = http.request(method, url, body=body, headers=headers)
statuscode = resp.status
if not hasattr(resp, 'getheader'):
if hasattr(resp.headers, 'getheader'):
resp.getheader = lambda x: resp.headers.getheader(x)
elif hasattr(resp.headers, 'get'):
resp.getheader = lambda x: resp.headers.get(x)
data = resp.data.decode('UTF-8')
try:
if 300 <= statuscode < 304:
return self._request('GET', resp.getheader('location'))
if 399 < statuscode <= 500:
return {'status': statuscode, 'value': data}
content_type = []
if resp.getheader('Content-Type') is not None:
content_type = resp.getheader('Content-Type').split(';')
if not any([x.startswith('image/png') for x in content_type]):
try:
data = utils.load_json(data.strip())
except ValueError:
if 199 < statuscode < 300:
status = ErrorCode.SUCCESS
else:
status = ErrorCode.UNKNOWN_ERROR
return {'status': status, 'value': data.strip()}
# Some of the drivers incorrectly return a response
# with no 'value' field when they should return null.
if 'value' not in data:
data['value'] = None
return data
else:
data = {'status': 0, 'value': data}
return data
finally:
LOGGER.debug("Finished Request")
resp.close()
|
[
"def",
"_request",
"(",
"self",
",",
"method",
",",
"url",
",",
"body",
"=",
"None",
")",
":",
"LOGGER",
".",
"debug",
"(",
"'%s %s %s'",
"%",
"(",
"method",
",",
"url",
",",
"body",
")",
")",
"parsed_url",
"=",
"parse",
".",
"urlparse",
"(",
"url",
")",
"headers",
"=",
"self",
".",
"get_remote_connection_headers",
"(",
"parsed_url",
",",
"self",
".",
"keep_alive",
")",
"resp",
"=",
"None",
"if",
"body",
"and",
"method",
"!=",
"'POST'",
"and",
"method",
"!=",
"'PUT'",
":",
"body",
"=",
"None",
"if",
"self",
".",
"keep_alive",
":",
"resp",
"=",
"self",
".",
"_conn",
".",
"request",
"(",
"method",
",",
"url",
",",
"body",
"=",
"body",
",",
"headers",
"=",
"headers",
")",
"statuscode",
"=",
"resp",
".",
"status",
"else",
":",
"http",
"=",
"urllib3",
".",
"PoolManager",
"(",
"timeout",
"=",
"self",
".",
"_timeout",
")",
"resp",
"=",
"http",
".",
"request",
"(",
"method",
",",
"url",
",",
"body",
"=",
"body",
",",
"headers",
"=",
"headers",
")",
"statuscode",
"=",
"resp",
".",
"status",
"if",
"not",
"hasattr",
"(",
"resp",
",",
"'getheader'",
")",
":",
"if",
"hasattr",
"(",
"resp",
".",
"headers",
",",
"'getheader'",
")",
":",
"resp",
".",
"getheader",
"=",
"lambda",
"x",
":",
"resp",
".",
"headers",
".",
"getheader",
"(",
"x",
")",
"elif",
"hasattr",
"(",
"resp",
".",
"headers",
",",
"'get'",
")",
":",
"resp",
".",
"getheader",
"=",
"lambda",
"x",
":",
"resp",
".",
"headers",
".",
"get",
"(",
"x",
")",
"data",
"=",
"resp",
".",
"data",
".",
"decode",
"(",
"'UTF-8'",
")",
"try",
":",
"if",
"300",
"<=",
"statuscode",
"<",
"304",
":",
"return",
"self",
".",
"_request",
"(",
"'GET'",
",",
"resp",
".",
"getheader",
"(",
"'location'",
")",
")",
"if",
"399",
"<",
"statuscode",
"<=",
"500",
":",
"return",
"{",
"'status'",
":",
"statuscode",
",",
"'value'",
":",
"data",
"}",
"content_type",
"=",
"[",
"]",
"if",
"resp",
".",
"getheader",
"(",
"'Content-Type'",
")",
"is",
"not",
"None",
":",
"content_type",
"=",
"resp",
".",
"getheader",
"(",
"'Content-Type'",
")",
".",
"split",
"(",
"';'",
")",
"if",
"not",
"any",
"(",
"[",
"x",
".",
"startswith",
"(",
"'image/png'",
")",
"for",
"x",
"in",
"content_type",
"]",
")",
":",
"try",
":",
"data",
"=",
"utils",
".",
"load_json",
"(",
"data",
".",
"strip",
"(",
")",
")",
"except",
"ValueError",
":",
"if",
"199",
"<",
"statuscode",
"<",
"300",
":",
"status",
"=",
"ErrorCode",
".",
"SUCCESS",
"else",
":",
"status",
"=",
"ErrorCode",
".",
"UNKNOWN_ERROR",
"return",
"{",
"'status'",
":",
"status",
",",
"'value'",
":",
"data",
".",
"strip",
"(",
")",
"}",
"# Some of the drivers incorrectly return a response",
"# with no 'value' field when they should return null.",
"if",
"'value'",
"not",
"in",
"data",
":",
"data",
"[",
"'value'",
"]",
"=",
"None",
"return",
"data",
"else",
":",
"data",
"=",
"{",
"'status'",
":",
"0",
",",
"'value'",
":",
"data",
"}",
"return",
"data",
"finally",
":",
"LOGGER",
".",
"debug",
"(",
"\"Finished Request\"",
")",
"resp",
".",
"close",
"(",
")"
] |
Send an HTTP request to the remote server.
:Args:
- method - A string for the HTTP method to send the request with.
- url - A string for the URL to send the request to.
- body - A string for request body. Ignored unless method is POST or PUT.
:Returns:
A dictionary with the server's parsed JSON response.
|
[
"Send",
"an",
"HTTP",
"request",
"to",
"the",
"remote",
"server",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/remote/remote_connection.py#L377-L442
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/support/select.py
|
Select.all_selected_options
|
def all_selected_options(self):
"""Returns a list of all selected options belonging to this select tag"""
ret = []
for opt in self.options:
if opt.is_selected():
ret.append(opt)
return ret
|
python
|
def all_selected_options(self):
"""Returns a list of all selected options belonging to this select tag"""
ret = []
for opt in self.options:
if opt.is_selected():
ret.append(opt)
return ret
|
[
"def",
"all_selected_options",
"(",
"self",
")",
":",
"ret",
"=",
"[",
"]",
"for",
"opt",
"in",
"self",
".",
"options",
":",
"if",
"opt",
".",
"is_selected",
"(",
")",
":",
"ret",
".",
"append",
"(",
"opt",
")",
"return",
"ret"
] |
Returns a list of all selected options belonging to this select tag
|
[
"Returns",
"a",
"list",
"of",
"all",
"selected",
"options",
"belonging",
"to",
"this",
"select",
"tag"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/support/select.py#L50-L56
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/support/select.py
|
Select.select_by_value
|
def select_by_value(self, value):
"""Select all options that have a value matching the argument. That is, when given "foo" this
would select an option like:
<option value="foo">Bar</option>
:Args:
- value - The value to match against
throws NoSuchElementException If there is no option with specified value in SELECT
"""
css = "option[value =%s]" % self._escapeString(value)
opts = self._el.find_elements(By.CSS_SELECTOR, css)
matched = False
for opt in opts:
self._setSelected(opt)
if not self.is_multiple:
return
matched = True
if not matched:
raise NoSuchElementException("Cannot locate option with value: %s" % value)
|
python
|
def select_by_value(self, value):
"""Select all options that have a value matching the argument. That is, when given "foo" this
would select an option like:
<option value="foo">Bar</option>
:Args:
- value - The value to match against
throws NoSuchElementException If there is no option with specified value in SELECT
"""
css = "option[value =%s]" % self._escapeString(value)
opts = self._el.find_elements(By.CSS_SELECTOR, css)
matched = False
for opt in opts:
self._setSelected(opt)
if not self.is_multiple:
return
matched = True
if not matched:
raise NoSuchElementException("Cannot locate option with value: %s" % value)
|
[
"def",
"select_by_value",
"(",
"self",
",",
"value",
")",
":",
"css",
"=",
"\"option[value =%s]\"",
"%",
"self",
".",
"_escapeString",
"(",
"value",
")",
"opts",
"=",
"self",
".",
"_el",
".",
"find_elements",
"(",
"By",
".",
"CSS_SELECTOR",
",",
"css",
")",
"matched",
"=",
"False",
"for",
"opt",
"in",
"opts",
":",
"self",
".",
"_setSelected",
"(",
"opt",
")",
"if",
"not",
"self",
".",
"is_multiple",
":",
"return",
"matched",
"=",
"True",
"if",
"not",
"matched",
":",
"raise",
"NoSuchElementException",
"(",
"\"Cannot locate option with value: %s\"",
"%",
"value",
")"
] |
Select all options that have a value matching the argument. That is, when given "foo" this
would select an option like:
<option value="foo">Bar</option>
:Args:
- value - The value to match against
throws NoSuchElementException If there is no option with specified value in SELECT
|
[
"Select",
"all",
"options",
"that",
"have",
"a",
"value",
"matching",
"the",
"argument",
".",
"That",
"is",
"when",
"given",
"foo",
"this",
"would",
"select",
"an",
"option",
"like",
":"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/support/select.py#L67-L87
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/support/select.py
|
Select.select_by_index
|
def select_by_index(self, index):
"""Select the option at the given index. This is done by examing the "index" attribute of an
element, and not merely by counting.
:Args:
- index - The option at this index will be selected
throws NoSuchElementException If there is no option with specified index in SELECT
"""
match = str(index)
for opt in self.options:
if opt.get_attribute("index") == match:
self._setSelected(opt)
return
raise NoSuchElementException("Could not locate element with index %d" % index)
|
python
|
def select_by_index(self, index):
"""Select the option at the given index. This is done by examing the "index" attribute of an
element, and not merely by counting.
:Args:
- index - The option at this index will be selected
throws NoSuchElementException If there is no option with specified index in SELECT
"""
match = str(index)
for opt in self.options:
if opt.get_attribute("index") == match:
self._setSelected(opt)
return
raise NoSuchElementException("Could not locate element with index %d" % index)
|
[
"def",
"select_by_index",
"(",
"self",
",",
"index",
")",
":",
"match",
"=",
"str",
"(",
"index",
")",
"for",
"opt",
"in",
"self",
".",
"options",
":",
"if",
"opt",
".",
"get_attribute",
"(",
"\"index\"",
")",
"==",
"match",
":",
"self",
".",
"_setSelected",
"(",
"opt",
")",
"return",
"raise",
"NoSuchElementException",
"(",
"\"Could not locate element with index %d\"",
"%",
"index",
")"
] |
Select the option at the given index. This is done by examing the "index" attribute of an
element, and not merely by counting.
:Args:
- index - The option at this index will be selected
throws NoSuchElementException If there is no option with specified index in SELECT
|
[
"Select",
"the",
"option",
"at",
"the",
"given",
"index",
".",
"This",
"is",
"done",
"by",
"examing",
"the",
"index",
"attribute",
"of",
"an",
"element",
"and",
"not",
"merely",
"by",
"counting",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/support/select.py#L89-L103
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/support/select.py
|
Select.select_by_visible_text
|
def select_by_visible_text(self, text):
"""Select all options that display text matching the argument. That is, when given "Bar" this
would select an option like:
<option value="foo">Bar</option>
:Args:
- text - The visible text to match against
throws NoSuchElementException If there is no option with specified text in SELECT
"""
xpath = ".//option[normalize-space(.) = %s]" % self._escapeString(text)
opts = self._el.find_elements(By.XPATH, xpath)
matched = False
for opt in opts:
self._setSelected(opt)
if not self.is_multiple:
return
matched = True
if len(opts) == 0 and " " in text:
subStringWithoutSpace = self._get_longest_token(text)
if subStringWithoutSpace == "":
candidates = self.options
else:
xpath = ".//option[contains(.,%s)]" % self._escapeString(subStringWithoutSpace)
candidates = self._el.find_elements(By.XPATH, xpath)
for candidate in candidates:
if text == candidate.text:
self._setSelected(candidate)
if not self.is_multiple:
return
matched = True
if not matched:
raise NoSuchElementException("Could not locate element with visible text: %s" % text)
|
python
|
def select_by_visible_text(self, text):
"""Select all options that display text matching the argument. That is, when given "Bar" this
would select an option like:
<option value="foo">Bar</option>
:Args:
- text - The visible text to match against
throws NoSuchElementException If there is no option with specified text in SELECT
"""
xpath = ".//option[normalize-space(.) = %s]" % self._escapeString(text)
opts = self._el.find_elements(By.XPATH, xpath)
matched = False
for opt in opts:
self._setSelected(opt)
if not self.is_multiple:
return
matched = True
if len(opts) == 0 and " " in text:
subStringWithoutSpace = self._get_longest_token(text)
if subStringWithoutSpace == "":
candidates = self.options
else:
xpath = ".//option[contains(.,%s)]" % self._escapeString(subStringWithoutSpace)
candidates = self._el.find_elements(By.XPATH, xpath)
for candidate in candidates:
if text == candidate.text:
self._setSelected(candidate)
if not self.is_multiple:
return
matched = True
if not matched:
raise NoSuchElementException("Could not locate element with visible text: %s" % text)
|
[
"def",
"select_by_visible_text",
"(",
"self",
",",
"text",
")",
":",
"xpath",
"=",
"\".//option[normalize-space(.) = %s]\"",
"%",
"self",
".",
"_escapeString",
"(",
"text",
")",
"opts",
"=",
"self",
".",
"_el",
".",
"find_elements",
"(",
"By",
".",
"XPATH",
",",
"xpath",
")",
"matched",
"=",
"False",
"for",
"opt",
"in",
"opts",
":",
"self",
".",
"_setSelected",
"(",
"opt",
")",
"if",
"not",
"self",
".",
"is_multiple",
":",
"return",
"matched",
"=",
"True",
"if",
"len",
"(",
"opts",
")",
"==",
"0",
"and",
"\" \"",
"in",
"text",
":",
"subStringWithoutSpace",
"=",
"self",
".",
"_get_longest_token",
"(",
"text",
")",
"if",
"subStringWithoutSpace",
"==",
"\"\"",
":",
"candidates",
"=",
"self",
".",
"options",
"else",
":",
"xpath",
"=",
"\".//option[contains(.,%s)]\"",
"%",
"self",
".",
"_escapeString",
"(",
"subStringWithoutSpace",
")",
"candidates",
"=",
"self",
".",
"_el",
".",
"find_elements",
"(",
"By",
".",
"XPATH",
",",
"xpath",
")",
"for",
"candidate",
"in",
"candidates",
":",
"if",
"text",
"==",
"candidate",
".",
"text",
":",
"self",
".",
"_setSelected",
"(",
"candidate",
")",
"if",
"not",
"self",
".",
"is_multiple",
":",
"return",
"matched",
"=",
"True",
"if",
"not",
"matched",
":",
"raise",
"NoSuchElementException",
"(",
"\"Could not locate element with visible text: %s\"",
"%",
"text",
")"
] |
Select all options that display text matching the argument. That is, when given "Bar" this
would select an option like:
<option value="foo">Bar</option>
:Args:
- text - The visible text to match against
throws NoSuchElementException If there is no option with specified text in SELECT
|
[
"Select",
"all",
"options",
"that",
"display",
"text",
"matching",
"the",
"argument",
".",
"That",
"is",
"when",
"given",
"Bar",
"this",
"would",
"select",
"an",
"option",
"like",
":"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/support/select.py#L105-L140
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/support/select.py
|
Select.deselect_all
|
def deselect_all(self):
"""Clear all selected entries. This is only valid when the SELECT supports multiple selections.
throws NotImplementedError If the SELECT does not support multiple selections
"""
if not self.is_multiple:
raise NotImplementedError("You may only deselect all options of a multi-select")
for opt in self.options:
self._unsetSelected(opt)
|
python
|
def deselect_all(self):
"""Clear all selected entries. This is only valid when the SELECT supports multiple selections.
throws NotImplementedError If the SELECT does not support multiple selections
"""
if not self.is_multiple:
raise NotImplementedError("You may only deselect all options of a multi-select")
for opt in self.options:
self._unsetSelected(opt)
|
[
"def",
"deselect_all",
"(",
"self",
")",
":",
"if",
"not",
"self",
".",
"is_multiple",
":",
"raise",
"NotImplementedError",
"(",
"\"You may only deselect all options of a multi-select\"",
")",
"for",
"opt",
"in",
"self",
".",
"options",
":",
"self",
".",
"_unsetSelected",
"(",
"opt",
")"
] |
Clear all selected entries. This is only valid when the SELECT supports multiple selections.
throws NotImplementedError If the SELECT does not support multiple selections
|
[
"Clear",
"all",
"selected",
"entries",
".",
"This",
"is",
"only",
"valid",
"when",
"the",
"SELECT",
"supports",
"multiple",
"selections",
".",
"throws",
"NotImplementedError",
"If",
"the",
"SELECT",
"does",
"not",
"support",
"multiple",
"selections"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/support/select.py#L142-L149
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/support/select.py
|
Select.deselect_by_value
|
def deselect_by_value(self, value):
"""Deselect all options that have a value matching the argument. That is, when given "foo" this
would deselect an option like:
<option value="foo">Bar</option>
:Args:
- value - The value to match against
throws NoSuchElementException If there is no option with specified value in SELECT
"""
if not self.is_multiple:
raise NotImplementedError("You may only deselect options of a multi-select")
matched = False
css = "option[value = %s]" % self._escapeString(value)
opts = self._el.find_elements(By.CSS_SELECTOR, css)
for opt in opts:
self._unsetSelected(opt)
matched = True
if not matched:
raise NoSuchElementException("Could not locate element with value: %s" % value)
|
python
|
def deselect_by_value(self, value):
"""Deselect all options that have a value matching the argument. That is, when given "foo" this
would deselect an option like:
<option value="foo">Bar</option>
:Args:
- value - The value to match against
throws NoSuchElementException If there is no option with specified value in SELECT
"""
if not self.is_multiple:
raise NotImplementedError("You may only deselect options of a multi-select")
matched = False
css = "option[value = %s]" % self._escapeString(value)
opts = self._el.find_elements(By.CSS_SELECTOR, css)
for opt in opts:
self._unsetSelected(opt)
matched = True
if not matched:
raise NoSuchElementException("Could not locate element with value: %s" % value)
|
[
"def",
"deselect_by_value",
"(",
"self",
",",
"value",
")",
":",
"if",
"not",
"self",
".",
"is_multiple",
":",
"raise",
"NotImplementedError",
"(",
"\"You may only deselect options of a multi-select\"",
")",
"matched",
"=",
"False",
"css",
"=",
"\"option[value = %s]\"",
"%",
"self",
".",
"_escapeString",
"(",
"value",
")",
"opts",
"=",
"self",
".",
"_el",
".",
"find_elements",
"(",
"By",
".",
"CSS_SELECTOR",
",",
"css",
")",
"for",
"opt",
"in",
"opts",
":",
"self",
".",
"_unsetSelected",
"(",
"opt",
")",
"matched",
"=",
"True",
"if",
"not",
"matched",
":",
"raise",
"NoSuchElementException",
"(",
"\"Could not locate element with value: %s\"",
"%",
"value",
")"
] |
Deselect all options that have a value matching the argument. That is, when given "foo" this
would deselect an option like:
<option value="foo">Bar</option>
:Args:
- value - The value to match against
throws NoSuchElementException If there is no option with specified value in SELECT
|
[
"Deselect",
"all",
"options",
"that",
"have",
"a",
"value",
"matching",
"the",
"argument",
".",
"That",
"is",
"when",
"given",
"foo",
"this",
"would",
"deselect",
"an",
"option",
"like",
":"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/support/select.py#L151-L171
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/support/select.py
|
Select.deselect_by_index
|
def deselect_by_index(self, index):
"""Deselect the option at the given index. This is done by examing the "index" attribute of an
element, and not merely by counting.
:Args:
- index - The option at this index will be deselected
throws NoSuchElementException If there is no option with specified index in SELECT
"""
if not self.is_multiple:
raise NotImplementedError("You may only deselect options of a multi-select")
for opt in self.options:
if opt.get_attribute("index") == str(index):
self._unsetSelected(opt)
return
raise NoSuchElementException("Could not locate element with index %d" % index)
|
python
|
def deselect_by_index(self, index):
"""Deselect the option at the given index. This is done by examing the "index" attribute of an
element, and not merely by counting.
:Args:
- index - The option at this index will be deselected
throws NoSuchElementException If there is no option with specified index in SELECT
"""
if not self.is_multiple:
raise NotImplementedError("You may only deselect options of a multi-select")
for opt in self.options:
if opt.get_attribute("index") == str(index):
self._unsetSelected(opt)
return
raise NoSuchElementException("Could not locate element with index %d" % index)
|
[
"def",
"deselect_by_index",
"(",
"self",
",",
"index",
")",
":",
"if",
"not",
"self",
".",
"is_multiple",
":",
"raise",
"NotImplementedError",
"(",
"\"You may only deselect options of a multi-select\"",
")",
"for",
"opt",
"in",
"self",
".",
"options",
":",
"if",
"opt",
".",
"get_attribute",
"(",
"\"index\"",
")",
"==",
"str",
"(",
"index",
")",
":",
"self",
".",
"_unsetSelected",
"(",
"opt",
")",
"return",
"raise",
"NoSuchElementException",
"(",
"\"Could not locate element with index %d\"",
"%",
"index",
")"
] |
Deselect the option at the given index. This is done by examing the "index" attribute of an
element, and not merely by counting.
:Args:
- index - The option at this index will be deselected
throws NoSuchElementException If there is no option with specified index in SELECT
|
[
"Deselect",
"the",
"option",
"at",
"the",
"given",
"index",
".",
"This",
"is",
"done",
"by",
"examing",
"the",
"index",
"attribute",
"of",
"an",
"element",
"and",
"not",
"merely",
"by",
"counting",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/support/select.py#L173-L188
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/support/select.py
|
Select.deselect_by_visible_text
|
def deselect_by_visible_text(self, text):
"""Deselect all options that display text matching the argument. That is, when given "Bar" this
would deselect an option like:
<option value="foo">Bar</option>
:Args:
- text - The visible text to match against
"""
if not self.is_multiple:
raise NotImplementedError("You may only deselect options of a multi-select")
matched = False
xpath = ".//option[normalize-space(.) = %s]" % self._escapeString(text)
opts = self._el.find_elements(By.XPATH, xpath)
for opt in opts:
self._unsetSelected(opt)
matched = True
if not matched:
raise NoSuchElementException("Could not locate element with visible text: %s" % text)
|
python
|
def deselect_by_visible_text(self, text):
"""Deselect all options that display text matching the argument. That is, when given "Bar" this
would deselect an option like:
<option value="foo">Bar</option>
:Args:
- text - The visible text to match against
"""
if not self.is_multiple:
raise NotImplementedError("You may only deselect options of a multi-select")
matched = False
xpath = ".//option[normalize-space(.) = %s]" % self._escapeString(text)
opts = self._el.find_elements(By.XPATH, xpath)
for opt in opts:
self._unsetSelected(opt)
matched = True
if not matched:
raise NoSuchElementException("Could not locate element with visible text: %s" % text)
|
[
"def",
"deselect_by_visible_text",
"(",
"self",
",",
"text",
")",
":",
"if",
"not",
"self",
".",
"is_multiple",
":",
"raise",
"NotImplementedError",
"(",
"\"You may only deselect options of a multi-select\"",
")",
"matched",
"=",
"False",
"xpath",
"=",
"\".//option[normalize-space(.) = %s]\"",
"%",
"self",
".",
"_escapeString",
"(",
"text",
")",
"opts",
"=",
"self",
".",
"_el",
".",
"find_elements",
"(",
"By",
".",
"XPATH",
",",
"xpath",
")",
"for",
"opt",
"in",
"opts",
":",
"self",
".",
"_unsetSelected",
"(",
"opt",
")",
"matched",
"=",
"True",
"if",
"not",
"matched",
":",
"raise",
"NoSuchElementException",
"(",
"\"Could not locate element with visible text: %s\"",
"%",
"text",
")"
] |
Deselect all options that display text matching the argument. That is, when given "Bar" this
would deselect an option like:
<option value="foo">Bar</option>
:Args:
- text - The visible text to match against
|
[
"Deselect",
"all",
"options",
"that",
"display",
"text",
"matching",
"the",
"argument",
".",
"That",
"is",
"when",
"given",
"Bar",
"this",
"would",
"deselect",
"an",
"option",
"like",
":"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/support/select.py#L190-L208
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/opera/options.py
|
Options.to_capabilities
|
def to_capabilities(self):
"""
Creates a capabilities with all the options that have been set and
returns a dictionary with everything
"""
capabilities = ChromeOptions.to_capabilities(self)
capabilities.update(self._caps)
opera_options = capabilities[self.KEY]
if self.android_package_name:
opera_options["androidPackage"] = self.android_package_name
if self.android_device_socket:
opera_options["androidDeviceSocket"] = self.android_device_socket
if self.android_command_line_file:
opera_options["androidCommandLineFile"] = \
self.android_command_line_file
return capabilities
|
python
|
def to_capabilities(self):
"""
Creates a capabilities with all the options that have been set and
returns a dictionary with everything
"""
capabilities = ChromeOptions.to_capabilities(self)
capabilities.update(self._caps)
opera_options = capabilities[self.KEY]
if self.android_package_name:
opera_options["androidPackage"] = self.android_package_name
if self.android_device_socket:
opera_options["androidDeviceSocket"] = self.android_device_socket
if self.android_command_line_file:
opera_options["androidCommandLineFile"] = \
self.android_command_line_file
return capabilities
|
[
"def",
"to_capabilities",
"(",
"self",
")",
":",
"capabilities",
"=",
"ChromeOptions",
".",
"to_capabilities",
"(",
"self",
")",
"capabilities",
".",
"update",
"(",
"self",
".",
"_caps",
")",
"opera_options",
"=",
"capabilities",
"[",
"self",
".",
"KEY",
"]",
"if",
"self",
".",
"android_package_name",
":",
"opera_options",
"[",
"\"androidPackage\"",
"]",
"=",
"self",
".",
"android_package_name",
"if",
"self",
".",
"android_device_socket",
":",
"opera_options",
"[",
"\"androidDeviceSocket\"",
"]",
"=",
"self",
".",
"android_device_socket",
"if",
"self",
".",
"android_command_line_file",
":",
"opera_options",
"[",
"\"androidCommandLineFile\"",
"]",
"=",
"self",
".",
"android_command_line_file",
"return",
"capabilities"
] |
Creates a capabilities with all the options that have been set and
returns a dictionary with everything
|
[
"Creates",
"a",
"capabilities",
"with",
"all",
"the",
"options",
"that",
"have",
"been",
"set",
"and",
"returns",
"a",
"dictionary",
"with",
"everything"
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/opera/options.py#L82-L98
|
train
|
SeleniumHQ/selenium
|
third_party/py/googlestorage/publish_release.py
|
_upload
|
def _upload(auth_http, project_id, bucket_name, file_path, object_name, acl):
"""Uploads a file to Google Cloud Storage.
Args:
auth_http: An authorized httplib2.Http instance.
project_id: The project to upload to.
bucket_name: The bucket to upload to.
file_path: Path to the file to upload.
object_name: The name within the bucket to upload to.
acl: The ACL to assign to the uploaded file.
"""
with open(file_path, 'rb') as f:
data = f.read()
content_type, content_encoding = mimetypes.guess_type(file_path)
headers = {
'x-goog-project-id': project_id,
'x-goog-api-version': API_VERSION,
'x-goog-acl': acl,
'Content-Length': '%d' % len(data)
}
if content_type: headers['Content-Type'] = content_type
if content_type: headers['Content-Encoding'] = content_encoding
try:
response, content = auth_http.request(
'http://%s.storage.googleapis.com/%s' % (bucket_name, object_name),
method='PUT',
headers=headers,
body=data)
except httplib2.ServerNotFoundError, se:
raise Error(404, 'Server not found.')
if response.status >= 300:
raise Error(response.status, response.reason)
return content
|
python
|
def _upload(auth_http, project_id, bucket_name, file_path, object_name, acl):
"""Uploads a file to Google Cloud Storage.
Args:
auth_http: An authorized httplib2.Http instance.
project_id: The project to upload to.
bucket_name: The bucket to upload to.
file_path: Path to the file to upload.
object_name: The name within the bucket to upload to.
acl: The ACL to assign to the uploaded file.
"""
with open(file_path, 'rb') as f:
data = f.read()
content_type, content_encoding = mimetypes.guess_type(file_path)
headers = {
'x-goog-project-id': project_id,
'x-goog-api-version': API_VERSION,
'x-goog-acl': acl,
'Content-Length': '%d' % len(data)
}
if content_type: headers['Content-Type'] = content_type
if content_type: headers['Content-Encoding'] = content_encoding
try:
response, content = auth_http.request(
'http://%s.storage.googleapis.com/%s' % (bucket_name, object_name),
method='PUT',
headers=headers,
body=data)
except httplib2.ServerNotFoundError, se:
raise Error(404, 'Server not found.')
if response.status >= 300:
raise Error(response.status, response.reason)
return content
|
[
"def",
"_upload",
"(",
"auth_http",
",",
"project_id",
",",
"bucket_name",
",",
"file_path",
",",
"object_name",
",",
"acl",
")",
":",
"with",
"open",
"(",
"file_path",
",",
"'rb'",
")",
"as",
"f",
":",
"data",
"=",
"f",
".",
"read",
"(",
")",
"content_type",
",",
"content_encoding",
"=",
"mimetypes",
".",
"guess_type",
"(",
"file_path",
")",
"headers",
"=",
"{",
"'x-goog-project-id'",
":",
"project_id",
",",
"'x-goog-api-version'",
":",
"API_VERSION",
",",
"'x-goog-acl'",
":",
"acl",
",",
"'Content-Length'",
":",
"'%d'",
"%",
"len",
"(",
"data",
")",
"}",
"if",
"content_type",
":",
"headers",
"[",
"'Content-Type'",
"]",
"=",
"content_type",
"if",
"content_type",
":",
"headers",
"[",
"'Content-Encoding'",
"]",
"=",
"content_encoding",
"try",
":",
"response",
",",
"content",
"=",
"auth_http",
".",
"request",
"(",
"'http://%s.storage.googleapis.com/%s'",
"%",
"(",
"bucket_name",
",",
"object_name",
")",
",",
"method",
"=",
"'PUT'",
",",
"headers",
"=",
"headers",
",",
"body",
"=",
"data",
")",
"except",
"httplib2",
".",
"ServerNotFoundError",
",",
"se",
":",
"raise",
"Error",
"(",
"404",
",",
"'Server not found.'",
")",
"if",
"response",
".",
"status",
">=",
"300",
":",
"raise",
"Error",
"(",
"response",
".",
"status",
",",
"response",
".",
"reason",
")",
"return",
"content"
] |
Uploads a file to Google Cloud Storage.
Args:
auth_http: An authorized httplib2.Http instance.
project_id: The project to upload to.
bucket_name: The bucket to upload to.
file_path: Path to the file to upload.
object_name: The name within the bucket to upload to.
acl: The ACL to assign to the uploaded file.
|
[
"Uploads",
"a",
"file",
"to",
"Google",
"Cloud",
"Storage",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/third_party/py/googlestorage/publish_release.py#L102-L138
|
train
|
SeleniumHQ/selenium
|
third_party/py/googlestorage/publish_release.py
|
_authenticate
|
def _authenticate(secrets_file):
"""Runs the OAuth 2.0 installed application flow.
Returns:
An authorized httplib2.Http instance.
"""
flow = oauthclient.flow_from_clientsecrets(
secrets_file,
scope=OAUTH_SCOPE,
message=('Failed to initialized OAuth 2.0 flow with secrets '
'file: %s' % secrets_file))
storage = oauthfile.Storage(OAUTH_CREDENTIALS_FILE)
credentials = storage.get()
if credentials is None or credentials.invalid:
credentials = oauthtools.run_flow(flow, storage, oauthtools.argparser.parse_args(args=[]))
http = httplib2.Http()
return credentials.authorize(http)
|
python
|
def _authenticate(secrets_file):
"""Runs the OAuth 2.0 installed application flow.
Returns:
An authorized httplib2.Http instance.
"""
flow = oauthclient.flow_from_clientsecrets(
secrets_file,
scope=OAUTH_SCOPE,
message=('Failed to initialized OAuth 2.0 flow with secrets '
'file: %s' % secrets_file))
storage = oauthfile.Storage(OAUTH_CREDENTIALS_FILE)
credentials = storage.get()
if credentials is None or credentials.invalid:
credentials = oauthtools.run_flow(flow, storage, oauthtools.argparser.parse_args(args=[]))
http = httplib2.Http()
return credentials.authorize(http)
|
[
"def",
"_authenticate",
"(",
"secrets_file",
")",
":",
"flow",
"=",
"oauthclient",
".",
"flow_from_clientsecrets",
"(",
"secrets_file",
",",
"scope",
"=",
"OAUTH_SCOPE",
",",
"message",
"=",
"(",
"'Failed to initialized OAuth 2.0 flow with secrets '",
"'file: %s'",
"%",
"secrets_file",
")",
")",
"storage",
"=",
"oauthfile",
".",
"Storage",
"(",
"OAUTH_CREDENTIALS_FILE",
")",
"credentials",
"=",
"storage",
".",
"get",
"(",
")",
"if",
"credentials",
"is",
"None",
"or",
"credentials",
".",
"invalid",
":",
"credentials",
"=",
"oauthtools",
".",
"run_flow",
"(",
"flow",
",",
"storage",
",",
"oauthtools",
".",
"argparser",
".",
"parse_args",
"(",
"args",
"=",
"[",
"]",
")",
")",
"http",
"=",
"httplib2",
".",
"Http",
"(",
")",
"return",
"credentials",
".",
"authorize",
"(",
"http",
")"
] |
Runs the OAuth 2.0 installed application flow.
Returns:
An authorized httplib2.Http instance.
|
[
"Runs",
"the",
"OAuth",
"2",
".",
"0",
"installed",
"application",
"flow",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/third_party/py/googlestorage/publish_release.py#L141-L157
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/proxy.py
|
Proxy.auto_detect
|
def auto_detect(self, value):
"""
Sets autodetect setting.
:Args:
- value: The autodetect value.
"""
if isinstance(value, bool):
if self.autodetect is not value:
self._verify_proxy_type_compatibility(ProxyType.AUTODETECT)
self.proxyType = ProxyType.AUTODETECT
self.autodetect = value
else:
raise ValueError("Autodetect proxy value needs to be a boolean")
|
python
|
def auto_detect(self, value):
"""
Sets autodetect setting.
:Args:
- value: The autodetect value.
"""
if isinstance(value, bool):
if self.autodetect is not value:
self._verify_proxy_type_compatibility(ProxyType.AUTODETECT)
self.proxyType = ProxyType.AUTODETECT
self.autodetect = value
else:
raise ValueError("Autodetect proxy value needs to be a boolean")
|
[
"def",
"auto_detect",
"(",
"self",
",",
"value",
")",
":",
"if",
"isinstance",
"(",
"value",
",",
"bool",
")",
":",
"if",
"self",
".",
"autodetect",
"is",
"not",
"value",
":",
"self",
".",
"_verify_proxy_type_compatibility",
"(",
"ProxyType",
".",
"AUTODETECT",
")",
"self",
".",
"proxyType",
"=",
"ProxyType",
".",
"AUTODETECT",
"self",
".",
"autodetect",
"=",
"value",
"else",
":",
"raise",
"ValueError",
"(",
"\"Autodetect proxy value needs to be a boolean\"",
")"
] |
Sets autodetect setting.
:Args:
- value: The autodetect value.
|
[
"Sets",
"autodetect",
"setting",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/proxy.py#L136-L149
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/proxy.py
|
Proxy.ftp_proxy
|
def ftp_proxy(self, value):
"""
Sets ftp proxy setting.
:Args:
- value: The ftp proxy value.
"""
self._verify_proxy_type_compatibility(ProxyType.MANUAL)
self.proxyType = ProxyType.MANUAL
self.ftpProxy = value
|
python
|
def ftp_proxy(self, value):
"""
Sets ftp proxy setting.
:Args:
- value: The ftp proxy value.
"""
self._verify_proxy_type_compatibility(ProxyType.MANUAL)
self.proxyType = ProxyType.MANUAL
self.ftpProxy = value
|
[
"def",
"ftp_proxy",
"(",
"self",
",",
"value",
")",
":",
"self",
".",
"_verify_proxy_type_compatibility",
"(",
"ProxyType",
".",
"MANUAL",
")",
"self",
".",
"proxyType",
"=",
"ProxyType",
".",
"MANUAL",
"self",
".",
"ftpProxy",
"=",
"value"
] |
Sets ftp proxy setting.
:Args:
- value: The ftp proxy value.
|
[
"Sets",
"ftp",
"proxy",
"setting",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/proxy.py#L159-L168
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/proxy.py
|
Proxy.http_proxy
|
def http_proxy(self, value):
"""
Sets http proxy setting.
:Args:
- value: The http proxy value.
"""
self._verify_proxy_type_compatibility(ProxyType.MANUAL)
self.proxyType = ProxyType.MANUAL
self.httpProxy = value
|
python
|
def http_proxy(self, value):
"""
Sets http proxy setting.
:Args:
- value: The http proxy value.
"""
self._verify_proxy_type_compatibility(ProxyType.MANUAL)
self.proxyType = ProxyType.MANUAL
self.httpProxy = value
|
[
"def",
"http_proxy",
"(",
"self",
",",
"value",
")",
":",
"self",
".",
"_verify_proxy_type_compatibility",
"(",
"ProxyType",
".",
"MANUAL",
")",
"self",
".",
"proxyType",
"=",
"ProxyType",
".",
"MANUAL",
"self",
".",
"httpProxy",
"=",
"value"
] |
Sets http proxy setting.
:Args:
- value: The http proxy value.
|
[
"Sets",
"http",
"proxy",
"setting",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/proxy.py#L178-L187
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/proxy.py
|
Proxy.no_proxy
|
def no_proxy(self, value):
"""
Sets noproxy setting.
:Args:
- value: The noproxy value.
"""
self._verify_proxy_type_compatibility(ProxyType.MANUAL)
self.proxyType = ProxyType.MANUAL
self.noProxy = value
|
python
|
def no_proxy(self, value):
"""
Sets noproxy setting.
:Args:
- value: The noproxy value.
"""
self._verify_proxy_type_compatibility(ProxyType.MANUAL)
self.proxyType = ProxyType.MANUAL
self.noProxy = value
|
[
"def",
"no_proxy",
"(",
"self",
",",
"value",
")",
":",
"self",
".",
"_verify_proxy_type_compatibility",
"(",
"ProxyType",
".",
"MANUAL",
")",
"self",
".",
"proxyType",
"=",
"ProxyType",
".",
"MANUAL",
"self",
".",
"noProxy",
"=",
"value"
] |
Sets noproxy setting.
:Args:
- value: The noproxy value.
|
[
"Sets",
"noproxy",
"setting",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/proxy.py#L197-L206
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/proxy.py
|
Proxy.proxy_autoconfig_url
|
def proxy_autoconfig_url(self, value):
"""
Sets proxy autoconfig url setting.
:Args:
- value: The proxy autoconfig url value.
"""
self._verify_proxy_type_compatibility(ProxyType.PAC)
self.proxyType = ProxyType.PAC
self.proxyAutoconfigUrl = value
|
python
|
def proxy_autoconfig_url(self, value):
"""
Sets proxy autoconfig url setting.
:Args:
- value: The proxy autoconfig url value.
"""
self._verify_proxy_type_compatibility(ProxyType.PAC)
self.proxyType = ProxyType.PAC
self.proxyAutoconfigUrl = value
|
[
"def",
"proxy_autoconfig_url",
"(",
"self",
",",
"value",
")",
":",
"self",
".",
"_verify_proxy_type_compatibility",
"(",
"ProxyType",
".",
"PAC",
")",
"self",
".",
"proxyType",
"=",
"ProxyType",
".",
"PAC",
"self",
".",
"proxyAutoconfigUrl",
"=",
"value"
] |
Sets proxy autoconfig url setting.
:Args:
- value: The proxy autoconfig url value.
|
[
"Sets",
"proxy",
"autoconfig",
"url",
"setting",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/proxy.py#L216-L225
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/proxy.py
|
Proxy.ssl_proxy
|
def ssl_proxy(self, value):
"""
Sets https proxy setting.
:Args:
- value: The https proxy value.
"""
self._verify_proxy_type_compatibility(ProxyType.MANUAL)
self.proxyType = ProxyType.MANUAL
self.sslProxy = value
|
python
|
def ssl_proxy(self, value):
"""
Sets https proxy setting.
:Args:
- value: The https proxy value.
"""
self._verify_proxy_type_compatibility(ProxyType.MANUAL)
self.proxyType = ProxyType.MANUAL
self.sslProxy = value
|
[
"def",
"ssl_proxy",
"(",
"self",
",",
"value",
")",
":",
"self",
".",
"_verify_proxy_type_compatibility",
"(",
"ProxyType",
".",
"MANUAL",
")",
"self",
".",
"proxyType",
"=",
"ProxyType",
".",
"MANUAL",
"self",
".",
"sslProxy",
"=",
"value"
] |
Sets https proxy setting.
:Args:
- value: The https proxy value.
|
[
"Sets",
"https",
"proxy",
"setting",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/proxy.py#L235-L244
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/proxy.py
|
Proxy.socks_proxy
|
def socks_proxy(self, value):
"""
Sets socks proxy setting.
:Args:
- value: The socks proxy value.
"""
self._verify_proxy_type_compatibility(ProxyType.MANUAL)
self.proxyType = ProxyType.MANUAL
self.socksProxy = value
|
python
|
def socks_proxy(self, value):
"""
Sets socks proxy setting.
:Args:
- value: The socks proxy value.
"""
self._verify_proxy_type_compatibility(ProxyType.MANUAL)
self.proxyType = ProxyType.MANUAL
self.socksProxy = value
|
[
"def",
"socks_proxy",
"(",
"self",
",",
"value",
")",
":",
"self",
".",
"_verify_proxy_type_compatibility",
"(",
"ProxyType",
".",
"MANUAL",
")",
"self",
".",
"proxyType",
"=",
"ProxyType",
".",
"MANUAL",
"self",
".",
"socksProxy",
"=",
"value"
] |
Sets socks proxy setting.
:Args:
- value: The socks proxy value.
|
[
"Sets",
"socks",
"proxy",
"setting",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/proxy.py#L254-L263
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/proxy.py
|
Proxy.socks_username
|
def socks_username(self, value):
"""
Sets socks proxy username setting.
:Args:
- value: The socks proxy username value.
"""
self._verify_proxy_type_compatibility(ProxyType.MANUAL)
self.proxyType = ProxyType.MANUAL
self.socksUsername = value
|
python
|
def socks_username(self, value):
"""
Sets socks proxy username setting.
:Args:
- value: The socks proxy username value.
"""
self._verify_proxy_type_compatibility(ProxyType.MANUAL)
self.proxyType = ProxyType.MANUAL
self.socksUsername = value
|
[
"def",
"socks_username",
"(",
"self",
",",
"value",
")",
":",
"self",
".",
"_verify_proxy_type_compatibility",
"(",
"ProxyType",
".",
"MANUAL",
")",
"self",
".",
"proxyType",
"=",
"ProxyType",
".",
"MANUAL",
"self",
".",
"socksUsername",
"=",
"value"
] |
Sets socks proxy username setting.
:Args:
- value: The socks proxy username value.
|
[
"Sets",
"socks",
"proxy",
"username",
"setting",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/proxy.py#L273-L282
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/proxy.py
|
Proxy.socks_password
|
def socks_password(self, value):
"""
Sets socks proxy password setting.
:Args:
- value: The socks proxy password value.
"""
self._verify_proxy_type_compatibility(ProxyType.MANUAL)
self.proxyType = ProxyType.MANUAL
self.socksPassword = value
|
python
|
def socks_password(self, value):
"""
Sets socks proxy password setting.
:Args:
- value: The socks proxy password value.
"""
self._verify_proxy_type_compatibility(ProxyType.MANUAL)
self.proxyType = ProxyType.MANUAL
self.socksPassword = value
|
[
"def",
"socks_password",
"(",
"self",
",",
"value",
")",
":",
"self",
".",
"_verify_proxy_type_compatibility",
"(",
"ProxyType",
".",
"MANUAL",
")",
"self",
".",
"proxyType",
"=",
"ProxyType",
".",
"MANUAL",
"self",
".",
"socksPassword",
"=",
"value"
] |
Sets socks proxy password setting.
:Args:
- value: The socks proxy password value.
|
[
"Sets",
"socks",
"proxy",
"password",
"setting",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/proxy.py#L292-L301
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/proxy.py
|
Proxy.add_to_capabilities
|
def add_to_capabilities(self, capabilities):
"""
Adds proxy information as capability in specified capabilities.
:Args:
- capabilities: The capabilities to which proxy will be added.
"""
proxy_caps = {}
proxy_caps['proxyType'] = self.proxyType['string']
if self.autodetect:
proxy_caps['autodetect'] = self.autodetect
if self.ftpProxy:
proxy_caps['ftpProxy'] = self.ftpProxy
if self.httpProxy:
proxy_caps['httpProxy'] = self.httpProxy
if self.proxyAutoconfigUrl:
proxy_caps['proxyAutoconfigUrl'] = self.proxyAutoconfigUrl
if self.sslProxy:
proxy_caps['sslProxy'] = self.sslProxy
if self.noProxy:
proxy_caps['noProxy'] = self.noProxy
if self.socksProxy:
proxy_caps['socksProxy'] = self.socksProxy
if self.socksUsername:
proxy_caps['socksUsername'] = self.socksUsername
if self.socksPassword:
proxy_caps['socksPassword'] = self.socksPassword
capabilities['proxy'] = proxy_caps
|
python
|
def add_to_capabilities(self, capabilities):
"""
Adds proxy information as capability in specified capabilities.
:Args:
- capabilities: The capabilities to which proxy will be added.
"""
proxy_caps = {}
proxy_caps['proxyType'] = self.proxyType['string']
if self.autodetect:
proxy_caps['autodetect'] = self.autodetect
if self.ftpProxy:
proxy_caps['ftpProxy'] = self.ftpProxy
if self.httpProxy:
proxy_caps['httpProxy'] = self.httpProxy
if self.proxyAutoconfigUrl:
proxy_caps['proxyAutoconfigUrl'] = self.proxyAutoconfigUrl
if self.sslProxy:
proxy_caps['sslProxy'] = self.sslProxy
if self.noProxy:
proxy_caps['noProxy'] = self.noProxy
if self.socksProxy:
proxy_caps['socksProxy'] = self.socksProxy
if self.socksUsername:
proxy_caps['socksUsername'] = self.socksUsername
if self.socksPassword:
proxy_caps['socksPassword'] = self.socksPassword
capabilities['proxy'] = proxy_caps
|
[
"def",
"add_to_capabilities",
"(",
"self",
",",
"capabilities",
")",
":",
"proxy_caps",
"=",
"{",
"}",
"proxy_caps",
"[",
"'proxyType'",
"]",
"=",
"self",
".",
"proxyType",
"[",
"'string'",
"]",
"if",
"self",
".",
"autodetect",
":",
"proxy_caps",
"[",
"'autodetect'",
"]",
"=",
"self",
".",
"autodetect",
"if",
"self",
".",
"ftpProxy",
":",
"proxy_caps",
"[",
"'ftpProxy'",
"]",
"=",
"self",
".",
"ftpProxy",
"if",
"self",
".",
"httpProxy",
":",
"proxy_caps",
"[",
"'httpProxy'",
"]",
"=",
"self",
".",
"httpProxy",
"if",
"self",
".",
"proxyAutoconfigUrl",
":",
"proxy_caps",
"[",
"'proxyAutoconfigUrl'",
"]",
"=",
"self",
".",
"proxyAutoconfigUrl",
"if",
"self",
".",
"sslProxy",
":",
"proxy_caps",
"[",
"'sslProxy'",
"]",
"=",
"self",
".",
"sslProxy",
"if",
"self",
".",
"noProxy",
":",
"proxy_caps",
"[",
"'noProxy'",
"]",
"=",
"self",
".",
"noProxy",
"if",
"self",
".",
"socksProxy",
":",
"proxy_caps",
"[",
"'socksProxy'",
"]",
"=",
"self",
".",
"socksProxy",
"if",
"self",
".",
"socksUsername",
":",
"proxy_caps",
"[",
"'socksUsername'",
"]",
"=",
"self",
".",
"socksUsername",
"if",
"self",
".",
"socksPassword",
":",
"proxy_caps",
"[",
"'socksPassword'",
"]",
"=",
"self",
".",
"socksPassword",
"capabilities",
"[",
"'proxy'",
"]",
"=",
"proxy_caps"
] |
Adds proxy information as capability in specified capabilities.
:Args:
- capabilities: The capabilities to which proxy will be added.
|
[
"Adds",
"proxy",
"information",
"as",
"capability",
"in",
"specified",
"capabilities",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/proxy.py#L307-L334
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/utils.py
|
find_connectable_ip
|
def find_connectable_ip(host, port=None):
"""Resolve a hostname to an IP, preferring IPv4 addresses.
We prefer IPv4 so that we don't change behavior from previous IPv4-only
implementations, and because some drivers (e.g., FirefoxDriver) do not
support IPv6 connections.
If the optional port number is provided, only IPs that listen on the given
port are considered.
:Args:
- host - A hostname.
- port - Optional port number.
:Returns:
A single IP address, as a string. If any IPv4 address is found, one is
returned. Otherwise, if any IPv6 address is found, one is returned. If
neither, then None is returned.
"""
try:
addrinfos = socket.getaddrinfo(host, None)
except socket.gaierror:
return None
ip = None
for family, _, _, _, sockaddr in addrinfos:
connectable = True
if port:
connectable = is_connectable(port, sockaddr[0])
if connectable and family == socket.AF_INET:
return sockaddr[0]
if connectable and not ip and family == socket.AF_INET6:
ip = sockaddr[0]
return ip
|
python
|
def find_connectable_ip(host, port=None):
"""Resolve a hostname to an IP, preferring IPv4 addresses.
We prefer IPv4 so that we don't change behavior from previous IPv4-only
implementations, and because some drivers (e.g., FirefoxDriver) do not
support IPv6 connections.
If the optional port number is provided, only IPs that listen on the given
port are considered.
:Args:
- host - A hostname.
- port - Optional port number.
:Returns:
A single IP address, as a string. If any IPv4 address is found, one is
returned. Otherwise, if any IPv6 address is found, one is returned. If
neither, then None is returned.
"""
try:
addrinfos = socket.getaddrinfo(host, None)
except socket.gaierror:
return None
ip = None
for family, _, _, _, sockaddr in addrinfos:
connectable = True
if port:
connectable = is_connectable(port, sockaddr[0])
if connectable and family == socket.AF_INET:
return sockaddr[0]
if connectable and not ip and family == socket.AF_INET6:
ip = sockaddr[0]
return ip
|
[
"def",
"find_connectable_ip",
"(",
"host",
",",
"port",
"=",
"None",
")",
":",
"try",
":",
"addrinfos",
"=",
"socket",
".",
"getaddrinfo",
"(",
"host",
",",
"None",
")",
"except",
"socket",
".",
"gaierror",
":",
"return",
"None",
"ip",
"=",
"None",
"for",
"family",
",",
"_",
",",
"_",
",",
"_",
",",
"sockaddr",
"in",
"addrinfos",
":",
"connectable",
"=",
"True",
"if",
"port",
":",
"connectable",
"=",
"is_connectable",
"(",
"port",
",",
"sockaddr",
"[",
"0",
"]",
")",
"if",
"connectable",
"and",
"family",
"==",
"socket",
".",
"AF_INET",
":",
"return",
"sockaddr",
"[",
"0",
"]",
"if",
"connectable",
"and",
"not",
"ip",
"and",
"family",
"==",
"socket",
".",
"AF_INET6",
":",
"ip",
"=",
"sockaddr",
"[",
"0",
"]",
"return",
"ip"
] |
Resolve a hostname to an IP, preferring IPv4 addresses.
We prefer IPv4 so that we don't change behavior from previous IPv4-only
implementations, and because some drivers (e.g., FirefoxDriver) do not
support IPv6 connections.
If the optional port number is provided, only IPs that listen on the given
port are considered.
:Args:
- host - A hostname.
- port - Optional port number.
:Returns:
A single IP address, as a string. If any IPv4 address is found, one is
returned. Otherwise, if any IPv6 address is found, one is returned. If
neither, then None is returned.
|
[
"Resolve",
"a",
"hostname",
"to",
"an",
"IP",
"preferring",
"IPv4",
"addresses",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/utils.py#L46-L81
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/utils.py
|
join_host_port
|
def join_host_port(host, port):
"""Joins a hostname and port together.
This is a minimal implementation intended to cope with IPv6 literals. For
example, _join_host_port('::1', 80) == '[::1]:80'.
:Args:
- host - A hostname.
- port - An integer port.
"""
if ':' in host and not host.startswith('['):
return '[%s]:%d' % (host, port)
return '%s:%d' % (host, port)
|
python
|
def join_host_port(host, port):
"""Joins a hostname and port together.
This is a minimal implementation intended to cope with IPv6 literals. For
example, _join_host_port('::1', 80) == '[::1]:80'.
:Args:
- host - A hostname.
- port - An integer port.
"""
if ':' in host and not host.startswith('['):
return '[%s]:%d' % (host, port)
return '%s:%d' % (host, port)
|
[
"def",
"join_host_port",
"(",
"host",
",",
"port",
")",
":",
"if",
"':'",
"in",
"host",
"and",
"not",
"host",
".",
"startswith",
"(",
"'['",
")",
":",
"return",
"'[%s]:%d'",
"%",
"(",
"host",
",",
"port",
")",
"return",
"'%s:%d'",
"%",
"(",
"host",
",",
"port",
")"
] |
Joins a hostname and port together.
This is a minimal implementation intended to cope with IPv6 literals. For
example, _join_host_port('::1', 80) == '[::1]:80'.
:Args:
- host - A hostname.
- port - An integer port.
|
[
"Joins",
"a",
"hostname",
"and",
"port",
"together",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/utils.py#L84-L97
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/utils.py
|
is_connectable
|
def is_connectable(port, host="localhost"):
"""
Tries to connect to the server at port to see if it is running.
:Args:
- port - The port to connect.
"""
socket_ = None
try:
socket_ = socket.create_connection((host, port), 1)
result = True
except _is_connectable_exceptions:
result = False
finally:
if socket_:
socket_.close()
return result
|
python
|
def is_connectable(port, host="localhost"):
"""
Tries to connect to the server at port to see if it is running.
:Args:
- port - The port to connect.
"""
socket_ = None
try:
socket_ = socket.create_connection((host, port), 1)
result = True
except _is_connectable_exceptions:
result = False
finally:
if socket_:
socket_.close()
return result
|
[
"def",
"is_connectable",
"(",
"port",
",",
"host",
"=",
"\"localhost\"",
")",
":",
"socket_",
"=",
"None",
"try",
":",
"socket_",
"=",
"socket",
".",
"create_connection",
"(",
"(",
"host",
",",
"port",
")",
",",
"1",
")",
"result",
"=",
"True",
"except",
"_is_connectable_exceptions",
":",
"result",
"=",
"False",
"finally",
":",
"if",
"socket_",
":",
"socket_",
".",
"close",
"(",
")",
"return",
"result"
] |
Tries to connect to the server at port to see if it is running.
:Args:
- port - The port to connect.
|
[
"Tries",
"to",
"connect",
"to",
"the",
"server",
"at",
"port",
"to",
"see",
"if",
"it",
"is",
"running",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/utils.py#L100-L116
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/utils.py
|
is_url_connectable
|
def is_url_connectable(port):
"""
Tries to connect to the HTTP server at /status path
and specified port to see if it responds successfully.
:Args:
- port - The port to connect.
"""
try:
from urllib import request as url_request
except ImportError:
import urllib2 as url_request
try:
res = url_request.urlopen("http://127.0.0.1:%s/status" % port)
if res.getcode() == 200:
return True
else:
return False
except Exception:
return False
|
python
|
def is_url_connectable(port):
"""
Tries to connect to the HTTP server at /status path
and specified port to see if it responds successfully.
:Args:
- port - The port to connect.
"""
try:
from urllib import request as url_request
except ImportError:
import urllib2 as url_request
try:
res = url_request.urlopen("http://127.0.0.1:%s/status" % port)
if res.getcode() == 200:
return True
else:
return False
except Exception:
return False
|
[
"def",
"is_url_connectable",
"(",
"port",
")",
":",
"try",
":",
"from",
"urllib",
"import",
"request",
"as",
"url_request",
"except",
"ImportError",
":",
"import",
"urllib2",
"as",
"url_request",
"try",
":",
"res",
"=",
"url_request",
".",
"urlopen",
"(",
"\"http://127.0.0.1:%s/status\"",
"%",
"port",
")",
"if",
"res",
".",
"getcode",
"(",
")",
"==",
"200",
":",
"return",
"True",
"else",
":",
"return",
"False",
"except",
"Exception",
":",
"return",
"False"
] |
Tries to connect to the HTTP server at /status path
and specified port to see if it responds successfully.
:Args:
- port - The port to connect.
|
[
"Tries",
"to",
"connect",
"to",
"the",
"HTTP",
"server",
"at",
"/",
"status",
"path",
"and",
"specified",
"port",
"to",
"see",
"if",
"it",
"responds",
"successfully",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/utils.py#L119-L139
|
train
|
SeleniumHQ/selenium
|
py/selenium/webdriver/common/utils.py
|
keys_to_typing
|
def keys_to_typing(value):
"""Processes the values that will be typed in the element."""
typing = []
for val in value:
if isinstance(val, Keys):
typing.append(val)
elif isinstance(val, int):
val = str(val)
for i in range(len(val)):
typing.append(val[i])
else:
for i in range(len(val)):
typing.append(val[i])
return typing
|
python
|
def keys_to_typing(value):
"""Processes the values that will be typed in the element."""
typing = []
for val in value:
if isinstance(val, Keys):
typing.append(val)
elif isinstance(val, int):
val = str(val)
for i in range(len(val)):
typing.append(val[i])
else:
for i in range(len(val)):
typing.append(val[i])
return typing
|
[
"def",
"keys_to_typing",
"(",
"value",
")",
":",
"typing",
"=",
"[",
"]",
"for",
"val",
"in",
"value",
":",
"if",
"isinstance",
"(",
"val",
",",
"Keys",
")",
":",
"typing",
".",
"append",
"(",
"val",
")",
"elif",
"isinstance",
"(",
"val",
",",
"int",
")",
":",
"val",
"=",
"str",
"(",
"val",
")",
"for",
"i",
"in",
"range",
"(",
"len",
"(",
"val",
")",
")",
":",
"typing",
".",
"append",
"(",
"val",
"[",
"i",
"]",
")",
"else",
":",
"for",
"i",
"in",
"range",
"(",
"len",
"(",
"val",
")",
")",
":",
"typing",
".",
"append",
"(",
"val",
"[",
"i",
"]",
")",
"return",
"typing"
] |
Processes the values that will be typed in the element.
|
[
"Processes",
"the",
"values",
"that",
"will",
"be",
"typed",
"in",
"the",
"element",
"."
] |
df40c28b41d4b3953f90eaff84838a9ac052b84a
|
https://github.com/SeleniumHQ/selenium/blob/df40c28b41d4b3953f90eaff84838a9ac052b84a/py/selenium/webdriver/common/utils.py#L142-L155
|
train
|
explosion/spaCy
|
examples/pipeline/custom_attr_methods.py
|
to_html
|
def to_html(doc, output="/tmp", style="dep"):
"""Doc method extension for saving the current state as a displaCy
visualization.
"""
# generate filename from first six non-punct tokens
file_name = "-".join([w.text for w in doc[:6] if not w.is_punct]) + ".html"
html = displacy.render(doc, style=style, page=True) # render markup
if output is not None:
output_path = Path(output)
if not output_path.exists():
output_path.mkdir()
output_file = Path(output) / file_name
output_file.open("w", encoding="utf-8").write(html) # save to file
print("Saved HTML to {}".format(output_file))
else:
print(html)
|
python
|
def to_html(doc, output="/tmp", style="dep"):
"""Doc method extension for saving the current state as a displaCy
visualization.
"""
# generate filename from first six non-punct tokens
file_name = "-".join([w.text for w in doc[:6] if not w.is_punct]) + ".html"
html = displacy.render(doc, style=style, page=True) # render markup
if output is not None:
output_path = Path(output)
if not output_path.exists():
output_path.mkdir()
output_file = Path(output) / file_name
output_file.open("w", encoding="utf-8").write(html) # save to file
print("Saved HTML to {}".format(output_file))
else:
print(html)
|
[
"def",
"to_html",
"(",
"doc",
",",
"output",
"=",
"\"/tmp\"",
",",
"style",
"=",
"\"dep\"",
")",
":",
"# generate filename from first six non-punct tokens",
"file_name",
"=",
"\"-\"",
".",
"join",
"(",
"[",
"w",
".",
"text",
"for",
"w",
"in",
"doc",
"[",
":",
"6",
"]",
"if",
"not",
"w",
".",
"is_punct",
"]",
")",
"+",
"\".html\"",
"html",
"=",
"displacy",
".",
"render",
"(",
"doc",
",",
"style",
"=",
"style",
",",
"page",
"=",
"True",
")",
"# render markup",
"if",
"output",
"is",
"not",
"None",
":",
"output_path",
"=",
"Path",
"(",
"output",
")",
"if",
"not",
"output_path",
".",
"exists",
"(",
")",
":",
"output_path",
".",
"mkdir",
"(",
")",
"output_file",
"=",
"Path",
"(",
"output",
")",
"/",
"file_name",
"output_file",
".",
"open",
"(",
"\"w\"",
",",
"encoding",
"=",
"\"utf-8\"",
")",
".",
"write",
"(",
"html",
")",
"# save to file",
"print",
"(",
"\"Saved HTML to {}\"",
".",
"format",
"(",
"output_file",
")",
")",
"else",
":",
"print",
"(",
"html",
")"
] |
Doc method extension for saving the current state as a displaCy
visualization.
|
[
"Doc",
"method",
"extension",
"for",
"saving",
"the",
"current",
"state",
"as",
"a",
"displaCy",
"visualization",
"."
] |
8ee4100f8ffb336886208a1ea827bf4c745e2709
|
https://github.com/explosion/spaCy/blob/8ee4100f8ffb336886208a1ea827bf4c745e2709/examples/pipeline/custom_attr_methods.py#L43-L58
|
train
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.