1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630
|
# Copyright (C) 2010 Google Inc. All rights reserved.
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are
# met:
#
# * Redistributions of source code must retain the above copyright
# notice, this list of conditions and the following disclaimer.
# * Redistributions in binary form must reproduce the above
# copyright notice, this list of conditions and the following disclaimer
# in the documentation and/or other materials provided with the
# distribution.
# * Neither the name of Google Inc. nor the names of its
# contributors may be used to endorse or promote products derived from
# this software without specific prior written permission.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
# A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
# OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
# LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
# DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
# THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
"""Unit testing base class for Port implementations."""
import errno
import logging
import os
import socket
import sys
import time
import unittest2 as unittest
from webkitpy.common.system.executive_mock import MockExecutive
from webkitpy.common.system.filesystem_mock import MockFileSystem
from webkitpy.common.system.outputcapture import OutputCapture
from webkitpy.common.system.systemhost_mock import MockSystemHost
from webkitpy.port.base import Port
from webkitpy.port.server_process_mock import MockServerProcess
from webkitpy.layout_tests.servers import http_server_base
from webkitpy.tool.mocktool import MockOptions
# FIXME: get rid of this fixture
class TestWebKitPort(Port):
port_name = "testwebkitport"
def __init__(self, port_name=None, symbols_string=None,
expectations_file=None, skips_file=None, host=None, config=None,
**kwargs):
port_name = port_name or TestWebKitPort.port_name
self.symbols_string = symbols_string # Passing "" disables all staticly-detectable features.
host = host or MockSystemHost()
super(TestWebKitPort, self).__init__(host, port_name=port_name, **kwargs)
def all_test_configurations(self):
return [self.test_configuration()]
def _symbols_string(self):
return self.symbols_string
def _tests_for_other_platforms(self):
return ["media", ]
def _tests_for_disabled_features(self):
return ["accessibility", ]
class PortTestCase(unittest.TestCase):
"""Tests that all Port implementations must pass."""
HTTP_PORTS = (8000, 8080, 8443)
WEBSOCKET_PORTS = (8880,)
# Subclasses override this to point to their Port subclass.
os_name = None
os_version = None
port_maker = TestWebKitPort
port_name = None
def make_port(self, host=None, port_name=None, options=None, os_name=None, os_version=None, **kwargs):
host = host or MockSystemHost(os_name=(os_name or self.os_name), os_version=(os_version or self.os_version))
options = options or MockOptions(configuration='Release')
port_name = port_name or self.port_name
port_name = self.port_maker.determine_full_port_name(host, options, port_name)
port = self.port_maker(host, port_name, options=options, **kwargs)
port._config.build_directory = lambda configuration: '/mock-build'
return port
def test_default_max_locked_shards(self):
port = self.make_port()
port.default_child_processes = lambda: 16
self.assertEqual(port.default_max_locked_shards(), 1)
port.default_child_processes = lambda: 2
self.assertEqual(port.default_max_locked_shards(), 1)
def test_default_timeout_ms(self):
self.assertEqual(self.make_port(options=MockOptions(configuration='Release')).default_timeout_ms(), 35000)
self.assertEqual(self.make_port(options=MockOptions(configuration='Debug')).default_timeout_ms(), 35000)
def test_default_pixel_tests(self):
self.assertEqual(self.make_port().default_pixel_tests(), False)
def test_driver_cmd_line(self):
port = self.make_port()
self.assertTrue(len(port.driver_cmd_line()))
options = MockOptions(additional_drt_flag=['--foo=bar', '--foo=baz'])
port = self.make_port(options=options)
cmd_line = port.driver_cmd_line()
self.assertTrue('--foo=bar' in cmd_line)
self.assertTrue('--foo=baz' in cmd_line)
def assert_servers_are_down(self, host, ports):
for port in ports:
try:
test_socket = socket.socket()
test_socket.connect((host, port))
self.fail()
except IOError, e:
self.assertTrue(e.errno in (errno.ECONNREFUSED, errno.ECONNRESET))
finally:
test_socket.close()
def assert_servers_are_up(self, host, ports):
for port in ports:
try:
test_socket = socket.socket()
test_socket.connect((host, port))
except IOError, e:
self.fail('failed to connect to %s:%d' % (host, port))
finally:
test_socket.close()
def integration_test_http_lock(self):
port = self.make_port()
# Only checking that no exception is raised.
port.acquire_http_lock()
port.release_http_lock()
def integration_test_check_sys_deps(self):
port = self.make_port()
# Only checking that no exception is raised.
port.check_sys_deps(True)
def integration_test_helper(self):
port = self.make_port()
# Only checking that no exception is raised.
port.start_helper()
port.stop_helper()
def integration_test_http_server__normal(self):
port = self.make_port()
self.assert_servers_are_down('localhost', self.HTTP_PORTS)
port.start_http_server()
self.assert_servers_are_up('localhost', self.HTTP_PORTS)
port.stop_http_server()
self.assert_servers_are_down('localhost', self.HTTP_PORTS)
def integration_test_http_server__fails(self):
port = self.make_port()
# Test that if a port isn't available, the call fails.
for port_number in self.HTTP_PORTS:
test_socket = socket.socket()
try:
try:
test_socket.bind(('localhost', port_number))
except socket.error, e:
if e.errno in (errno.EADDRINUSE, errno.EALREADY):
self.fail('could not bind to port %d' % port_number)
raise
try:
port.start_http_server()
self.fail('should not have been able to start the server while bound to %d' % port_number)
except http_server_base.ServerError, e:
pass
finally:
port.stop_http_server()
test_socket.close()
# Test that calling start() twice fails.
try:
port.start_http_server()
self.assertRaises(AssertionError, port.start_http_server)
finally:
port.stop_http_server()
def integration_test_http_server__two_servers(self):
# Test that calling start() on two different ports causes the
# first port to be treated as stale and killed.
port = self.make_port()
# Test that if a port isn't available, the call fails.
port.start_http_server()
new_port = self.make_port()
try:
new_port.start_http_server()
# Check that the first server was killed.
self.assertFalse(port._executive.check_running_pid(port._http_server._pid))
# Check that there is something running.
self.assert_servers_are_up('localhost', self.HTTP_PORTS)
# Test that calling stop() on a killed server is harmless.
port.stop_http_server()
finally:
port.stop_http_server()
new_port.stop_http_server()
# Test that calling stop() twice is harmless.
new_port.stop_http_server()
def integration_test_image_diff(self):
port = self.make_port()
# FIXME: This test will never run since we are using a MockFilesystem for these tests!?!?
if not port.check_image_diff():
# The port hasn't been built - don't run the tests.
return
dir = port.layout_tests_dir()
file1 = port._filesystem.join(dir, 'fast', 'css', 'button_center.png')
contents1 = port._filesystem.read_binary_file(file1)
file2 = port._filesystem.join(dir, 'fast', 'css',
'remove-shorthand-expected.png')
contents2 = port._filesystem.read_binary_file(file2)
tmpfd, tmpfile = port._filesystem.open_binary_tempfile('')
tmpfd.close()
self.assertFalse(port.diff_image(contents1, contents1)[0])
self.assertTrue(port.diff_image(contents1, contents2)[0])
self.assertTrue(port.diff_image(contents1, contents2, tmpfile)[0])
port._filesystem.remove(tmpfile)
def test_diff_image__missing_both(self):
port = self.make_port()
self.assertFalse(port.diff_image(None, None)[0])
self.assertFalse(port.diff_image(None, '')[0])
self.assertFalse(port.diff_image('', None)[0])
self.assertFalse(port.diff_image('', '')[0])
def test_diff_image__missing_actual(self):
port = self.make_port()
self.assertTrue(port.diff_image(None, 'foo')[0])
self.assertTrue(port.diff_image('', 'foo')[0])
def test_diff_image__missing_expected(self):
port = self.make_port()
self.assertTrue(port.diff_image('foo', None)[0])
self.assertTrue(port.diff_image('foo', '')[0])
def test_diff_image(self):
port = self.make_port()
self.proc = None
def make_proc(port, nm, cmd, env):
self.proc = MockServerProcess(port, nm, cmd, env, lines=['diff: 100% failed\n', 'diff: 100% failed\n'])
return self.proc
port._server_process_constructor = make_proc
port.setup_test_run()
self.assertEqual(port.diff_image('foo', 'bar'), ('', 100.0, None))
self.assertEqual(self.proc.cmd[1:3], ["--tolerance", "0.1"])
self.assertEqual(port.diff_image('foo', 'bar', None), ('', 100.0, None))
self.assertEqual(self.proc.cmd[1:3], ["--tolerance", "0.1"])
self.assertEqual(port.diff_image('foo', 'bar', 0), ('', 100.0, None))
self.assertEqual(self.proc.cmd[1:3], ["--tolerance", "0"])
port.clean_up_test_run()
self.assertTrue(self.proc.stopped)
self.assertEqual(port._image_differ, None)
def test_diff_image_crashed(self):
port = self.make_port()
self.proc = None
def make_proc(port, nm, cmd, env):
self.proc = MockServerProcess(port, nm, cmd, env, crashed=True)
return self.proc
port._server_process_constructor = make_proc
port.setup_test_run()
self.assertEqual(port.diff_image('foo', 'bar'), ('', 0, 'ImageDiff crashed\n'))
port.clean_up_test_run()
def test_check_wdiff(self):
port = self.make_port()
port.check_wdiff()
def integration_test_websocket_server__normal(self):
port = self.make_port()
self.assert_servers_are_down('localhost', self.WEBSOCKET_PORTS)
port.start_websocket_server()
self.assert_servers_are_up('localhost', self.WEBSOCKET_PORTS)
port.stop_websocket_server()
self.assert_servers_are_down('localhost', self.WEBSOCKET_PORTS)
def integration_test_websocket_server__fails(self):
port = self.make_port()
# Test that start() fails if a port isn't available.
for port_number in self.WEBSOCKET_PORTS:
test_socket = socket.socket()
try:
test_socket.bind(('localhost', port_number))
try:
port.start_websocket_server()
self.fail('should not have been able to start the server while bound to %d' % port_number)
except http_server_base.ServerError, e:
pass
finally:
port.stop_websocket_server()
test_socket.close()
# Test that calling start() twice fails.
try:
port.start_websocket_server()
self.assertRaises(AssertionError, port.start_websocket_server)
finally:
port.stop_websocket_server()
def integration_test_websocket_server__two_servers(self):
port = self.make_port()
# Test that calling start() on two different ports causes the
# first port to be treated as stale and killed.
port.start_websocket_server()
new_port = self.make_port()
try:
new_port.start_websocket_server()
# Check that the first server was killed.
self.assertFalse(port._executive.check_running_pid(port._websocket_server._pid))
# Check that there is something running.
self.assert_servers_are_up('localhost', self.WEBSOCKET_PORTS)
# Test that calling stop() on a killed server is harmless.
port.stop_websocket_server()
finally:
port.stop_websocket_server()
new_port.stop_websocket_server()
# Test that calling stop() twice is harmless.
new_port.stop_websocket_server()
def test_test_configuration(self):
port = self.make_port()
self.assertTrue(port.test_configuration())
def test_all_test_configurations(self):
port = self.make_port()
self.assertTrue(len(port.all_test_configurations()) > 0)
self.assertTrue(port.test_configuration() in port.all_test_configurations(), "%s not in %s" % (port.test_configuration(), port.all_test_configurations()))
def integration_test_http_server__loop(self):
port = self.make_port()
i = 0
while i < 10:
self.assert_servers_are_down('localhost', self.HTTP_PORTS)
port.start_http_server()
# We sleep in between alternating runs to ensure that this
# test handles both back-to-back starts and stops and
# starts and stops separated by a delay.
if i % 2:
time.sleep(0.1)
self.assert_servers_are_up('localhost', self.HTTP_PORTS)
port.stop_http_server()
if i % 2:
time.sleep(0.1)
i += 1
def test_get_crash_log(self):
port = self.make_port()
self.assertEqual(port._get_crash_log(None, None, None, None, newer_than=None),
(None,
'crash log for <unknown process name> (pid <unknown>):\n'
'STDOUT: <empty>\n'
'STDERR: <empty>\n'))
self.assertEqual(port._get_crash_log('foo', 1234, 'out bar\nout baz', 'err bar\nerr baz\n', newer_than=None),
('err bar\nerr baz\n',
'crash log for foo (pid 1234):\n'
'STDOUT: out bar\n'
'STDOUT: out baz\n'
'STDERR: err bar\n'
'STDERR: err baz\n'))
self.assertEqual(port._get_crash_log('foo', 1234, 'foo\xa6bar', 'foo\xa6bar', newer_than=None),
('foo\xa6bar',
u'crash log for foo (pid 1234):\n'
u'STDOUT: foo\ufffdbar\n'
u'STDERR: foo\ufffdbar\n'))
self.assertEqual(port._get_crash_log('foo', 1234, 'foo\xa6bar', 'foo\xa6bar', newer_than=1.0),
('foo\xa6bar',
u'crash log for foo (pid 1234):\n'
u'STDOUT: foo\ufffdbar\n'
u'STDERR: foo\ufffdbar\n'))
def assert_build_path(self, options, dirs, expected_path):
port = self.make_port(options=options)
for directory in dirs:
port.host.filesystem.maybe_make_directory(directory)
self.assertEqual(port._build_path(), expected_path)
def test_expectations_ordering(self):
port = self.make_port()
for path in port.expectations_files():
port._filesystem.write_text_file(path, '')
ordered_dict = port.expectations_dict()
self.assertEqual(port.path_to_generic_test_expectations_file(), ordered_dict.keys()[0])
self.assertEqual(port.path_to_test_expectations_file(), ordered_dict.keys()[1])
options = MockOptions(additional_expectations=['/tmp/foo', '/tmp/bar'])
port = self.make_port(options=options)
for path in port.expectations_files():
port._filesystem.write_text_file(path, '')
port._filesystem.write_text_file('/tmp/foo', 'foo')
port._filesystem.write_text_file('/tmp/bar', 'bar')
ordered_dict = port.expectations_dict()
self.assertEqual(ordered_dict.keys()[-2:], options.additional_expectations) # pylint: disable=E1101
self.assertEqual(ordered_dict.values()[-2:], ['foo', 'bar'])
def test_path_to_test_expectations_file(self):
port = TestWebKitPort()
port._options = MockOptions(webkit_test_runner=False)
self.assertEqual(port.path_to_test_expectations_file(), '/mock-checkout/LayoutTests/platform/testwebkitport/TestExpectations')
port = TestWebKitPort()
port._options = MockOptions(webkit_test_runner=True)
self.assertEqual(port.path_to_test_expectations_file(), '/mock-checkout/LayoutTests/platform/testwebkitport/TestExpectations')
port = TestWebKitPort()
port.host.filesystem.files['/mock-checkout/LayoutTests/platform/testwebkitport/TestExpectations'] = 'some content'
port._options = MockOptions(webkit_test_runner=False)
self.assertEqual(port.path_to_test_expectations_file(), '/mock-checkout/LayoutTests/platform/testwebkitport/TestExpectations')
def test_skipped_directories_for_features(self):
supported_features = ["Accelerated Compositing", "Foo Feature"]
expected_directories = set(["animations/3d", "transforms/3d"])
port = TestWebKitPort(supported_features=supported_features)
port._runtime_feature_list = lambda: supported_features
result_directories = set(port._skipped_tests_for_unsupported_features(test_list=["animations/3d/foo.html"]))
self.assertEqual(result_directories, expected_directories)
def test_skipped_directories_for_features_no_matching_tests_in_test_list(self):
supported_features = ["Accelerated Compositing", "Foo Feature"]
expected_directories = set([])
result_directories = set(TestWebKitPort(supported_features=supported_features)._skipped_tests_for_unsupported_features(test_list=['foo.html']))
self.assertEqual(result_directories, expected_directories)
def test_skipped_tests_for_unsupported_features_empty_test_list(self):
supported_features = ["Accelerated Compositing", "Foo Feature"]
expected_directories = set([])
result_directories = set(TestWebKitPort(supported_features=supported_features)._skipped_tests_for_unsupported_features(test_list=None))
self.assertEqual(result_directories, expected_directories)
def test_skipped_layout_tests(self):
self.assertEqual(TestWebKitPort().skipped_layout_tests(test_list=[]), set(['media']))
def test_expectations_files(self):
port = TestWebKitPort()
def platform_dirs(port):
return [port.host.filesystem.basename(port.host.filesystem.dirname(f)) for f in port.expectations_files()]
self.assertEqual(platform_dirs(port), ['LayoutTests', 'testwebkitport'])
port = TestWebKitPort(port_name="testwebkitport-version")
self.assertEqual(platform_dirs(port), ['LayoutTests', 'testwebkitport', 'testwebkitport-version'])
port = TestWebKitPort(port_name="testwebkitport-version-wk2")
self.assertEqual(platform_dirs(port), ['LayoutTests', 'testwebkitport', 'testwebkitport-version', 'wk2', 'testwebkitport-wk2'])
port = TestWebKitPort(port_name="testwebkitport-version",
options=MockOptions(additional_platform_directory=["internal-testwebkitport"]))
self.assertEqual(platform_dirs(port), ['LayoutTests', 'testwebkitport', 'testwebkitport-version', 'internal-testwebkitport'])
def test_root_option(self):
port = TestWebKitPort()
port._options = MockOptions(root='/foo')
self.assertEqual(port._path_to_driver(), "/foo/DumpRenderTree")
def test_test_expectations(self):
# Check that we read the expectations file
host = MockSystemHost()
host.filesystem.write_text_file('/mock-checkout/LayoutTests/platform/testwebkitport/TestExpectations',
'BUG_TESTEXPECTATIONS SKIP : fast/html/article-element.html = FAIL\n')
port = TestWebKitPort(host=host)
self.assertEqual(''.join(port.expectations_dict().values()), 'BUG_TESTEXPECTATIONS SKIP : fast/html/article-element.html = FAIL\n')
def test_build_driver(self):
output = OutputCapture()
port = TestWebKitPort()
# Delay setting _executive to avoid logging during construction
port._executive = MockExecutive(should_log=True)
port._options = MockOptions(configuration="Release") # This should not be necessary, but I think TestWebKitPort is actually reading from disk (and thus detects the current configuration).
expected_logs = "MOCK run_command: ['Tools/Scripts/build-dumprendertree', '--release'], cwd=/mock-checkout, env={'LC_ALL': 'C', 'MOCK_ENVIRON_COPY': '1'}\n"
self.assertTrue(output.assert_outputs(self, port._build_driver, expected_logs=expected_logs))
# Make sure when passed --webkit-test-runner we build the right tool.
port._options = MockOptions(webkit_test_runner=True, configuration="Release")
expected_logs = "MOCK run_command: ['Tools/Scripts/build-dumprendertree', '--release'], cwd=/mock-checkout, env={'LC_ALL': 'C', 'MOCK_ENVIRON_COPY': '1'}\nMOCK run_command: ['Tools/Scripts/build-webkittestrunner', '--release'], cwd=/mock-checkout, env={'LC_ALL': 'C', 'MOCK_ENVIRON_COPY': '1'}\n"
self.assertTrue(output.assert_outputs(self, port._build_driver, expected_logs=expected_logs))
# Make sure we show the build log when --verbose is passed, which we simulate by setting the logging level to DEBUG.
output.set_log_level(logging.DEBUG)
port._options = MockOptions(configuration="Release")
expected_logs = """MOCK run_command: ['Tools/Scripts/build-dumprendertree', '--release'], cwd=/mock-checkout, env={'LC_ALL': 'C', 'MOCK_ENVIRON_COPY': '1'}
Output of ['Tools/Scripts/build-dumprendertree', '--release']:
MOCK output of child process
"""
self.assertTrue(output.assert_outputs(self, port._build_driver, expected_logs=expected_logs))
output.set_log_level(logging.INFO)
# Make sure that failure to build returns False.
port._executive = MockExecutive(should_log=True, should_throw=True)
# Because WK2 currently has to build both webkittestrunner and DRT, if DRT fails, that's the only one it tries.
expected_logs = """MOCK run_command: ['Tools/Scripts/build-dumprendertree', '--release'], cwd=/mock-checkout, env={'LC_ALL': 'C', 'MOCK_ENVIRON_COPY': '1'}
MOCK ScriptError
MOCK output of child process
"""
self.assertFalse(output.assert_outputs(self, port._build_driver, expected_logs=expected_logs))
def _assert_config_file_for_platform(self, port, platform, config_file):
self.assertEqual(port._apache_config_file_name_for_platform(platform), config_file)
def test_linux_distro_detection(self):
port = TestWebKitPort()
self.assertFalse(port._is_redhat_based())
self.assertFalse(port._is_debian_based())
port._filesystem = MockFileSystem({'/etc/redhat-release': ''})
self.assertTrue(port._is_redhat_based())
self.assertFalse(port._is_debian_based())
port._filesystem = MockFileSystem({'/etc/debian_version': ''})
self.assertFalse(port._is_redhat_based())
self.assertTrue(port._is_debian_based())
port._filesystem = MockFileSystem({'/etc/arch-release': ''})
self.assertFalse(port._is_redhat_based())
self.assertTrue(port._is_arch_based())
def test_apache_config_file_name_for_platform(self):
port = TestWebKitPort()
self._assert_config_file_for_platform(port, 'cygwin', 'cygwin-httpd.conf')
self._assert_config_file_for_platform(port, 'linux2', 'apache2-httpd.conf')
self._assert_config_file_for_platform(port, 'linux3', 'apache2-httpd.conf')
port._is_redhat_based = lambda: True
port._apache_version = lambda: '2.2'
self._assert_config_file_for_platform(port, 'linux2', 'fedora-httpd-2.2.conf')
port = TestWebKitPort()
port._is_debian_based = lambda: True
port._apache_version = lambda: '2.2'
self._assert_config_file_for_platform(port, 'linux2', 'debian-httpd-2.2.conf')
self._assert_config_file_for_platform(port, 'mac', 'apache2-httpd.conf')
self._assert_config_file_for_platform(port, 'win32', 'apache2-httpd.conf') # win32 isn't a supported sys.platform. AppleWin/WinCairo/WinCE ports all use cygwin.
self._assert_config_file_for_platform(port, 'barf', 'apache2-httpd.conf')
def test_path_to_apache_config_file(self):
port = TestWebKitPort()
saved_environ = os.environ.copy()
try:
os.environ['WEBKIT_HTTP_SERVER_CONF_PATH'] = '/path/to/httpd.conf'
self.assertRaises(IOError, port._path_to_apache_config_file)
port._filesystem.write_text_file('/existing/httpd.conf', 'Hello, world!')
os.environ['WEBKIT_HTTP_SERVER_CONF_PATH'] = '/existing/httpd.conf'
self.assertEqual(port._path_to_apache_config_file(), '/existing/httpd.conf')
finally:
os.environ = saved_environ.copy()
# Mock out _apache_config_file_name_for_platform to ignore the passed sys.platform value.
port._apache_config_file_name_for_platform = lambda platform: 'httpd.conf'
self.assertEqual(port._path_to_apache_config_file(), '/mock-checkout/LayoutTests/http/conf/httpd.conf')
# Check that even if we mock out _apache_config_file_name, the environment variable takes precedence.
saved_environ = os.environ.copy()
try:
os.environ['WEBKIT_HTTP_SERVER_CONF_PATH'] = '/existing/httpd.conf'
self.assertEqual(port._path_to_apache_config_file(), '/existing/httpd.conf')
finally:
os.environ = saved_environ.copy()
def test_check_build(self):
port = self.make_port(options=MockOptions(build=True))
self.build_called = False
def build_driver_called():
self.build_called = True
return True
port._build_driver = build_driver_called
port.check_build(False)
self.assertTrue(self.build_called)
port = self.make_port(options=MockOptions(root='/tmp', build=True))
self.build_called = False
port._build_driver = build_driver_called
port.check_build(False)
self.assertFalse(self.build_called, None)
port = self.make_port(options=MockOptions(build=False))
self.build_called = False
port._build_driver = build_driver_called
port.check_build(False)
self.assertFalse(self.build_called, None)
def test_additional_platform_directory(self):
port = self.make_port(options=MockOptions(additional_platform_directory=['/tmp/foo']))
self.assertEqual(port.baseline_search_path()[0], '/tmp/foo')
|