VirtualBox

source: vbox/trunk/src/VBox/ValidationKit/common/webutils.py@ 81784

Last change on this file since 81784 was 79087, checked in by vboxsync, 5 years ago

ValKit: New pylint version - cleanup in progress.

  • Property svn:eol-style set to native
  • Property svn:keywords set to Author Date Id Revision
File size: 6.7 KB
Line 
1# -*- coding: utf-8 -*-
2# $Id: webutils.py 79087 2019-06-11 11:58:28Z vboxsync $
3
4"""
5Common Web Utility Functions.
6"""
7
8__copyright__ = \
9"""
10Copyright (C) 2012-2019 Oracle Corporation
11
12This file is part of VirtualBox Open Source Edition (OSE), as
13available from http://www.virtualbox.org. This file is free software;
14you can redistribute it and/or modify it under the terms of the GNU
15General Public License (GPL) as published by the Free Software
16Foundation, in version 2 as it comes in the "COPYING" file of the
17VirtualBox OSE distribution. VirtualBox OSE is distributed in the
18hope that it will be useful, but WITHOUT ANY WARRANTY of any kind.
19
20The contents of this file may alternatively be used under the terms
21of the Common Development and Distribution License Version 1.0
22(CDDL) only, as it comes in the "COPYING.CDDL" file of the
23VirtualBox OSE distribution, in which case the provisions of the
24CDDL are applicable instead of those of the GPL.
25
26You may elect to license modified versions of this file under the
27terms and conditions of either the GPL or the CDDL or both.
28"""
29__version__ = "$Revision: 79087 $"
30
31# Standard Python imports.
32import os;
33import sys;
34import unittest;
35
36# Python 3 hacks:
37if sys.version_info[0] < 3:
38 from urllib2 import quote as urllib_quote; # pylint: disable=import-error,no-name-in-module
39 from urllib import urlencode as urllib_urlencode; # pylint: disable=import-error,no-name-in-module
40 from urllib2 import ProxyHandler as urllib_ProxyHandler; # pylint: disable=import-error,no-name-in-module
41 from urllib2 import build_opener as urllib_build_opener; # pylint: disable=import-error,no-name-in-module
42else:
43 from urllib.parse import quote as urllib_quote; # pylint: disable=import-error,no-name-in-module
44 from urllib.parse import urlencode as urllib_urlencode; # pylint: disable=import-error,no-name-in-module
45 from urllib.request import ProxyHandler as urllib_ProxyHandler; # pylint: disable=import-error,no-name-in-module
46 from urllib.request import build_opener as urllib_build_opener; # pylint: disable=import-error,no-name-in-module
47
48# Validation Kit imports.
49from common import utils;
50
51
52def escapeElem(sText):
53 """
54 Escapes special character to HTML-safe sequences.
55 """
56 sText = sText.replace('&', '&amp;')
57 sText = sText.replace('<', '&lt;')
58 return sText.replace('>', '&gt;')
59
60def escapeAttr(sText):
61 """
62 Escapes special character to HTML-safe sequences.
63 """
64 sText = sText.replace('&', '&amp;')
65 sText = sText.replace('<', '&lt;')
66 sText = sText.replace('>', '&gt;')
67 return sText.replace('"', '&quot;')
68
69def escapeElemToStr(oObject):
70 """
71 Stringifies the object and hands it to escapeElem.
72 """
73 if utils.isString(oObject):
74 return escapeElem(oObject);
75 return escapeElem(str(oObject));
76
77def escapeAttrToStr(oObject):
78 """
79 Stringifies the object and hands it to escapeAttr. May return unicode string.
80 """
81 if utils.isString(oObject):
82 return escapeAttr(oObject);
83 return escapeAttr(str(oObject));
84
85def escapeAttrJavaScriptStringDQ(sText):
86 """ Escapes a javascript string that is to be emitted between double quotes. """
87 if '"' not in sText:
88 chMin = min(sText);
89 if ord(chMin) >= 0x20:
90 return sText;
91
92 sRet = '';
93 for ch in sText:
94 if ch == '"':
95 sRet += '\\"';
96 elif ord(ch) >= 0x20:
97 sRet += ch;
98 elif ch == '\n':
99 sRet += '\\n';
100 elif ch == '\r':
101 sRet += '\\r';
102 elif ch == '\t':
103 sRet += '\\t';
104 else:
105 sRet += '\\x%02x' % (ch,);
106 return sRet;
107
108def quoteUrl(sText):
109 """
110 See urllib.quote().
111 """
112 return urllib_quote(sText);
113
114def encodeUrlParams(dParams):
115 """
116 See urllib.urlencode().
117 """
118 return urllib_urlencode(dParams, doseq=True)
119
120def hasSchema(sUrl):
121 """
122 Checks if the URL has a schema (e.g. http://) or is file/server relative.
123 Returns True if schema is present, False if not.
124 """
125 iColon = sUrl.find(':');
126 if iColon > 0:
127 sSchema = sUrl[0:iColon];
128 if len(sSchema) >= 2 and len(sSchema) < 16 and sSchema.islower() and sSchema.isalpha():
129 return True;
130 return False;
131
132def getFilename(sUrl):
133 """
134 Extracts the filename from the URL.
135 """
136 ## @TODO This isn't entirely correct. Use the urlparser instead!
137 sFilename = os.path.basename(sUrl.replace('/', os.path.sep));
138 return sFilename;
139
140
141def downloadFile(sUrlFile, sDstFile, sLocalPrefix, fnLog, fnError = None, fNoProxies=True):
142 """
143 Downloads the given file if an URL is given, otherwise assume it's
144 something on the build share and copy it from there.
145
146 Raises no exceptions, returns log + success indicator instead.
147
148 Note! This method may use proxies configured on the system and the
149 http_proxy, ftp_proxy, no_proxy environment variables.
150
151 """
152 if fnError is None:
153 fnError = fnLog;
154
155 if sUrlFile.startswith('http://') \
156 or sUrlFile.startswith('https://') \
157 or sUrlFile.startswith('ftp://'):
158 # Download the file.
159 fnLog('Downloading "%s" to "%s"...' % (sUrlFile, sDstFile));
160 try:
161 ## @todo We get 404.html content instead of exceptions here, which is confusing and should be addressed.
162 if not fNoProxies:
163 oOpener = urllib_build_opener();
164 else:
165 oOpener = urllib_build_opener(urllib_ProxyHandler(proxies = dict()));
166 oSrc = oOpener.open(sUrlFile);
167 oDst = utils.openNoInherit(sDstFile, 'wb');
168 oDst.write(oSrc.read());
169 oDst.close();
170 oSrc.close();
171 except Exception as oXcpt:
172 fnError('Error downloading "%s" to "%s": %s' % (sUrlFile, sDstFile, oXcpt));
173 return False;
174 else:
175 # Assumes file from the build share.
176 sSrcPath = os.path.join(sLocalPrefix, sUrlFile);
177 fnLog('Copying "%s" to "%s"...' % (sSrcPath, sDstFile));
178 try:
179 utils.copyFileSimple(sSrcPath, sDstFile);
180 except Exception as oXcpt:
181 fnError('Error copying "%s" to "%s": %s' % (sSrcPath, sDstFile, oXcpt));
182 return False;
183
184 return True;
185
186
187
188#
189# Unit testing.
190#
191
192# pylint: disable=missing-docstring
193class CommonUtilsTestCase(unittest.TestCase):
194 def testHasSchema(self):
195 self.assertTrue(hasSchema('http://www.oracle.com/'));
196 self.assertTrue(hasSchema('https://virtualbox.com/'));
197 self.assertFalse(hasSchema('://virtualbox.com/'));
198 self.assertFalse(hasSchema('/usr/bin'));
199 self.assertFalse(hasSchema('usr/bin'));
200 self.assertFalse(hasSchema('bin'));
201 self.assertFalse(hasSchema('C:\\WINNT'));
202
203if __name__ == '__main__':
204 unittest.main();
205 # not reached.
206
Note: See TracBrowser for help on using the repository browser.

© 2024 Oracle Support Privacy / Do Not Sell My Info Terms of Use Trademark Policy Automated Access Etiquette