Chromium Code Reviews
chromiumcodereview-hr@appspot.gserviceaccount.com (chromiumcodereview-hr) | Please choose your nickname with Settings | Help | Chromium Project | Gerrit Changes | Sign out
(296)

Unified Diff: pyautolib/fetch_prebuilt_pyauto.py

Issue 10384104: Chrome updater test framework (Closed) Base URL: svn://svn.chromium.org/chrome/trunk/src/chrome/test/
Patch Set: Created 8 years, 7 months ago
Use n/p to move between diff chunks; N/P to move between comments. Draft comments are only viewable by you.
Jump to:
View side-by-side diff with in-line comments
Download patch
Index: pyautolib/fetch_prebuilt_pyauto.py
===================================================================
--- pyautolib/fetch_prebuilt_pyauto.py (revision 136323)
+++ pyautolib/fetch_prebuilt_pyauto.py (working copy)
@@ -28,70 +28,54 @@
import urllib
import urllib2
import urlparse
+import socket
+import stat
+import zipfile
import pyauto_utils
-
+
class FetchPrebuilt(object):
- """Util class to fetch prebuilt binaries to run PyAuto."""
+ """Util class to fetch prebuilt binaries to run PyAuto."""
+
+ def __init__(self, url, outdir, platform):
+ self._url = url
+ if not self.DoesUrlExist(self._url):
+ raise httplib.error('%s is not a valid URL.' % self._url)
+ self._outdir = outdir
+ self._platform = ((lambda p: p and p or pyauto_utils.GetCurrentPlatform())
+ (platform))
+ self._InitZipName()
+ self._InitDownloadUrls()
- def _ParseArgs(self):
- parser = optparse.OptionParser()
- parser.add_option(
- '-d', '--outdir', type='string', default=None,
- help='Directory in which to setup. This is typically the directory '
- 'where the binaries would go when compiled from source.')
- parser.add_option(
- '-p', '--platform', type='string',
- default=pyauto_utils.GetCurrentPlatform(),
- help='Platform. Valid options: win, mac, linux32, linux64. '
- 'Default: current platform (%s)' % pyauto_utils.GetCurrentPlatform())
- parser.add_option(
- '-l', '--latest', action='store_true', default=False,
- help='Download the latest chromium build from commondatastorage. '
- '[default=False]')
- self._options, self._args = parser.parse_args()
- if self._options.latest:
- self._url = self._GetLastestDownloadURL(self._options.platform)
- elif not self._args:
- print >>sys.stderr, 'Need download url'
- sys.exit(2)
+ def _InitZipName(self):
+ """Determines the name of the zip file based on platform."""
+ if not self._platform.startswith('linux'):
+ self._chrome_zip_name = 'chrome-%s' % { 'mac' : 'mac',
+ 'win' : 'win32'
+ }[self._platform]
else:
- self._url = self._args[0]
- if not self._options.outdir:
- print >>sys.stderr, 'Need output directory: -d/--outdir'
- sys.exit(1)
- self._outdir = self._options.outdir
- # Chromium continuous build archive has a non-standard format.
- if 'index.html?path=' in self._url:
- self._url = self._url.replace('index.html?path=', '')
- self._url = self._url.rstrip('/')
- # Determine name of zip.
- if not self._options.platform.startswith('linux'):
- self._chrome_zip_name = 'chrome-%s' % {'mac': 'mac',
- 'win': 'win32'
- }[self._options.platform]
- else:
linux_32_names = ['linux', 'lucid32bit']
linux_64_names = ['linux64', 'lucid64bit']
linux_names = {'linux': linux_32_names + linux_64_names,
'linux32': linux_32_names,
'linux64': linux_64_names
- }[self._options.platform]
+ }[self._platform]
for name in linux_names:
zip_name = 'chrome-' + name
- if self._DoesURLExist('%s/%s.zip' % (self._url, zip_name)):
+ if self.DoesUrlExist('%s/%s.zip' % (self._url, zip_name)):
self._chrome_zip_name = zip_name
break
else:
- raise RuntimeError('Could not find chrome zip at ' + self._url)
+ raise RuntimeError('Could not find %s at ' % zip_name + self._url)
- # Setup urls to download.
+ def _InitDownloadUrls(self):
+ """Generates URLs for files that are to be downloaded."""
self._chrome_zip_url = '%s/%s.zip' % (self._url, self._chrome_zip_name)
self._remoting_zip_url = self._url + '/' + 'remoting-webapp.zip'
chrome_test_url = '%s/%s.test' % (self._url, self._chrome_zip_name)
self._pyautolib_py_url = '%s/pyautolib.py' % chrome_test_url
- if self._options.platform == 'win':
+ if self._platform == 'win':
self._pyautolib_so_name = '_pyautolib.pyd'
self._chromedriver_name = 'chromedriver.exe'
else:
@@ -100,7 +84,8 @@
self._pyautolib_so_url = chrome_test_url + '/' + self._pyautolib_so_name
self._chromedriver_url = chrome_test_url + '/' + self._chromedriver_name
- def _GetLastestDownloadURL(self, os_platform):
+ @staticmethod
+ def GetLastestDownloadURL(os_platform):
os_type = {'win': 'Win',
'mac': 'Mac',
'linux': 'Linux',
@@ -120,26 +105,48 @@
last_change))
return last_change_url
- def _DoesURLExist(self, url):
+ def DoesUrlExist(self, url):
"""Determines whether a resource exists at the given URL."""
parsed = urlparse.urlparse(url)
- conn = httplib.HTTPConnection(parsed.netloc)
- conn.request('HEAD', parsed.path)
- response = conn.getresponse()
- if response.status == 302: # Redirect; follow it.
- return self._DoesURLExist(response.getheader('location'))
+ try:
+ conn = httplib.HTTPConnection(parsed.netloc)
+ conn.request('HEAD', parsed.path)
+ response = conn.getresponse()
+ except (socket.gaierror, socket.error), err:
+ print 'FetchPrebuilt.DoesUrlExist: %s' % err
+ return False
+ # Follow both permanent (301) and temporary (302) redirects.
+ if response.status == 302 or response.status == 301:
+ return self.DoesUrlExist(response.getheader('location'))
return response.status == 200
- def Cleanup(self):
+ def _Cleanup(self):
"""Remove old binaries, if any."""
- pass
+
+ def OnError(func, path, exc_info):
+ """Callback for shutil.rmtree."""
+ if not os.access(path, os.W_OK):
+ os.chmod(path, stat.S_IRWXU | stat.S_IRWXG | stat.S_IRWXO)
+ func(path)
+ else:
+ raise OSError('%s is not a read-only file, access denied.' % path)
+
+ lst_dirs = ['PepperFlash', 'remoting', 'locales', 'resources', 'installer']
kkania 2012/05/30 15:41:09 actually, i meant rename lst_dirs; using lst as ab
+ paths = [os.path.join(self._outdir, name) for name in lst_dirs]
+ for path in paths:
+ if os.path.exists(path):
+ try:
+ shutil.rmtree(path, onerror=OnError)
+ except (OSError, IOError):
+ raise RuntimeError('Could not delete %s, access violation' % path)
- def Run(self):
- self._ParseArgs()
+ def Run(self):
if not os.path.isdir(self._outdir):
os.makedirs(self._outdir)
- get_remoting = self._DoesURLExist(self._remoting_zip_url)
-
+ else:
+ print 'Cleaning up %s' % self._outdir
+ self._Cleanup()
+ get_remoting = self.DoesUrlExist(self._remoting_zip_url)
# Fetch chrome & pyauto binaries
print 'Fetching', self._chrome_zip_url
chrome_zip = urllib.urlretrieve(self._chrome_zip_url)[0]
@@ -164,13 +171,15 @@
print 'Cleaning', chrome_unzip_dir
pyauto_utils.RemovePath(chrome_unzip_dir)
print 'Unzipping'
- pyauto_utils.UnzipFilenameToDir(chrome_zip, self._outdir)
+ try:
+ pyauto_utils.UnzipFilenameToDir(chrome_zip, self._outdir)
+ except zipfile.BadZipfile:
kkania 2012/05/30 15:41:09 the old version also checked for OSError here, did
+ raise RuntimeError('Specified zip file does not exist or is corrupted.')
if get_remoting:
- pyauto_utils.UnzipFilenameToDir(remoting_zip, self._outdir)
+ pyauto_utils.UnzipFilenameToDir(remoting_zip, self._outdir)
shutil.move(self._outdir + '/remoting-webapp',
self._outdir + '/remoting/remoting.webapp')
-
- # Copy over the binaries to outdir
+ # Copy over the binaries to destination directory.
items_to_copy = {
pyautolib_py: os.path.join(self._outdir, 'pyautolib.py'),
pyautolib_so: os.path.join(self._outdir, self._pyautolib_so_name),
@@ -189,11 +198,11 @@
# Final setup (if any)
# Set executable bit on chromedriver binary.
- if not self._options.platform == 'win':
+ if not self._platform == 'win':
os.chmod(items_to_copy[chromedriver], 0700)
# Create symlink to .framework on Mac
- if self._options.platform == 'mac':
+ if self._platform == 'mac':
mac_app_name = os.path.basename([x for x in unzip_dir_contents
if x.endswith('.app')][0])
os.chdir(self._outdir)
@@ -209,5 +218,46 @@
return 0
-if __name__ == '__main__':
- sys.exit(FetchPrebuilt().Run())
+class Main:
+
+ def __init__(self):
+ self._ParseArgs()
+ FetchPrebuilt(self._url, self._outdir, self._platform).Run()
+
+ def _ParseArgs(self):
+ parser = optparse.OptionParser()
+ parser.add_option(
+ '-d', '--outdir', type='string', default=None,
+ help='Directory in which to setup. This is typically the directory '
+ 'where the binaries would go when compiled from source.')
+ parser.add_option(
+ '-p', '--platform', type='string',
+ default=pyauto_utils.GetCurrentPlatform(),
+ help='Platform. Valid options: win, mac, linux32, linux64. '
+ 'Default: current platform (%s)' % pyauto_utils.GetCurrentPlatform())
+ parser.add_option(
+ '-l', '--latest', action='store_true', default=False,
+ help='Download the latest chromium build from commondatastorage. '
+ '[default=False]')
+ options, args = parser.parse_args()
+ if not options.outdir:
+ print >>sys.stderr, 'Need output directory: -d/--outdir'
+ sys.exit(1)
+ if options.latest:
+ self._url = FetchPrebuilt.GetLastestDownloadURL(options.platform)
+ elif not args:
+ print >>sys.stderr, 'Need download url'
+ sys.exit(2)
+ else:
+ self._url = args[0]
+
+ self._platform = options.platform
+ self._outdir = options.outdir
+ # Chromium continuous build archive has a non-standard format.
+ if 'index.html?path=' in self._url:
+ self._url = self._url.replace('index.html?path=', '')
+ self._url = self._url.rstrip('/')
+
+
+if __name__ == '__main__':
+ Main()

Powered by Google App Engine
This is Rietveld 408576698