root / drupal7 / modules / simpletest / drupal_web_test_case.php @ 76597ebf
1 |
<?php
|
---|---|
2 |
|
3 |
/**
|
4 |
* Global variable that holds information about the tests being run.
|
5 |
*
|
6 |
* An array, with the following keys:
|
7 |
* - 'test_run_id': the ID of the test being run, in the form 'simpletest_%"
|
8 |
* - 'in_child_site': TRUE if the current request is a cURL request from
|
9 |
* the parent site.
|
10 |
*
|
11 |
* @var array
|
12 |
*/
|
13 |
global $drupal_test_info; |
14 |
|
15 |
/**
|
16 |
* Base class for Drupal tests.
|
17 |
*
|
18 |
* Do not extend this class, use one of the subclasses in this file.
|
19 |
*/
|
20 |
abstract class DrupalTestCase { |
21 |
/**
|
22 |
* The test run ID.
|
23 |
*
|
24 |
* @var string
|
25 |
*/
|
26 |
protected $testId; |
27 |
|
28 |
/**
|
29 |
* The database prefix of this test run.
|
30 |
*
|
31 |
* @var string
|
32 |
*/
|
33 |
protected $databasePrefix = NULL; |
34 |
|
35 |
/**
|
36 |
* The original file directory, before it was changed for testing purposes.
|
37 |
*
|
38 |
* @var string
|
39 |
*/
|
40 |
protected $originalFileDirectory = NULL; |
41 |
|
42 |
/**
|
43 |
* Time limit for the test.
|
44 |
*/
|
45 |
protected $timeLimit = 500; |
46 |
|
47 |
/**
|
48 |
* Current results of this test case.
|
49 |
*
|
50 |
* @var Array
|
51 |
*/
|
52 |
public $results = array( |
53 |
'#pass' => 0, |
54 |
'#fail' => 0, |
55 |
'#exception' => 0, |
56 |
'#debug' => 0, |
57 |
); |
58 |
|
59 |
/**
|
60 |
* Assertions thrown in that test case.
|
61 |
*
|
62 |
* @var Array
|
63 |
*/
|
64 |
protected $assertions = array(); |
65 |
|
66 |
/**
|
67 |
* This class is skipped when looking for the source of an assertion.
|
68 |
*
|
69 |
* When displaying which function an assert comes from, it's not too useful
|
70 |
* to see "drupalWebTestCase->drupalLogin()', we would like to see the test
|
71 |
* that called it. So we need to skip the classes defining these helper
|
72 |
* methods.
|
73 |
*/
|
74 |
protected $skipClasses = array(__CLASS__ => TRUE); |
75 |
|
76 |
/**
|
77 |
* Flag to indicate whether the test has been set up.
|
78 |
*
|
79 |
* The setUp() method isolates the test from the parent Drupal site by
|
80 |
* creating a random prefix for the database and setting up a clean file
|
81 |
* storage directory. The tearDown() method then cleans up this test
|
82 |
* environment. We must ensure that setUp() has been run. Otherwise,
|
83 |
* tearDown() will act on the parent Drupal site rather than the test
|
84 |
* environment, destroying live data.
|
85 |
*/
|
86 |
protected $setup = FALSE; |
87 |
|
88 |
protected $setupDatabasePrefix = FALSE; |
89 |
|
90 |
protected $setupEnvironment = FALSE; |
91 |
|
92 |
/**
|
93 |
* Constructor for DrupalTestCase.
|
94 |
*
|
95 |
* @param $test_id
|
96 |
* Tests with the same id are reported together.
|
97 |
*/
|
98 |
public function __construct($test_id = NULL) { |
99 |
$this->testId = $test_id; |
100 |
} |
101 |
|
102 |
/**
|
103 |
* Internal helper: stores the assert.
|
104 |
*
|
105 |
* @param $status
|
106 |
* Can be 'pass', 'fail', 'exception'.
|
107 |
* TRUE is a synonym for 'pass', FALSE for 'fail'.
|
108 |
* @param $message
|
109 |
* The message string.
|
110 |
* @param $group
|
111 |
* Which group this assert belongs to.
|
112 |
* @param $caller
|
113 |
* By default, the assert comes from a function whose name starts with
|
114 |
* 'test'. Instead, you can specify where this assert originates from
|
115 |
* by passing in an associative array as $caller. Key 'file' is
|
116 |
* the name of the source file, 'line' is the line number and 'function'
|
117 |
* is the caller function itself.
|
118 |
*/
|
119 |
protected function assert($status, $message = '', $group = 'Other', array $caller = NULL) { |
120 |
// Convert boolean status to string status.
|
121 |
if (is_bool($status)) { |
122 |
$status = $status ? 'pass' : 'fail'; |
123 |
} |
124 |
|
125 |
// Increment summary result counter.
|
126 |
$this->results['#' . $status]++; |
127 |
|
128 |
// Get the function information about the call to the assertion method.
|
129 |
if (!$caller) { |
130 |
$caller = $this->getAssertionCall(); |
131 |
} |
132 |
|
133 |
// Creation assertion array that can be displayed while tests are running.
|
134 |
$this->assertions[] = $assertion = array( |
135 |
'test_id' => $this->testId, |
136 |
'test_class' => get_class($this), |
137 |
'status' => $status, |
138 |
'message' => $message, |
139 |
'message_group' => $group, |
140 |
'function' => $caller['function'], |
141 |
'line' => $caller['line'], |
142 |
'file' => $caller['file'], |
143 |
); |
144 |
|
145 |
// Store assertion for display after the test has completed.
|
146 |
self::getDatabaseConnection()
|
147 |
->insert('simpletest')
|
148 |
->fields($assertion)
|
149 |
->execute(); |
150 |
|
151 |
// We do not use a ternary operator here to allow a breakpoint on
|
152 |
// test failure.
|
153 |
if ($status == 'pass') { |
154 |
return TRUE; |
155 |
} |
156 |
else {
|
157 |
return FALSE; |
158 |
} |
159 |
} |
160 |
|
161 |
/**
|
162 |
* Returns the database connection to the site running Simpletest.
|
163 |
*
|
164 |
* @return DatabaseConnection
|
165 |
* The database connection to use for inserting assertions.
|
166 |
*/
|
167 |
public static function getDatabaseConnection() { |
168 |
try {
|
169 |
$connection = Database::getConnection('default', 'simpletest_original_default'); |
170 |
} |
171 |
catch (DatabaseConnectionNotDefinedException $e) { |
172 |
// If the test was not set up, the simpletest_original_default
|
173 |
// connection does not exist.
|
174 |
$connection = Database::getConnection('default', 'default'); |
175 |
} |
176 |
|
177 |
return $connection; |
178 |
} |
179 |
|
180 |
/**
|
181 |
* Store an assertion from outside the testing context.
|
182 |
*
|
183 |
* This is useful for inserting assertions that can only be recorded after
|
184 |
* the test case has been destroyed, such as PHP fatal errors. The caller
|
185 |
* information is not automatically gathered since the caller is most likely
|
186 |
* inserting the assertion on behalf of other code. In all other respects
|
187 |
* the method behaves just like DrupalTestCase::assert() in terms of storing
|
188 |
* the assertion.
|
189 |
*
|
190 |
* @return
|
191 |
* Message ID of the stored assertion.
|
192 |
*
|
193 |
* @see DrupalTestCase::assert()
|
194 |
* @see DrupalTestCase::deleteAssert()
|
195 |
*/
|
196 |
public static function insertAssert($test_id, $test_class, $status, $message = '', $group = 'Other', array $caller = array()) { |
197 |
// Convert boolean status to string status.
|
198 |
if (is_bool($status)) { |
199 |
$status = $status ? 'pass' : 'fail'; |
200 |
} |
201 |
|
202 |
$caller += array( |
203 |
'function' => t('Unknown'), |
204 |
'line' => 0, |
205 |
'file' => t('Unknown'), |
206 |
); |
207 |
|
208 |
$assertion = array( |
209 |
'test_id' => $test_id, |
210 |
'test_class' => $test_class, |
211 |
'status' => $status, |
212 |
'message' => $message, |
213 |
'message_group' => $group, |
214 |
'function' => $caller['function'], |
215 |
'line' => $caller['line'], |
216 |
'file' => $caller['file'], |
217 |
); |
218 |
|
219 |
return self::getDatabaseConnection() |
220 |
->insert('simpletest')
|
221 |
->fields($assertion)
|
222 |
->execute(); |
223 |
} |
224 |
|
225 |
/**
|
226 |
* Delete an assertion record by message ID.
|
227 |
*
|
228 |
* @param $message_id
|
229 |
* Message ID of the assertion to delete.
|
230 |
* @return
|
231 |
* TRUE if the assertion was deleted, FALSE otherwise.
|
232 |
*
|
233 |
* @see DrupalTestCase::insertAssert()
|
234 |
*/
|
235 |
public static function deleteAssert($message_id) { |
236 |
return (bool) self::getDatabaseConnection() |
237 |
->delete('simpletest') |
238 |
->condition('message_id', $message_id) |
239 |
->execute(); |
240 |
} |
241 |
|
242 |
/**
|
243 |
* Cycles through backtrace until the first non-assertion method is found.
|
244 |
*
|
245 |
* @return
|
246 |
* Array representing the true caller.
|
247 |
*/
|
248 |
protected function getAssertionCall() { |
249 |
$backtrace = debug_backtrace(); |
250 |
|
251 |
// The first element is the call. The second element is the caller.
|
252 |
// We skip calls that occurred in one of the methods of our base classes
|
253 |
// or in an assertion function.
|
254 |
while (($caller = $backtrace[1]) && |
255 |
((isset($caller['class']) && isset($this->skipClasses[$caller['class']])) || |
256 |
substr($caller['function'], 0, 6) == 'assert')) { |
257 |
// We remove that call.
|
258 |
array_shift($backtrace); |
259 |
} |
260 |
|
261 |
return _drupal_get_last_caller($backtrace); |
262 |
} |
263 |
|
264 |
/**
|
265 |
* Check to see if a value is not false (not an empty string, 0, NULL, or FALSE).
|
266 |
*
|
267 |
* @param $value
|
268 |
* The value on which the assertion is to be done.
|
269 |
* @param $message
|
270 |
* The message to display along with the assertion.
|
271 |
* @param $group
|
272 |
* The type of assertion - examples are "Browser", "PHP".
|
273 |
* @return
|
274 |
* TRUE if the assertion succeeded, FALSE otherwise.
|
275 |
*/
|
276 |
protected function assertTrue($value, $message = '', $group = 'Other') { |
277 |
return $this->assert((bool) $value, $message ? $message : t('Value @value is TRUE.', array('@value' => var_export($value, TRUE))), $group); |
278 |
} |
279 |
|
280 |
/**
|
281 |
* Check to see if a value is false (an empty string, 0, NULL, or FALSE).
|
282 |
*
|
283 |
* @param $value
|
284 |
* The value on which the assertion is to be done.
|
285 |
* @param $message
|
286 |
* The message to display along with the assertion.
|
287 |
* @param $group
|
288 |
* The type of assertion - examples are "Browser", "PHP".
|
289 |
* @return
|
290 |
* TRUE if the assertion succeeded, FALSE otherwise.
|
291 |
*/
|
292 |
protected function assertFalse($value, $message = '', $group = 'Other') { |
293 |
return $this->assert(!$value, $message ? $message : t('Value @value is FALSE.', array('@value' => var_export($value, TRUE))), $group); |
294 |
} |
295 |
|
296 |
/**
|
297 |
* Check to see if a value is NULL.
|
298 |
*
|
299 |
* @param $value
|
300 |
* The value on which the assertion is to be done.
|
301 |
* @param $message
|
302 |
* The message to display along with the assertion.
|
303 |
* @param $group
|
304 |
* The type of assertion - examples are "Browser", "PHP".
|
305 |
* @return
|
306 |
* TRUE if the assertion succeeded, FALSE otherwise.
|
307 |
*/
|
308 |
protected function assertNull($value, $message = '', $group = 'Other') { |
309 |
return $this->assert(!isset($value), $message ? $message : t('Value @value is NULL.', array('@value' => var_export($value, TRUE))), $group); |
310 |
} |
311 |
|
312 |
/**
|
313 |
* Check to see if a value is not NULL.
|
314 |
*
|
315 |
* @param $value
|
316 |
* The value on which the assertion is to be done.
|
317 |
* @param $message
|
318 |
* The message to display along with the assertion.
|
319 |
* @param $group
|
320 |
* The type of assertion - examples are "Browser", "PHP".
|
321 |
* @return
|
322 |
* TRUE if the assertion succeeded, FALSE otherwise.
|
323 |
*/
|
324 |
protected function assertNotNull($value, $message = '', $group = 'Other') { |
325 |
return $this->assert(isset($value), $message ? $message : t('Value @value is not NULL.', array('@value' => var_export($value, TRUE))), $group); |
326 |
} |
327 |
|
328 |
/**
|
329 |
* Check to see if two values are equal.
|
330 |
*
|
331 |
* @param $first
|
332 |
* The first value to check.
|
333 |
* @param $second
|
334 |
* The second value to check.
|
335 |
* @param $message
|
336 |
* The message to display along with the assertion.
|
337 |
* @param $group
|
338 |
* The type of assertion - examples are "Browser", "PHP".
|
339 |
* @return
|
340 |
* TRUE if the assertion succeeded, FALSE otherwise.
|
341 |
*/
|
342 |
protected function assertEqual($first, $second, $message = '', $group = 'Other') { |
343 |
return $this->assert($first == $second, $message ? $message : t('Value @first is equal to value @second.', array('@first' => var_export($first, TRUE), '@second' => var_export($second, TRUE))), $group); |
344 |
} |
345 |
|
346 |
/**
|
347 |
* Check to see if two values are not equal.
|
348 |
*
|
349 |
* @param $first
|
350 |
* The first value to check.
|
351 |
* @param $second
|
352 |
* The second value to check.
|
353 |
* @param $message
|
354 |
* The message to display along with the assertion.
|
355 |
* @param $group
|
356 |
* The type of assertion - examples are "Browser", "PHP".
|
357 |
* @return
|
358 |
* TRUE if the assertion succeeded, FALSE otherwise.
|
359 |
*/
|
360 |
protected function assertNotEqual($first, $second, $message = '', $group = 'Other') { |
361 |
return $this->assert($first != $second, $message ? $message : t('Value @first is not equal to value @second.', array('@first' => var_export($first, TRUE), '@second' => var_export($second, TRUE))), $group); |
362 |
} |
363 |
|
364 |
/**
|
365 |
* Check to see if two values are identical.
|
366 |
*
|
367 |
* @param $first
|
368 |
* The first value to check.
|
369 |
* @param $second
|
370 |
* The second value to check.
|
371 |
* @param $message
|
372 |
* The message to display along with the assertion.
|
373 |
* @param $group
|
374 |
* The type of assertion - examples are "Browser", "PHP".
|
375 |
* @return
|
376 |
* TRUE if the assertion succeeded, FALSE otherwise.
|
377 |
*/
|
378 |
protected function assertIdentical($first, $second, $message = '', $group = 'Other') { |
379 |
return $this->assert($first === $second, $message ? $message : t('Value @first is identical to value @second.', array('@first' => var_export($first, TRUE), '@second' => var_export($second, TRUE))), $group); |
380 |
} |
381 |
|
382 |
/**
|
383 |
* Check to see if two values are not identical.
|
384 |
*
|
385 |
* @param $first
|
386 |
* The first value to check.
|
387 |
* @param $second
|
388 |
* The second value to check.
|
389 |
* @param $message
|
390 |
* The message to display along with the assertion.
|
391 |
* @param $group
|
392 |
* The type of assertion - examples are "Browser", "PHP".
|
393 |
* @return
|
394 |
* TRUE if the assertion succeeded, FALSE otherwise.
|
395 |
*/
|
396 |
protected function assertNotIdentical($first, $second, $message = '', $group = 'Other') { |
397 |
return $this->assert($first !== $second, $message ? $message : t('Value @first is not identical to value @second.', array('@first' => var_export($first, TRUE), '@second' => var_export($second, TRUE))), $group); |
398 |
} |
399 |
|
400 |
/**
|
401 |
* Fire an assertion that is always positive.
|
402 |
*
|
403 |
* @param $message
|
404 |
* The message to display along with the assertion.
|
405 |
* @param $group
|
406 |
* The type of assertion - examples are "Browser", "PHP".
|
407 |
* @return
|
408 |
* TRUE.
|
409 |
*/
|
410 |
protected function pass($message = NULL, $group = 'Other') { |
411 |
return $this->assert(TRUE, $message, $group); |
412 |
} |
413 |
|
414 |
/**
|
415 |
* Fire an assertion that is always negative.
|
416 |
*
|
417 |
* @param $message
|
418 |
* The message to display along with the assertion.
|
419 |
* @param $group
|
420 |
* The type of assertion - examples are "Browser", "PHP".
|
421 |
* @return
|
422 |
* FALSE.
|
423 |
*/
|
424 |
protected function fail($message = NULL, $group = 'Other') { |
425 |
return $this->assert(FALSE, $message, $group); |
426 |
} |
427 |
|
428 |
/**
|
429 |
* Fire an error assertion.
|
430 |
*
|
431 |
* @param $message
|
432 |
* The message to display along with the assertion.
|
433 |
* @param $group
|
434 |
* The type of assertion - examples are "Browser", "PHP".
|
435 |
* @param $caller
|
436 |
* The caller of the error.
|
437 |
* @return
|
438 |
* FALSE.
|
439 |
*/
|
440 |
protected function error($message = '', $group = 'Other', array $caller = NULL) { |
441 |
if ($group == 'User notice') { |
442 |
// Since 'User notice' is set by trigger_error() which is used for debug
|
443 |
// set the message to a status of 'debug'.
|
444 |
return $this->assert('debug', $message, 'Debug', $caller); |
445 |
} |
446 |
|
447 |
return $this->assert('exception', $message, $group, $caller); |
448 |
} |
449 |
|
450 |
/**
|
451 |
* Logs a verbose message in a text file.
|
452 |
*
|
453 |
* The link to the verbose message will be placed in the test results as a
|
454 |
* passing assertion with the text '[verbose message]'.
|
455 |
*
|
456 |
* @param $message
|
457 |
* The verbose message to be stored.
|
458 |
*
|
459 |
* @see simpletest_verbose()
|
460 |
*/
|
461 |
protected function verbose($message) { |
462 |
if ($id = simpletest_verbose($message)) { |
463 |
$class_safe = str_replace('\\', '_', get_class($this)); |
464 |
$url = file_create_url($this->originalFileDirectory . '/simpletest/verbose/' . $class_safe . '-' . $id . '.html'); |
465 |
$this->error(l(t('Verbose message'), $url, array('attributes' => array('target' => '_blank'))), 'User notice'); |
466 |
} |
467 |
} |
468 |
|
469 |
/**
|
470 |
* Run all tests in this class.
|
471 |
*
|
472 |
* Regardless of whether $methods are passed or not, only method names
|
473 |
* starting with "test" are executed.
|
474 |
*
|
475 |
* @param $methods
|
476 |
* (optional) A list of method names in the test case class to run; e.g.,
|
477 |
* array('testFoo', 'testBar'). By default, all methods of the class are
|
478 |
* taken into account, but it can be useful to only run a few selected test
|
479 |
* methods during debugging.
|
480 |
*/
|
481 |
public function run(array $methods = array()) { |
482 |
// Initialize verbose debugging.
|
483 |
$class = get_class($this); |
484 |
simpletest_verbose(NULL, variable_get('file_public_path', conf_path() . '/files'), str_replace('\\', '_', $class)); |
485 |
|
486 |
// HTTP auth settings (<username>:<password>) for the simpletest browser
|
487 |
// when sending requests to the test site.
|
488 |
$this->httpauth_method = variable_get('simpletest_httpauth_method', CURLAUTH_BASIC); |
489 |
$username = variable_get('simpletest_httpauth_username', NULL); |
490 |
$password = variable_get('simpletest_httpauth_password', NULL); |
491 |
if ($username && $password) { |
492 |
$this->httpauth_credentials = $username . ':' . $password; |
493 |
} |
494 |
|
495 |
set_error_handler(array($this, 'errorHandler')); |
496 |
// Iterate through all the methods in this class, unless a specific list of
|
497 |
// methods to run was passed.
|
498 |
$class_methods = get_class_methods($class); |
499 |
if ($methods) { |
500 |
$class_methods = array_intersect($class_methods, $methods); |
501 |
} |
502 |
foreach ($class_methods as $method) { |
503 |
// If the current method starts with "test", run it - it's a test.
|
504 |
if (strtolower(substr($method, 0, 4)) == 'test') { |
505 |
// Insert a fail record. This will be deleted on completion to ensure
|
506 |
// that testing completed.
|
507 |
$method_info = new ReflectionMethod($class, $method); |
508 |
$caller = array( |
509 |
'file' => $method_info->getFileName(), |
510 |
'line' => $method_info->getStartLine(), |
511 |
'function' => $class . '->' . $method . '()', |
512 |
); |
513 |
$completion_check_id = DrupalTestCase::insertAssert($this->testId, $class, FALSE, t('The test did not complete due to a fatal error.'), 'Completion check', $caller); |
514 |
$this->setUp();
|
515 |
if ($this->setup) { |
516 |
try {
|
517 |
$this->$method(); |
518 |
// Finish up.
|
519 |
} |
520 |
catch (Exception $e) { |
521 |
$this->exceptionHandler($e); |
522 |
} |
523 |
$this->tearDown();
|
524 |
} |
525 |
else {
|
526 |
$this->fail(t("The test cannot be executed because it has not been set up properly.")); |
527 |
} |
528 |
// Remove the completion check record.
|
529 |
DrupalTestCase::deleteAssert($completion_check_id); |
530 |
} |
531 |
} |
532 |
// Clear out the error messages and restore error handler.
|
533 |
drupal_get_messages(); |
534 |
restore_error_handler(); |
535 |
} |
536 |
|
537 |
/**
|
538 |
* Handle errors during test runs.
|
539 |
*
|
540 |
* Because this is registered in set_error_handler(), it has to be public.
|
541 |
* @see set_error_handler
|
542 |
*/
|
543 |
public function errorHandler($severity, $message, $file = NULL, $line = NULL) { |
544 |
if ($severity & error_reporting()) { |
545 |
$error_map = array( |
546 |
E_STRICT => 'Run-time notice', |
547 |
E_WARNING => 'Warning', |
548 |
E_NOTICE => 'Notice', |
549 |
E_CORE_ERROR => 'Core error', |
550 |
E_CORE_WARNING => 'Core warning', |
551 |
E_USER_ERROR => 'User error', |
552 |
E_USER_WARNING => 'User warning', |
553 |
E_USER_NOTICE => 'User notice', |
554 |
E_RECOVERABLE_ERROR => 'Recoverable error', |
555 |
); |
556 |
|
557 |
// PHP 5.3 adds new error logging constants. Add these conditionally for
|
558 |
// backwards compatibility with PHP 5.2.
|
559 |
if (defined('E_DEPRECATED')) { |
560 |
$error_map += array( |
561 |
E_DEPRECATED => 'Deprecated', |
562 |
E_USER_DEPRECATED => 'User deprecated', |
563 |
); |
564 |
} |
565 |
|
566 |
$backtrace = debug_backtrace(); |
567 |
$this->error($message, $error_map[$severity], _drupal_get_last_caller($backtrace)); |
568 |
} |
569 |
return TRUE; |
570 |
} |
571 |
|
572 |
/**
|
573 |
* Handle exceptions.
|
574 |
*
|
575 |
* @see set_exception_handler
|
576 |
*/
|
577 |
protected function exceptionHandler($exception) { |
578 |
$backtrace = $exception->getTrace(); |
579 |
// Push on top of the backtrace the call that generated the exception.
|
580 |
array_unshift($backtrace, array( |
581 |
'line' => $exception->getLine(), |
582 |
'file' => $exception->getFile(), |
583 |
)); |
584 |
require_once DRUPAL_ROOT . '/includes/errors.inc'; |
585 |
// The exception message is run through check_plain() by _drupal_decode_exception().
|
586 |
$this->error(t('%type: !message in %function (line %line of %file).', _drupal_decode_exception($exception)), 'Uncaught exception', _drupal_get_last_caller($backtrace)); |
587 |
} |
588 |
|
589 |
/**
|
590 |
* Generates a random string of ASCII characters of codes 32 to 126.
|
591 |
*
|
592 |
* The generated string includes alpha-numeric characters and common
|
593 |
* miscellaneous characters. Use this method when testing general input
|
594 |
* where the content is not restricted.
|
595 |
*
|
596 |
* Do not use this method when special characters are not possible (e.g., in
|
597 |
* machine or file names that have already been validated); instead,
|
598 |
* use DrupalWebTestCase::randomName().
|
599 |
*
|
600 |
* @param $length
|
601 |
* Length of random string to generate.
|
602 |
*
|
603 |
* @return
|
604 |
* Randomly generated string.
|
605 |
*
|
606 |
* @see DrupalWebTestCase::randomName()
|
607 |
*/
|
608 |
public static function randomString($length = 8) { |
609 |
$str = ''; |
610 |
for ($i = 0; $i < $length; $i++) { |
611 |
$str .= chr(mt_rand(32, 126)); |
612 |
} |
613 |
return $str; |
614 |
} |
615 |
|
616 |
/**
|
617 |
* Generates a random string containing letters and numbers.
|
618 |
*
|
619 |
* The string will always start with a letter. The letters may be upper or
|
620 |
* lower case. This method is better for restricted inputs that do not
|
621 |
* accept certain characters. For example, when testing input fields that
|
622 |
* require machine readable values (i.e. without spaces and non-standard
|
623 |
* characters) this method is best.
|
624 |
*
|
625 |
* Do not use this method when testing unvalidated user input. Instead, use
|
626 |
* DrupalWebTestCase::randomString().
|
627 |
*
|
628 |
* @param $length
|
629 |
* Length of random string to generate.
|
630 |
*
|
631 |
* @return
|
632 |
* Randomly generated string.
|
633 |
*
|
634 |
* @see DrupalWebTestCase::randomString()
|
635 |
*/
|
636 |
public static function randomName($length = 8) { |
637 |
$values = array_merge(range(65, 90), range(97, 122), range(48, 57)); |
638 |
$max = count($values) - 1; |
639 |
$str = chr(mt_rand(97, 122)); |
640 |
for ($i = 1; $i < $length; $i++) { |
641 |
$str .= chr($values[mt_rand(0, $max)]); |
642 |
} |
643 |
return $str; |
644 |
} |
645 |
|
646 |
/**
|
647 |
* Converts a list of possible parameters into a stack of permutations.
|
648 |
*
|
649 |
* Takes a list of parameters containing possible values, and converts all of
|
650 |
* them into a list of items containing every possible permutation.
|
651 |
*
|
652 |
* Example:
|
653 |
* @code
|
654 |
* $parameters = array(
|
655 |
* 'one' => array(0, 1),
|
656 |
* 'two' => array(2, 3),
|
657 |
* );
|
658 |
* $permutations = DrupalTestCase::generatePermutations($parameters)
|
659 |
* // Result:
|
660 |
* $permutations == array(
|
661 |
* array('one' => 0, 'two' => 2),
|
662 |
* array('one' => 1, 'two' => 2),
|
663 |
* array('one' => 0, 'two' => 3),
|
664 |
* array('one' => 1, 'two' => 3),
|
665 |
* )
|
666 |
* @endcode
|
667 |
*
|
668 |
* @param $parameters
|
669 |
* An associative array of parameters, keyed by parameter name, and whose
|
670 |
* values are arrays of parameter values.
|
671 |
*
|
672 |
* @return
|
673 |
* A list of permutations, which is an array of arrays. Each inner array
|
674 |
* contains the full list of parameters that have been passed, but with a
|
675 |
* single value only.
|
676 |
*/
|
677 |
public static function generatePermutations($parameters) { |
678 |
$all_permutations = array(array()); |
679 |
foreach ($parameters as $parameter => $values) { |
680 |
$new_permutations = array(); |
681 |
// Iterate over all values of the parameter.
|
682 |
foreach ($values as $value) { |
683 |
// Iterate over all existing permutations.
|
684 |
foreach ($all_permutations as $permutation) { |
685 |
// Add the new parameter value to existing permutations.
|
686 |
$new_permutations[] = $permutation + array($parameter => $value); |
687 |
} |
688 |
} |
689 |
// Replace the old permutations with the new permutations.
|
690 |
$all_permutations = $new_permutations; |
691 |
} |
692 |
return $all_permutations; |
693 |
} |
694 |
} |
695 |
|
696 |
/**
|
697 |
* Test case for Drupal unit tests.
|
698 |
*
|
699 |
* These tests can not access the database nor files. Calling any Drupal
|
700 |
* function that needs the database will throw exceptions. These include
|
701 |
* watchdog(), module_implements(), module_invoke_all() etc.
|
702 |
*/
|
703 |
class DrupalUnitTestCase extends DrupalTestCase { |
704 |
|
705 |
/**
|
706 |
* Constructor for DrupalUnitTestCase.
|
707 |
*/
|
708 |
function __construct($test_id = NULL) { |
709 |
parent::__construct($test_id); |
710 |
$this->skipClasses[__CLASS__] = TRUE; |
711 |
} |
712 |
|
713 |
/**
|
714 |
* Sets up unit test environment.
|
715 |
*
|
716 |
* Unlike DrupalWebTestCase::setUp(), DrupalUnitTestCase::setUp() does not
|
717 |
* install modules because tests are performed without accessing the database.
|
718 |
* Any required files must be explicitly included by the child class setUp()
|
719 |
* method.
|
720 |
*/
|
721 |
protected function setUp() { |
722 |
global $conf; |
723 |
|
724 |
// Store necessary current values before switching to the test environment.
|
725 |
$this->originalFileDirectory = variable_get('file_public_path', conf_path() . '/files'); |
726 |
|
727 |
// Reset all statics so that test is performed with a clean environment.
|
728 |
drupal_static_reset(); |
729 |
|
730 |
// Generate temporary prefixed database to ensure that tests have a clean starting point.
|
731 |
$this->databasePrefix = Database::getConnection()->prefixTables('{simpletest' . mt_rand(1000, 1000000) . '}'); |
732 |
|
733 |
// Create test directory.
|
734 |
$public_files_directory = $this->originalFileDirectory . '/simpletest/' . substr($this->databasePrefix, 10); |
735 |
file_prepare_directory($public_files_directory, FILE_CREATE_DIRECTORY | FILE_MODIFY_PERMISSIONS); |
736 |
$conf['file_public_path'] = $public_files_directory; |
737 |
|
738 |
// Clone the current connection and replace the current prefix.
|
739 |
$connection_info = Database::getConnectionInfo('default'); |
740 |
Database::renameConnection('default', 'simpletest_original_default'); |
741 |
foreach ($connection_info as $target => $value) { |
742 |
$connection_info[$target]['prefix'] = array( |
743 |
'default' => $value['prefix']['default'] . $this->databasePrefix, |
744 |
); |
745 |
} |
746 |
Database::addConnectionInfo('default', 'default', $connection_info['default']); |
747 |
|
748 |
// Set user agent to be consistent with web test case.
|
749 |
$_SERVER['HTTP_USER_AGENT'] = $this->databasePrefix; |
750 |
|
751 |
// If locale is enabled then t() will try to access the database and
|
752 |
// subsequently will fail as the database is not accessible.
|
753 |
$module_list = module_list();
|
754 |
if (isset($module_list['locale'])) { |
755 |
// Transform the list into the format expected as input to module_list().
|
756 |
foreach ($module_list as &$module) { |
757 |
$module = array('filename' => drupal_get_filename('module', $module)); |
758 |
} |
759 |
$this->originalModuleList = $module_list; |
760 |
unset($module_list['locale']); |
761 |
module_list(TRUE, FALSE, FALSE, $module_list); |
762 |
} |
763 |
$this->setup = TRUE; |
764 |
} |
765 |
|
766 |
protected function tearDown() { |
767 |
global $conf; |
768 |
|
769 |
// Get back to the original connection.
|
770 |
Database::removeConnection('default'); |
771 |
Database::renameConnection('simpletest_original_default', 'default'); |
772 |
|
773 |
$conf['file_public_path'] = $this->originalFileDirectory; |
774 |
// Restore modules if necessary.
|
775 |
if (isset($this->originalModuleList)) { |
776 |
module_list(TRUE, FALSE, FALSE, $this->originalModuleList); |
777 |
} |
778 |
} |
779 |
} |
780 |
|
781 |
/**
|
782 |
* Test case for typical Drupal tests.
|
783 |
*/
|
784 |
class DrupalWebTestCase extends DrupalTestCase { |
785 |
/**
|
786 |
* The profile to install as a basis for testing.
|
787 |
*
|
788 |
* @var string
|
789 |
*/
|
790 |
protected $profile = 'standard'; |
791 |
|
792 |
/**
|
793 |
* The URL currently loaded in the internal browser.
|
794 |
*
|
795 |
* @var string
|
796 |
*/
|
797 |
protected $url; |
798 |
|
799 |
/**
|
800 |
* The handle of the current cURL connection.
|
801 |
*
|
802 |
* @var resource
|
803 |
*/
|
804 |
protected $curlHandle; |
805 |
|
806 |
/**
|
807 |
* The headers of the page currently loaded in the internal browser.
|
808 |
*
|
809 |
* @var Array
|
810 |
*/
|
811 |
protected $headers; |
812 |
|
813 |
/**
|
814 |
* The content of the page currently loaded in the internal browser.
|
815 |
*
|
816 |
* @var string
|
817 |
*/
|
818 |
protected $content; |
819 |
|
820 |
/**
|
821 |
* The content of the page currently loaded in the internal browser (plain text version).
|
822 |
*
|
823 |
* @var string
|
824 |
*/
|
825 |
protected $plainTextContent; |
826 |
|
827 |
/**
|
828 |
* The value of the Drupal.settings JavaScript variable for the page currently loaded in the internal browser.
|
829 |
*
|
830 |
* @var Array
|
831 |
*/
|
832 |
protected $drupalSettings; |
833 |
|
834 |
/**
|
835 |
* The parsed version of the page.
|
836 |
*
|
837 |
* @var SimpleXMLElement
|
838 |
*/
|
839 |
protected $elements = NULL; |
840 |
|
841 |
/**
|
842 |
* The current user logged in using the internal browser.
|
843 |
*
|
844 |
* @var bool
|
845 |
*/
|
846 |
protected $loggedInUser = FALSE; |
847 |
|
848 |
/**
|
849 |
* The current cookie file used by cURL.
|
850 |
*
|
851 |
* We do not reuse the cookies in further runs, so we do not need a file
|
852 |
* but we still need cookie handling, so we set the jar to NULL.
|
853 |
*/
|
854 |
protected $cookieFile = NULL; |
855 |
|
856 |
/**
|
857 |
* Additional cURL options.
|
858 |
*
|
859 |
* DrupalWebTestCase itself never sets this but always obeys what is set.
|
860 |
*/
|
861 |
protected $additionalCurlOptions = array(); |
862 |
|
863 |
/**
|
864 |
* The original user, before it was changed to a clean uid = 1 for testing purposes.
|
865 |
*
|
866 |
* @var object
|
867 |
*/
|
868 |
protected $originalUser = NULL; |
869 |
|
870 |
/**
|
871 |
* The original shutdown handlers array, before it was cleaned for testing purposes.
|
872 |
*
|
873 |
* @var array
|
874 |
*/
|
875 |
protected $originalShutdownCallbacks = array(); |
876 |
|
877 |
/**
|
878 |
* HTTP authentication method
|
879 |
*/
|
880 |
protected $httpauth_method = CURLAUTH_BASIC; |
881 |
|
882 |
/**
|
883 |
* HTTP authentication credentials (<username>:<password>).
|
884 |
*/
|
885 |
protected $httpauth_credentials = NULL; |
886 |
|
887 |
/**
|
888 |
* The current session name, if available.
|
889 |
*/
|
890 |
protected $session_name = NULL; |
891 |
|
892 |
/**
|
893 |
* The current session ID, if available.
|
894 |
*/
|
895 |
protected $session_id = NULL; |
896 |
|
897 |
/**
|
898 |
* Whether the files were copied to the test files directory.
|
899 |
*/
|
900 |
protected $generatedTestFiles = FALSE; |
901 |
|
902 |
/**
|
903 |
* The number of redirects followed during the handling of a request.
|
904 |
*/
|
905 |
protected $redirect_count; |
906 |
|
907 |
/**
|
908 |
* Constructor for DrupalWebTestCase.
|
909 |
*/
|
910 |
function __construct($test_id = NULL) { |
911 |
parent::__construct($test_id); |
912 |
$this->skipClasses[__CLASS__] = TRUE; |
913 |
} |
914 |
|
915 |
/**
|
916 |
* Get a node from the database based on its title.
|
917 |
*
|
918 |
* @param $title
|
919 |
* A node title, usually generated by $this->randomName().
|
920 |
* @param $reset
|
921 |
* (optional) Whether to reset the internal node_load() cache.
|
922 |
*
|
923 |
* @return
|
924 |
* A node object matching $title.
|
925 |
*/
|
926 |
function drupalGetNodeByTitle($title, $reset = FALSE) { |
927 |
$nodes = node_load_multiple(array(), array('title' => $title), $reset); |
928 |
// Load the first node returned from the database.
|
929 |
$returned_node = reset($nodes); |
930 |
return $returned_node; |
931 |
} |
932 |
|
933 |
/**
|
934 |
* Creates a node based on default settings.
|
935 |
*
|
936 |
* @param $settings
|
937 |
* An associative array of settings to change from the defaults, keys are
|
938 |
* node properties, for example 'title' => 'Hello, world!'.
|
939 |
* @return
|
940 |
* Created node object.
|
941 |
*/
|
942 |
protected function drupalCreateNode($settings = array()) { |
943 |
// Populate defaults array.
|
944 |
$settings += array( |
945 |
'body' => array(LANGUAGE_NONE => array(array())), |
946 |
'title' => $this->randomName(8), |
947 |
'comment' => 2, |
948 |
'changed' => REQUEST_TIME, |
949 |
'moderate' => 0, |
950 |
'promote' => 0, |
951 |
'revision' => 1, |
952 |
'log' => '', |
953 |
'status' => 1, |
954 |
'sticky' => 0, |
955 |
'type' => 'page', |
956 |
'revisions' => NULL, |
957 |
'language' => LANGUAGE_NONE, |
958 |
); |
959 |
|
960 |
// Use the original node's created time for existing nodes.
|
961 |
if (isset($settings['created']) && !isset($settings['date'])) { |
962 |
$settings['date'] = format_date($settings['created'], 'custom', 'Y-m-d H:i:s O'); |
963 |
} |
964 |
|
965 |
// If the node's user uid is not specified manually, use the currently
|
966 |
// logged in user if available, or else the user running the test.
|
967 |
if (!isset($settings['uid'])) { |
968 |
if ($this->loggedInUser) { |
969 |
$settings['uid'] = $this->loggedInUser->uid; |
970 |
} |
971 |
else {
|
972 |
global $user; |
973 |
$settings['uid'] = $user->uid; |
974 |
} |
975 |
} |
976 |
|
977 |
// Merge body field value and format separately.
|
978 |
$body = array( |
979 |
'value' => $this->randomName(32), |
980 |
'format' => filter_default_format(),
|
981 |
); |
982 |
$settings['body'][$settings['language']][0] += $body; |
983 |
|
984 |
$node = (object) $settings; |
985 |
node_save($node);
|
986 |
|
987 |
// Small hack to link revisions to our test user.
|
988 |
db_update('node_revision')
|
989 |
->fields(array('uid' => $node->uid)) |
990 |
->condition('vid', $node->vid) |
991 |
->execute(); |
992 |
return $node; |
993 |
} |
994 |
|
995 |
/**
|
996 |
* Creates a custom content type based on default settings.
|
997 |
*
|
998 |
* @param $settings
|
999 |
* An array of settings to change from the defaults.
|
1000 |
* Example: 'type' => 'foo'.
|
1001 |
* @return
|
1002 |
* Created content type.
|
1003 |
*/
|
1004 |
protected function drupalCreateContentType($settings = array()) { |
1005 |
// Find a non-existent random type name.
|
1006 |
do {
|
1007 |
$name = strtolower($this->randomName(8)); |
1008 |
} while (node_type_get_type($name)); |
1009 |
|
1010 |
// Populate defaults array.
|
1011 |
$defaults = array( |
1012 |
'type' => $name, |
1013 |
'name' => $name, |
1014 |
'base' => 'node_content', |
1015 |
'description' => '', |
1016 |
'help' => '', |
1017 |
'title_label' => 'Title', |
1018 |
'body_label' => 'Body', |
1019 |
'has_title' => 1, |
1020 |
'has_body' => 1, |
1021 |
); |
1022 |
// Imposed values for a custom type.
|
1023 |
$forced = array( |
1024 |
'orig_type' => '', |
1025 |
'old_type' => '', |
1026 |
'module' => 'node', |
1027 |
'custom' => 1, |
1028 |
'modified' => 1, |
1029 |
'locked' => 0, |
1030 |
); |
1031 |
$type = $forced + $settings + $defaults; |
1032 |
$type = (object) $type; |
1033 |
|
1034 |
$saved_type = node_type_save($type); |
1035 |
node_types_rebuild(); |
1036 |
menu_rebuild(); |
1037 |
node_add_body_field($type);
|
1038 |
|
1039 |
$this->assertEqual($saved_type, SAVED_NEW, t('Created content type %type.', array('%type' => $type->type))); |
1040 |
|
1041 |
// Reset permissions so that permissions for this content type are available.
|
1042 |
$this->checkPermissions(array(), TRUE); |
1043 |
|
1044 |
return $type; |
1045 |
} |
1046 |
|
1047 |
/**
|
1048 |
* Get a list files that can be used in tests.
|
1049 |
*
|
1050 |
* @param $type
|
1051 |
* File type, possible values: 'binary', 'html', 'image', 'javascript', 'php', 'sql', 'text'.
|
1052 |
* @param $size
|
1053 |
* File size in bytes to match. Please check the tests/files folder.
|
1054 |
* @return
|
1055 |
* List of files that match filter.
|
1056 |
*/
|
1057 |
protected function drupalGetTestFiles($type, $size = NULL) { |
1058 |
if (empty($this->generatedTestFiles)) { |
1059 |
// Generate binary test files.
|
1060 |
$lines = array(64, 1024); |
1061 |
$count = 0; |
1062 |
foreach ($lines as $line) { |
1063 |
simpletest_generate_file('binary-' . $count++, 64, $line, 'binary'); |
1064 |
} |
1065 |
|
1066 |
// Generate text test files.
|
1067 |
$lines = array(16, 256, 1024, 2048, 20480); |
1068 |
$count = 0; |
1069 |
foreach ($lines as $line) { |
1070 |
simpletest_generate_file('text-' . $count++, 64, $line); |
1071 |
} |
1072 |
|
1073 |
// Copy other test files from simpletest.
|
1074 |
$original = drupal_get_path('module', 'simpletest') . '/files'; |
1075 |
$files = file_scan_directory($original, '/(html|image|javascript|php|sql)-.*/'); |
1076 |
foreach ($files as $file) { |
1077 |
file_unmanaged_copy($file->uri, variable_get('file_public_path', conf_path() . '/files')); |
1078 |
} |
1079 |
|
1080 |
$this->generatedTestFiles = TRUE; |
1081 |
} |
1082 |
|
1083 |
$files = array(); |
1084 |
// Make sure type is valid.
|
1085 |
if (in_array($type, array('binary', 'html', 'image', 'javascript', 'php', 'sql', 'text'))) { |
1086 |
$files = file_scan_directory('public://', '/' . $type . '\-.*/'); |
1087 |
|
1088 |
// If size is set then remove any files that are not of that size.
|
1089 |
if ($size !== NULL) { |
1090 |
foreach ($files as $file) { |
1091 |
$stats = stat($file->uri); |
1092 |
if ($stats['size'] != $size) { |
1093 |
unset($files[$file->uri]); |
1094 |
} |
1095 |
} |
1096 |
} |
1097 |
} |
1098 |
usort($files, array($this, 'drupalCompareFiles')); |
1099 |
return $files; |
1100 |
} |
1101 |
|
1102 |
/**
|
1103 |
* Compare two files based on size and file name.
|
1104 |
*/
|
1105 |
protected function drupalCompareFiles($file1, $file2) { |
1106 |
$compare_size = filesize($file1->uri) - filesize($file2->uri); |
1107 |
if ($compare_size) { |
1108 |
// Sort by file size.
|
1109 |
return $compare_size; |
1110 |
} |
1111 |
else {
|
1112 |
// The files were the same size, so sort alphabetically.
|
1113 |
return strnatcmp($file1->name, $file2->name); |
1114 |
} |
1115 |
} |
1116 |
|
1117 |
/**
|
1118 |
* Create a user with a given set of permissions.
|
1119 |
*
|
1120 |
* @param array $permissions
|
1121 |
* Array of permission names to assign to user. Note that the user always
|
1122 |
* has the default permissions derived from the "authenticated users" role.
|
1123 |
*
|
1124 |
* @return object|false
|
1125 |
* A fully loaded user object with pass_raw property, or FALSE if account
|
1126 |
* creation fails.
|
1127 |
*/
|
1128 |
protected function drupalCreateUser(array $permissions = array()) { |
1129 |
// Create a role with the given permission set, if any.
|
1130 |
$rid = FALSE; |
1131 |
if ($permissions) { |
1132 |
$rid = $this->drupalCreateRole($permissions); |
1133 |
if (!$rid) { |
1134 |
return FALSE; |
1135 |
} |
1136 |
} |
1137 |
|
1138 |
// Create a user assigned to that role.
|
1139 |
$edit = array(); |
1140 |
$edit['name'] = $this->randomName(); |
1141 |
$edit['mail'] = $edit['name'] . '@example.com'; |
1142 |
$edit['pass'] = user_password(); |
1143 |
$edit['status'] = 1; |
1144 |
if ($rid) { |
1145 |
$edit['roles'] = array($rid => $rid); |
1146 |
} |
1147 |
|
1148 |
$account = user_save(drupal_anonymous_user(), $edit); |
1149 |
|
1150 |
$this->assertTrue(!empty($account->uid), t('User created with name %name and pass %pass', array('%name' => $edit['name'], '%pass' => $edit['pass'])), t('User login')); |
1151 |
if (empty($account->uid)) { |
1152 |
return FALSE; |
1153 |
} |
1154 |
|
1155 |
// Add the raw password so that we can log in as this user.
|
1156 |
$account->pass_raw = $edit['pass']; |
1157 |
return $account; |
1158 |
} |
1159 |
|
1160 |
/**
|
1161 |
* Creates a role with specified permissions.
|
1162 |
*
|
1163 |
* @param $permissions
|
1164 |
* Array of permission names to assign to role.
|
1165 |
* @param $name
|
1166 |
* (optional) String for the name of the role. Defaults to a random string.
|
1167 |
* @return
|
1168 |
* Role ID of newly created role, or FALSE if role creation failed.
|
1169 |
*/
|
1170 |
protected function drupalCreateRole(array $permissions, $name = NULL) { |
1171 |
// Generate random name if it was not passed.
|
1172 |
if (!$name) { |
1173 |
$name = $this->randomName(); |
1174 |
} |
1175 |
|
1176 |
// Check the all the permissions strings are valid.
|
1177 |
if (!$this->checkPermissions($permissions)) { |
1178 |
return FALSE; |
1179 |
} |
1180 |
|
1181 |
// Create new role.
|
1182 |
$role = new stdClass(); |
1183 |
$role->name = $name; |
1184 |
user_role_save($role);
|
1185 |
user_role_grant_permissions($role->rid, $permissions); |
1186 |
|
1187 |
$this->assertTrue(isset($role->rid), t('Created role of name: @name, id: @rid', array('@name' => $name, '@rid' => (isset($role->rid) ? $role->rid : t('-n/a-')))), t('Role')); |
1188 |
if ($role && !empty($role->rid)) { |
1189 |
$count = db_query('SELECT COUNT(*) FROM {role_permission} WHERE rid = :rid', array(':rid' => $role->rid))->fetchField(); |
1190 |
$this->assertTrue($count == count($permissions), t('Created permissions: @perms', array('@perms' => implode(', ', $permissions))), t('Role')); |
1191 |
return $role->rid; |
1192 |
} |
1193 |
else {
|
1194 |
return FALSE; |
1195 |
} |
1196 |
} |
1197 |
|
1198 |
/**
|
1199 |
* Check to make sure that the array of permissions are valid.
|
1200 |
*
|
1201 |
* @param $permissions
|
1202 |
* Permissions to check.
|
1203 |
* @param $reset
|
1204 |
* Reset cached available permissions.
|
1205 |
* @return
|
1206 |
* TRUE or FALSE depending on whether the permissions are valid.
|
1207 |
*/
|
1208 |
protected function checkPermissions(array $permissions, $reset = FALSE) { |
1209 |
$available = &drupal_static(__FUNCTION__); |
1210 |
|
1211 |
if (!isset($available) || $reset) { |
1212 |
$available = array_keys(module_invoke_all('permission')); |
1213 |
} |
1214 |
|
1215 |
$valid = TRUE; |
1216 |
foreach ($permissions as $permission) { |
1217 |
if (!in_array($permission, $available)) { |
1218 |
$this->fail(t('Invalid permission %permission.', array('%permission' => $permission)), t('Role')); |
1219 |
$valid = FALSE; |
1220 |
} |
1221 |
} |
1222 |
return $valid; |
1223 |
} |
1224 |
|
1225 |
/**
|
1226 |
* Log in a user with the internal browser.
|
1227 |
*
|
1228 |
* If a user is already logged in, then the current user is logged out before
|
1229 |
* logging in the specified user.
|
1230 |
*
|
1231 |
* Please note that neither the global $user nor the passed-in user object is
|
1232 |
* populated with data of the logged in user. If you need full access to the
|
1233 |
* user object after logging in, it must be updated manually. If you also need
|
1234 |
* access to the plain-text password of the user (set by drupalCreateUser()),
|
1235 |
* e.g. to log in the same user again, then it must be re-assigned manually.
|
1236 |
* For example:
|
1237 |
* @code
|
1238 |
* // Create a user.
|
1239 |
* $account = $this->drupalCreateUser(array());
|
1240 |
* $this->drupalLogin($account);
|
1241 |
* // Load real user object.
|
1242 |
* $pass_raw = $account->pass_raw;
|
1243 |
* $account = user_load($account->uid);
|
1244 |
* $account->pass_raw = $pass_raw;
|
1245 |
* @endcode
|
1246 |
*
|
1247 |
* @param $account
|
1248 |
* User object representing the user to log in.
|
1249 |
*
|
1250 |
* @see drupalCreateUser()
|
1251 |
*/
|
1252 |
protected function drupalLogin(stdClass $account) { |
1253 |
if ($this->loggedInUser) { |
1254 |
$this->drupalLogout();
|
1255 |
} |
1256 |
|
1257 |
$edit = array( |
1258 |
'name' => $account->name, |
1259 |
'pass' => $account->pass_raw |
1260 |
); |
1261 |
$this->drupalPost('user', $edit, t('Log in')); |
1262 |
|
1263 |
// If a "log out" link appears on the page, it is almost certainly because
|
1264 |
// the login was successful.
|
1265 |
$pass = $this->assertLink(t('Log out'), 0, t('User %name successfully logged in.', array('%name' => $account->name)), t('User login')); |
1266 |
|
1267 |
if ($pass) { |
1268 |
$this->loggedInUser = $account; |
1269 |
} |
1270 |
} |
1271 |
|
1272 |
/**
|
1273 |
* Generate a token for the currently logged in user.
|
1274 |
*/
|
1275 |
protected function drupalGetToken($value = '') { |
1276 |
$private_key = drupal_get_private_key();
|
1277 |
return drupal_hmac_base64($value, $this->session_id . $private_key); |
1278 |
} |
1279 |
|
1280 |
/*
|
1281 |
* Logs a user out of the internal browser, then check the login page to confirm logout.
|
1282 |
*/
|
1283 |
protected function drupalLogout() { |
1284 |
// Make a request to the logout page, and redirect to the user page, the
|
1285 |
// idea being if you were properly logged out you should be seeing a login
|
1286 |
// screen.
|
1287 |
$this->drupalGet('user/logout'); |
1288 |
$this->drupalGet('user'); |
1289 |
$pass = $this->assertField('name', t('Username field found.'), t('Logout')); |
1290 |
$pass = $pass && $this->assertField('pass', t('Password field found.'), t('Logout')); |
1291 |
|
1292 |
if ($pass) { |
1293 |
$this->loggedInUser = FALSE; |
1294 |
} |
1295 |
} |
1296 |
|
1297 |
/**
|
1298 |
* Generates a database prefix for running tests.
|
1299 |
*
|
1300 |
* The generated database table prefix is used for the Drupal installation
|
1301 |
* being performed for the test. It is also used as user agent HTTP header
|
1302 |
* value by the cURL-based browser of DrupalWebTestCase, which is sent
|
1303 |
* to the Drupal installation of the test. During early Drupal bootstrap, the
|
1304 |
* user agent HTTP header is parsed, and if it matches, all database queries
|
1305 |
* use the database table prefix that has been generated here.
|
1306 |
*
|
1307 |
* @see DrupalWebTestCase::curlInitialize()
|
1308 |
* @see drupal_valid_test_ua()
|
1309 |
* @see DrupalWebTestCase::setUp()
|
1310 |
*/
|
1311 |
protected function prepareDatabasePrefix() { |
1312 |
$this->databasePrefix = 'simpletest' . mt_rand(1000, 1000000); |
1313 |
|
1314 |
// As soon as the database prefix is set, the test might start to execute.
|
1315 |
// All assertions as well as the SimpleTest batch operations are associated
|
1316 |
// with the testId, so the database prefix has to be associated with it.
|
1317 |
db_update('simpletest_test_id')
|
1318 |
->fields(array('last_prefix' => $this->databasePrefix)) |
1319 |
->condition('test_id', $this->testId) |
1320 |
->execute(); |
1321 |
} |
1322 |
|
1323 |
/**
|
1324 |
* Changes the database connection to the prefixed one.
|
1325 |
*
|
1326 |
* @see DrupalWebTestCase::setUp()
|
1327 |
*/
|
1328 |
protected function changeDatabasePrefix() { |
1329 |
if (empty($this->databasePrefix)) { |
1330 |
$this->prepareDatabasePrefix();
|
1331 |
// If $this->prepareDatabasePrefix() failed to work, return without
|
1332 |
// setting $this->setupDatabasePrefix to TRUE, so setUp() methods will
|
1333 |
// know to bail out.
|
1334 |
if (empty($this->databasePrefix)) { |
1335 |
return;
|
1336 |
} |
1337 |
} |
1338 |
|
1339 |
// Clone the current connection and replace the current prefix.
|
1340 |
$connection_info = Database::getConnectionInfo('default'); |
1341 |
Database::renameConnection('default', 'simpletest_original_default'); |
1342 |
foreach ($connection_info as $target => $value) { |
1343 |
$connection_info[$target]['prefix'] = array( |
1344 |
'default' => $value['prefix']['default'] . $this->databasePrefix, |
1345 |
); |
1346 |
} |
1347 |
Database::addConnectionInfo('default', 'default', $connection_info['default']); |
1348 |
|
1349 |
// Indicate the database prefix was set up correctly.
|
1350 |
$this->setupDatabasePrefix = TRUE; |
1351 |
} |
1352 |
|
1353 |
/**
|
1354 |
* Prepares the current environment for running the test.
|
1355 |
*
|
1356 |
* Backups various current environment variables and resets them, so they do
|
1357 |
* not interfere with the Drupal site installation in which tests are executed
|
1358 |
* and can be restored in tearDown().
|
1359 |
*
|
1360 |
* Also sets up new resources for the testing environment, such as the public
|
1361 |
* filesystem and configuration directories.
|
1362 |
*
|
1363 |
* @see DrupalWebTestCase::setUp()
|
1364 |
* @see DrupalWebTestCase::tearDown()
|
1365 |
*/
|
1366 |
protected function prepareEnvironment() { |
1367 |
global $user, $language, $conf; |
1368 |
|
1369 |
// Store necessary current values before switching to prefixed database.
|
1370 |
$this->originalLanguage = $language; |
1371 |
$this->originalLanguageDefault = variable_get('language_default'); |
1372 |
$this->originalFileDirectory = variable_get('file_public_path', conf_path() . '/files'); |
1373 |
$this->originalProfile = drupal_get_profile();
|
1374 |
$this->originalCleanUrl = variable_get('clean_url', 0); |
1375 |
$this->originalUser = $user; |
1376 |
|
1377 |
// Set to English to prevent exceptions from utf8_truncate() from t()
|
1378 |
// during install if the current language is not 'en'.
|
1379 |
// The following array/object conversion is copied from language_default().
|
1380 |
$language = (object) array('language' => 'en', 'name' => 'English', 'native' => 'English', 'direction' => 0, 'enabled' => 1, 'plurals' => 0, 'formula' => '', 'domain' => '', 'prefix' => '', 'weight' => 0, 'javascript' => ''); |
1381 |
|
1382 |
// Save and clean the shutdown callbacks array because it is static cached
|
1383 |
// and will be changed by the test run. Otherwise it will contain callbacks
|
1384 |
// from both environments and the testing environment will try to call the
|
1385 |
// handlers defined by the original one.
|
1386 |
$callbacks = &drupal_register_shutdown_function();
|
1387 |
$this->originalShutdownCallbacks = $callbacks; |
1388 |
$callbacks = array(); |
1389 |
|
1390 |
// Create test directory ahead of installation so fatal errors and debug
|
1391 |
// information can be logged during installation process.
|
1392 |
// Use temporary files directory with the same prefix as the database.
|
1393 |
$this->public_files_directory = $this->originalFileDirectory . '/simpletest/' . substr($this->databasePrefix, 10); |
1394 |
$this->private_files_directory = $this->public_files_directory . '/private'; |
1395 |
$this->temp_files_directory = $this->private_files_directory . '/temp'; |
1396 |
|
1397 |
// Create the directories
|
1398 |
file_prepare_directory($this->public_files_directory, FILE_CREATE_DIRECTORY | FILE_MODIFY_PERMISSIONS); |
1399 |
file_prepare_directory($this->private_files_directory, FILE_CREATE_DIRECTORY); |
1400 |
file_prepare_directory($this->temp_files_directory, FILE_CREATE_DIRECTORY); |
1401 |
$this->generatedTestFiles = FALSE; |
1402 |
|
1403 |
// Log fatal errors.
|
1404 |
ini_set('log_errors', 1); |
1405 |
ini_set('error_log', $this->public_files_directory . '/error.log'); |
1406 |
|
1407 |
// Set the test information for use in other parts of Drupal.
|
1408 |
$test_info = &$GLOBALS['drupal_test_info']; |
1409 |
$test_info['test_run_id'] = $this->databasePrefix; |
1410 |
$test_info['in_child_site'] = FALSE; |
1411 |
|
1412 |
// Indicate the environment was set up correctly.
|
1413 |
$this->setupEnvironment = TRUE; |
1414 |
} |
1415 |
|
1416 |
/**
|
1417 |
* Sets up a Drupal site for running functional and integration tests.
|
1418 |
*
|
1419 |
* Generates a random database prefix and installs Drupal with the specified
|
1420 |
* installation profile in DrupalWebTestCase::$profile into the
|
1421 |
* prefixed database. Afterwards, installs any additional modules specified by
|
1422 |
* the test.
|
1423 |
*
|
1424 |
* After installation all caches are flushed and several configuration values
|
1425 |
* are reset to the values of the parent site executing the test, since the
|
1426 |
* default values may be incompatible with the environment in which tests are
|
1427 |
* being executed.
|
1428 |
*
|
1429 |
* @param ...
|
1430 |
* List of modules to enable for the duration of the test. This can be
|
1431 |
* either a single array or a variable number of string arguments.
|
1432 |
*
|
1433 |
* @see DrupalWebTestCase::prepareDatabasePrefix()
|
1434 |
* @see DrupalWebTestCase::changeDatabasePrefix()
|
1435 |
* @see DrupalWebTestCase::prepareEnvironment()
|
1436 |
*/
|
1437 |
protected function setUp() { |
1438 |
global $user, $language, $conf; |
1439 |
|
1440 |
// Create the database prefix for this test.
|
1441 |
$this->prepareDatabasePrefix();
|
1442 |
|
1443 |
// Prepare the environment for running tests.
|
1444 |
$this->prepareEnvironment();
|
1445 |
if (!$this->setupEnvironment) { |
1446 |
return FALSE; |
1447 |
} |
1448 |
|
1449 |
// Reset all statics and variables to perform tests in a clean environment.
|
1450 |
$conf = array(); |
1451 |
drupal_static_reset(); |
1452 |
|
1453 |
// Change the database prefix.
|
1454 |
// All static variables need to be reset before the database prefix is
|
1455 |
// changed, since DrupalCacheArray implementations attempt to
|
1456 |
// write back to persistent caches when they are destructed.
|
1457 |
$this->changeDatabasePrefix();
|
1458 |
if (!$this->setupDatabasePrefix) { |
1459 |
return FALSE; |
1460 |
} |
1461 |
|
1462 |
// Preset the 'install_profile' system variable, so the first call into
|
1463 |
// system_rebuild_module_data() (in drupal_install_system()) will register
|
1464 |
// the test's profile as a module. Without this, the installation profile of
|
1465 |
// the parent site (executing the test) is registered, and the test
|
1466 |
// profile's hook_install() and other hook implementations are never invoked.
|
1467 |
$conf['install_profile'] = $this->profile; |
1468 |
|
1469 |
// Perform the actual Drupal installation.
|
1470 |
include_once DRUPAL_ROOT . '/includes/install.inc'; |
1471 |
drupal_install_system(); |
1472 |
|
1473 |
$this->preloadRegistry();
|
1474 |
|
1475 |
// Set path variables.
|
1476 |
variable_set('file_public_path', $this->public_files_directory); |
1477 |
variable_set('file_private_path', $this->private_files_directory); |
1478 |
variable_set('file_temporary_path', $this->temp_files_directory); |
1479 |
|
1480 |
// Set the 'simpletest_parent_profile' variable to add the parent profile's
|
1481 |
// search path to the child site's search paths.
|
1482 |
// @see drupal_system_listing()
|
1483 |
// @todo This may need to be primed like 'install_profile' above.
|
1484 |
variable_set('simpletest_parent_profile', $this->originalProfile); |
1485 |
|
1486 |
// Include the testing profile.
|
1487 |
variable_set('install_profile', $this->profile); |
1488 |
$profile_details = install_profile_info($this->profile, 'en'); |
1489 |
|
1490 |
// Install the modules specified by the testing profile.
|
1491 |
module_enable($profile_details['dependencies'], FALSE); |
1492 |
|
1493 |
// Install modules needed for this test. This could have been passed in as
|
1494 |
// either a single array argument or a variable number of string arguments.
|
1495 |
// @todo Remove this compatibility layer in Drupal 8, and only accept
|
1496 |
// $modules as a single array argument.
|
1497 |
$modules = func_get_args(); |
1498 |
if (isset($modules[0]) && is_array($modules[0])) { |
1499 |
$modules = $modules[0]; |
1500 |
} |
1501 |
if ($modules) { |
1502 |
$success = module_enable($modules, TRUE); |
1503 |
$this->assertTrue($success, t('Enabled modules: %modules', array('%modules' => implode(', ', $modules)))); |
1504 |
} |
1505 |
|
1506 |
// Run the profile tasks.
|
1507 |
$install_profile_module_exists = db_query("SELECT 1 FROM {system} WHERE type = 'module' AND name = :name", array( |
1508 |
':name' => $this->profile, |
1509 |
))->fetchField(); |
1510 |
if ($install_profile_module_exists) { |
1511 |
module_enable(array($this->profile), FALSE); |
1512 |
} |
1513 |
|
1514 |
// Reset/rebuild all data structures after enabling the modules.
|
1515 |
$this->resetAll();
|
1516 |
|
1517 |
// Run cron once in that environment, as install.php does at the end of
|
1518 |
// the installation process.
|
1519 |
drupal_cron_run(); |
1520 |
|
1521 |
// Ensure that the session is not written to the new environment and replace
|
1522 |
// the global $user session with uid 1 from the new test site.
|
1523 |
drupal_save_session(FALSE);
|
1524 |
// Login as uid 1.
|
1525 |
$user = user_load(1); |
1526 |
|
1527 |
// Restore necessary variables.
|
1528 |
variable_set('install_task', 'done'); |
1529 |
variable_set('clean_url', $this->originalCleanUrl); |
1530 |
variable_set('site_mail', 'simpletest@example.com'); |
1531 |
variable_set('date_default_timezone', date_default_timezone_get());
|
1532 |
|
1533 |
// Set up English language.
|
1534 |
unset($conf['language_default']); |
1535 |
$language = language_default();
|
1536 |
|
1537 |
// Use the test mail class instead of the default mail handler class.
|
1538 |
variable_set('mail_system', array('default-system' => 'TestingMailSystem')); |
1539 |
|
1540 |
drupal_set_time_limit($this->timeLimit);
|
1541 |
$this->setup = TRUE; |
1542 |
} |
1543 |
|
1544 |
/**
|
1545 |
* Preload the registry from the testing site.
|
1546 |
*
|
1547 |
* This method is called by DrupalWebTestCase::setUp(), and preloads the
|
1548 |
* registry from the testing site to cut down on the time it takes to
|
1549 |
* set up a clean environment for the current test run.
|
1550 |
*/
|
1551 |
protected function preloadRegistry() { |
1552 |
// Use two separate queries, each with their own connections: copy the
|
1553 |
// {registry} and {registry_file} tables over from the parent installation
|
1554 |
// to the child installation.
|
1555 |
$original_connection = Database::getConnection('default', 'simpletest_original_default'); |
1556 |
$test_connection = Database::getConnection(); |
1557 |
|
1558 |
foreach (array('registry', 'registry_file') as $table) { |
1559 |
// Find the records from the parent database.
|
1560 |
$source_query = $original_connection |
1561 |
->select($table, array(), array('fetch' => PDO::FETCH_ASSOC)) |
1562 |
->fields($table);
|
1563 |
|
1564 |
$dest_query = $test_connection->insert($table); |
1565 |
|
1566 |
$first = TRUE; |
1567 |
foreach ($source_query->execute() as $row) { |
1568 |
if ($first) { |
1569 |
$dest_query->fields(array_keys($row)); |
1570 |
$first = FALSE; |
1571 |
} |
1572 |
// Insert the records into the child database.
|
1573 |
$dest_query->values($row); |
1574 |
} |
1575 |
|
1576 |
$dest_query->execute();
|
1577 |
} |
1578 |
} |
1579 |
|
1580 |
/**
|
1581 |
* Reset all data structures after having enabled new modules.
|
1582 |
*
|
1583 |
* This method is called by DrupalWebTestCase::setUp() after enabling
|
1584 |
* the requested modules. It must be called again when additional modules
|
1585 |
* are enabled later.
|
1586 |
*/
|
1587 |
protected function resetAll() { |
1588 |
// Reset all static variables.
|
1589 |
drupal_static_reset(); |
1590 |
// Reset the list of enabled modules.
|
1591 |
module_list(TRUE);
|
1592 |
|
1593 |
// Reset cached schema for new database prefix. This must be done before
|
1594 |
// drupal_flush_all_caches() so rebuilds can make use of the schema of
|
1595 |
// modules enabled on the cURL side.
|
1596 |
drupal_get_schema(NULL, TRUE); |
1597 |
|
1598 |
// Perform rebuilds and flush remaining caches.
|
1599 |
drupal_flush_all_caches(); |
1600 |
|
1601 |
// Reload global $conf array and permissions.
|
1602 |
$this->refreshVariables();
|
1603 |
$this->checkPermissions(array(), TRUE); |
1604 |
} |
1605 |
|
1606 |
/**
|
1607 |
* Refresh the in-memory set of variables. Useful after a page request is made
|
1608 |
* that changes a variable in a different thread.
|
1609 |
*
|
1610 |
* In other words calling a settings page with $this->drupalPost() with a changed
|
1611 |
* value would update a variable to reflect that change, but in the thread that
|
1612 |
* made the call (thread running the test) the changed variable would not be
|
1613 |
* picked up.
|
1614 |
*
|
1615 |
* This method clears the variables cache and loads a fresh copy from the database
|
1616 |
* to ensure that the most up-to-date set of variables is loaded.
|
1617 |
*/
|
1618 |
protected function refreshVariables() { |
1619 |
global $conf; |
1620 |
cache_clear_all('variables', 'cache_bootstrap'); |
1621 |
$conf = variable_initialize();
|
1622 |
} |
1623 |
|
1624 |
/**
|
1625 |
* Delete created files and temporary files directory, delete the tables created by setUp(),
|
1626 |
* and reset the database prefix.
|
1627 |
*/
|
1628 |
protected function tearDown() { |
1629 |
global $user, $language; |
1630 |
|
1631 |
// In case a fatal error occurred that was not in the test process read the
|
1632 |
// log to pick up any fatal errors.
|
1633 |
simpletest_log_read($this->testId, $this->databasePrefix, get_class($this), TRUE); |
1634 |
|
1635 |
$emailCount = count(variable_get('drupal_test_email_collector', array())); |
1636 |
if ($emailCount) { |
1637 |
$message = format_plural($emailCount, '1 e-mail was sent during this test.', '@count e-mails were sent during this test.'); |
1638 |
$this->pass($message, t('E-mail')); |
1639 |
} |
1640 |
|
1641 |
// Delete temporary files directory.
|
1642 |
file_unmanaged_delete_recursive($this->originalFileDirectory . '/simpletest/' . substr($this->databasePrefix, 10)); |
1643 |
|
1644 |
// Remove all prefixed tables.
|
1645 |
$tables = db_find_tables($this->databasePrefix . '%'); |
1646 |
$connection_info = Database::getConnectionInfo('default'); |
1647 |
$tables = db_find_tables($connection_info['default']['prefix']['default'] . '%'); |
1648 |
if (empty($tables)) { |
1649 |
$this->fail('Failed to find test tables to drop.'); |
1650 |
} |
1651 |
$prefix_length = strlen($connection_info['default']['prefix']['default']); |
1652 |
foreach ($tables as $table) { |
1653 |
if (db_drop_table(substr($table, $prefix_length))) { |
1654 |
unset($tables[$table]); |
1655 |
} |
1656 |
} |
1657 |
if (!empty($tables)) { |
1658 |
$this->fail('Failed to drop all prefixed tables.'); |
1659 |
} |
1660 |
|
1661 |
// Get back to the original connection.
|
1662 |
Database::removeConnection('default'); |
1663 |
Database::renameConnection('simpletest_original_default', 'default'); |
1664 |
|
1665 |
// Restore original shutdown callbacks array to prevent original
|
1666 |
// environment of calling handlers from test run.
|
1667 |
$callbacks = &drupal_register_shutdown_function();
|
1668 |
$callbacks = $this->originalShutdownCallbacks; |
1669 |
|
1670 |
// Return the user to the original one.
|
1671 |
$user = $this->originalUser; |
1672 |
drupal_save_session(TRUE);
|
1673 |
|
1674 |
// Ensure that internal logged in variable and cURL options are reset.
|
1675 |
$this->loggedInUser = FALSE; |
1676 |
$this->additionalCurlOptions = array(); |
1677 |
|
1678 |
// Reload module list and implementations to ensure that test module hooks
|
1679 |
// aren't called after tests.
|
1680 |
module_list(TRUE);
|
1681 |
module_implements('', FALSE, TRUE); |
1682 |
|
1683 |
// Reset the Field API.
|
1684 |
field_cache_clear(); |
1685 |
|
1686 |
// Rebuild caches.
|
1687 |
$this->refreshVariables();
|
1688 |
|
1689 |
// Reset public files directory.
|
1690 |
$GLOBALS['conf']['file_public_path'] = $this->originalFileDirectory; |
1691 |
|
1692 |
// Reset language.
|
1693 |
$language = $this->originalLanguage; |
1694 |
if ($this->originalLanguageDefault) { |
1695 |
$GLOBALS['conf']['language_default'] = $this->originalLanguageDefault; |
1696 |
} |
1697 |
|
1698 |
// Close the CURL handler.
|
1699 |
$this->curlClose();
|
1700 |
} |
1701 |
|
1702 |
/**
|
1703 |
* Initializes the cURL connection.
|
1704 |
*
|
1705 |
* If the simpletest_httpauth_credentials variable is set, this function will
|
1706 |
* add HTTP authentication headers. This is necessary for testing sites that
|
1707 |
* are protected by login credentials from public access.
|
1708 |
* See the description of $curl_options for other options.
|
1709 |
*/
|
1710 |
protected function curlInitialize() { |
1711 |
global $base_url; |
1712 |
|
1713 |
if (!isset($this->curlHandle)) { |
1714 |
$this->curlHandle = curl_init();
|
1715 |
|
1716 |
// Some versions/configurations of cURL break on a NULL cookie jar, so
|
1717 |
// supply a real file.
|
1718 |
if (empty($this->cookieFile)) { |
1719 |
$this->cookieFile = $this->public_files_directory . '/cookie.jar'; |
1720 |
} |
1721 |
|
1722 |
$curl_options = array( |
1723 |
CURLOPT_COOKIEJAR => $this->cookieFile, |
1724 |
CURLOPT_URL => $base_url, |
1725 |
CURLOPT_FOLLOWLOCATION => FALSE, |
1726 |
CURLOPT_RETURNTRANSFER => TRUE, |
1727 |
CURLOPT_SSL_VERIFYPEER => FALSE, // Required to make the tests run on HTTPS. |
1728 |
CURLOPT_SSL_VERIFYHOST => FALSE, // Required to make the tests run on HTTPS. |
1729 |
CURLOPT_HEADERFUNCTION => array(&$this, 'curlHeaderCallback'), |
1730 |
CURLOPT_USERAGENT => $this->databasePrefix, |
1731 |
); |
1732 |
if (isset($this->httpauth_credentials)) { |
1733 |
$curl_options[CURLOPT_HTTPAUTH] = $this->httpauth_method; |
1734 |
$curl_options[CURLOPT_USERPWD] = $this->httpauth_credentials; |
1735 |
} |
1736 |
// curl_setopt_array() returns FALSE if any of the specified options
|
1737 |
// cannot be set, and stops processing any further options.
|
1738 |
$result = curl_setopt_array($this->curlHandle, $this->additionalCurlOptions + $curl_options); |
1739 |
if (!$result) { |
1740 |
throw new Exception('One or more cURL options could not be set.'); |
1741 |
} |
1742 |
|
1743 |
// By default, the child session name should be the same as the parent.
|
1744 |
$this->session_name = session_name();
|
1745 |
} |
1746 |
// We set the user agent header on each request so as to use the current
|
1747 |
// time and a new uniqid.
|
1748 |
if (preg_match('/simpletest\d+/', $this->databasePrefix, $matches)) { |
1749 |
curl_setopt($this->curlHandle, CURLOPT_USERAGENT, drupal_generate_test_ua($matches[0])); |
1750 |
} |
1751 |
} |
1752 |
|
1753 |
/**
|
1754 |
* Initializes and executes a cURL request.
|
1755 |
*
|
1756 |
* @param $curl_options
|
1757 |
* An associative array of cURL options to set, where the keys are constants
|
1758 |
* defined by the cURL library. For a list of valid options, see
|
1759 |
* http://www.php.net/manual/function.curl-setopt.php
|
1760 |
* @param $redirect
|
1761 |
* FALSE if this is an initial request, TRUE if this request is the result
|
1762 |
* of a redirect.
|
1763 |
*
|
1764 |
* @return
|
1765 |
* The content returned from the call to curl_exec().
|
1766 |
*
|
1767 |
* @see curlInitialize()
|
1768 |
*/
|
1769 |
protected function curlExec($curl_options, $redirect = FALSE) { |
1770 |
$this->curlInitialize();
|
1771 |
|
1772 |
// cURL incorrectly handles URLs with a fragment by including the
|
1773 |
// fragment in the request to the server, causing some web servers
|
1774 |
// to reject the request citing "400 - Bad Request". To prevent
|
1775 |
// this, we strip the fragment from the request.
|
1776 |
// TODO: Remove this for Drupal 8, since fixed in curl 7.20.0.
|
1777 |
if (!empty($curl_options[CURLOPT_URL]) && strpos($curl_options[CURLOPT_URL], '#')) { |
1778 |
$original_url = $curl_options[CURLOPT_URL]; |
1779 |
$curl_options[CURLOPT_URL] = strtok($curl_options[CURLOPT_URL], '#'); |
1780 |
} |
1781 |
|
1782 |
$url = empty($curl_options[CURLOPT_URL]) ? curl_getinfo($this->curlHandle, CURLINFO_EFFECTIVE_URL) : $curl_options[CURLOPT_URL]; |
1783 |
|
1784 |
if (!empty($curl_options[CURLOPT_POST])) { |
1785 |
// This is a fix for the Curl library to prevent Expect: 100-continue
|
1786 |
// headers in POST requests, that may cause unexpected HTTP response
|
1787 |
// codes from some webservers (like lighttpd that returns a 417 error
|
1788 |
// code). It is done by setting an empty "Expect" header field that is
|
1789 |
// not overwritten by Curl.
|
1790 |
$curl_options[CURLOPT_HTTPHEADER][] = 'Expect:'; |
1791 |
} |
1792 |
curl_setopt_array($this->curlHandle, $this->additionalCurlOptions + $curl_options); |
1793 |
|
1794 |
if (!$redirect) { |
1795 |
// Reset headers, the session ID and the redirect counter.
|
1796 |
$this->session_id = NULL; |
1797 |
$this->headers = array(); |
1798 |
$this->redirect_count = 0; |
1799 |
} |
1800 |
|
1801 |
$content = curl_exec($this->curlHandle); |
1802 |
$status = curl_getinfo($this->curlHandle, CURLINFO_HTTP_CODE); |
1803 |
|
1804 |
// cURL incorrectly handles URLs with fragments, so instead of
|
1805 |
// letting cURL handle redirects we take of them ourselves to
|
1806 |
// to prevent fragments being sent to the web server as part
|
1807 |
// of the request.
|
1808 |
// TODO: Remove this for Drupal 8, since fixed in curl 7.20.0.
|
1809 |
if (in_array($status, array(300, 301, 302, 303, 305, 307)) && $this->redirect_count < variable_get('simpletest_maximum_redirects', 5)) { |
1810 |
if ($this->drupalGetHeader('location')) { |
1811 |
$this->redirect_count++;
|
1812 |
$curl_options = array(); |
1813 |
$curl_options[CURLOPT_URL] = $this->drupalGetHeader('location'); |
1814 |
$curl_options[CURLOPT_HTTPGET] = TRUE; |
1815 |
return $this->curlExec($curl_options, TRUE); |
1816 |
} |
1817 |
} |
1818 |
|
1819 |
$this->drupalSetContent($content, isset($original_url) ? $original_url : curl_getinfo($this->curlHandle, CURLINFO_EFFECTIVE_URL)); |
1820 |
$message_vars = array( |
1821 |
'!method' => !empty($curl_options[CURLOPT_NOBODY]) ? 'HEAD' : (empty($curl_options[CURLOPT_POSTFIELDS]) ? 'GET' : 'POST'), |
1822 |
'@url' => isset($original_url) ? $original_url : $url, |
1823 |
'@status' => $status, |
1824 |
'!length' => format_size(strlen($this->drupalGetContent())) |
1825 |
); |
1826 |
$message = t('!method @url returned @status (!length).', $message_vars); |
1827 |
$this->assertTrue($this->drupalGetContent() !== FALSE, $message, t('Browser')); |
1828 |
return $this->drupalGetContent(); |
1829 |
} |
1830 |
|
1831 |
/**
|
1832 |
* Reads headers and registers errors received from the tested site.
|
1833 |
*
|
1834 |
* @see _drupal_log_error().
|
1835 |
*
|
1836 |
* @param $curlHandler
|
1837 |
* The cURL handler.
|
1838 |
* @param $header
|
1839 |
* An header.
|
1840 |
*/
|
1841 |
protected function curlHeaderCallback($curlHandler, $header) { |
1842 |
// Header fields can be extended over multiple lines by preceding each
|
1843 |
// extra line with at least one SP or HT. They should be joined on receive.
|
1844 |
// Details are in RFC2616 section 4.
|
1845 |
if ($header[0] == ' ' || $header[0] == "\t") { |
1846 |
// Normalize whitespace between chucks.
|
1847 |
$this->headers[] = array_pop($this->headers) . ' ' . trim($header); |
1848 |
} |
1849 |
else {
|
1850 |
$this->headers[] = $header; |
1851 |
} |
1852 |
|
1853 |
// Errors are being sent via X-Drupal-Assertion-* headers,
|
1854 |
// generated by _drupal_log_error() in the exact form required
|
1855 |
// by DrupalWebTestCase::error().
|
1856 |
if (preg_match('/^X-Drupal-Assertion-[0-9]+: (.*)$/', $header, $matches)) { |
1857 |
// Call DrupalWebTestCase::error() with the parameters from the header.
|
1858 |
call_user_func_array(array(&$this, 'error'), unserialize(urldecode($matches[1]))); |
1859 |
} |
1860 |
|
1861 |
// Save cookies.
|
1862 |
if (preg_match('/^Set-Cookie: ([^=]+)=(.+)/', $header, $matches)) { |
1863 |
$name = $matches[1]; |
1864 |
$parts = array_map('trim', explode(';', $matches[2])); |
1865 |
$value = array_shift($parts); |
1866 |
$this->cookies[$name] = array('value' => $value, 'secure' => in_array('secure', $parts)); |
1867 |
if ($name == $this->session_name) { |
1868 |
if ($value != 'deleted') { |
1869 |
$this->session_id = $value; |
1870 |
} |
1871 |
else {
|
1872 |
$this->session_id = NULL; |
1873 |
} |
1874 |
} |
1875 |
} |
1876 |
|
1877 |
// This is required by cURL.
|
1878 |
return strlen($header); |
1879 |
} |
1880 |
|
1881 |
/**
|
1882 |
* Close the cURL handler and unset the handler.
|
1883 |
*/
|
1884 |
protected function curlClose() { |
1885 |
if (isset($this->curlHandle)) { |
1886 |
curl_close($this->curlHandle);
|
1887 |
unset($this->curlHandle); |
1888 |
} |
1889 |
} |
1890 |
|
1891 |
/**
|
1892 |
* Parse content returned from curlExec using DOM and SimpleXML.
|
1893 |
*
|
1894 |
* @return
|
1895 |
* A SimpleXMLElement or FALSE on failure.
|
1896 |
*/
|
1897 |
protected function parse() { |
1898 |
if (!$this->elements) { |
1899 |
// DOM can load HTML soup. But, HTML soup can throw warnings, suppress
|
1900 |
// them.
|
1901 |
$htmlDom = new DOMDocument(); |
1902 |
@$htmlDom->loadHTML($this->drupalGetContent()); |
1903 |
if ($htmlDom) { |
1904 |
$this->pass(t('Valid HTML found on "@path"', array('@path' => $this->getUrl())), t('Browser')); |
1905 |
// It's much easier to work with simplexml than DOM, luckily enough
|
1906 |
// we can just simply import our DOM tree.
|
1907 |
$this->elements = simplexml_import_dom($htmlDom); |
1908 |
} |
1909 |
} |
1910 |
if (!$this->elements) { |
1911 |
$this->fail(t('Parsed page successfully.'), t('Browser')); |
1912 |
} |
1913 |
|
1914 |
return $this->elements; |
1915 |
} |
1916 |
|
1917 |
/**
|
1918 |
* Retrieves a Drupal path or an absolute path.
|
1919 |
*
|
1920 |
* @param $path
|
1921 |
* Drupal path or URL to load into internal browser
|
1922 |
* @param $options
|
1923 |
* Options to be forwarded to url().
|
1924 |
* @param $headers
|
1925 |
* An array containing additional HTTP request headers, each formatted as
|
1926 |
* "name: value".
|
1927 |
* @return
|
1928 |
* The retrieved HTML string, also available as $this->drupalGetContent()
|
1929 |
*/
|
1930 |
protected function drupalGet($path, array $options = array(), array $headers = array()) { |
1931 |
$options['absolute'] = TRUE; |
1932 |
|
1933 |
// We re-using a CURL connection here. If that connection still has certain
|
1934 |
// options set, it might change the GET into a POST. Make sure we clear out
|
1935 |
// previous options.
|
1936 |
$out = $this->curlExec(array(CURLOPT_HTTPGET => TRUE, CURLOPT_URL => url($path, $options), CURLOPT_NOBODY => FALSE, CURLOPT_HTTPHEADER => $headers)); |
1937 |
$this->refreshVariables(); // Ensure that any changes to variables in the other thread are picked up. |
1938 |
|
1939 |
// Replace original page output with new output from redirected page(s).
|
1940 |
if ($new = $this->checkForMetaRefresh()) { |
1941 |
$out = $new; |
1942 |
} |
1943 |
$this->verbose('GET request to: ' . $path . |
1944 |
'<hr />Ending URL: ' . $this->getUrl() . |
1945 |
'<hr />' . $out); |
1946 |
return $out; |
1947 |
} |
1948 |
|
1949 |
/**
|
1950 |
* Retrieve a Drupal path or an absolute path and JSON decode the result.
|
1951 |
*/
|
1952 |
protected function drupalGetAJAX($path, array $options = array(), array $headers = array()) { |
1953 |
return drupal_json_decode($this->drupalGet($path, $options, $headers)); |
1954 |
} |
1955 |
|
1956 |
/**
|
1957 |
* Execute a POST request on a Drupal page.
|
1958 |
* It will be done as usual POST request with SimpleBrowser.
|
1959 |
*
|
1960 |
* @param $path
|
1961 |
* Location of the post form. Either a Drupal path or an absolute path or
|
1962 |
* NULL to post to the current page. For multi-stage forms you can set the
|
1963 |
* path to NULL and have it post to the last received page. Example:
|
1964 |
*
|
1965 |
* @code
|
1966 |
* // First step in form.
|
1967 |
* $edit = array(...);
|
1968 |
* $this->drupalPost('some_url', $edit, t('Save'));
|
1969 |
*
|
1970 |
* // Second step in form.
|
1971 |
* $edit = array(...);
|
1972 |
* $this->drupalPost(NULL, $edit, t('Save'));
|
1973 |
* @endcode
|
1974 |
* @param $edit
|
1975 |
* Field data in an associative array. Changes the current input fields
|
1976 |
* (where possible) to the values indicated. A checkbox can be set to
|
1977 |
* TRUE to be checked and FALSE to be unchecked. Note that when a form
|
1978 |
* contains file upload fields, other fields cannot start with the '@'
|
1979 |
* character.
|
1980 |
*
|
1981 |
* Multiple select fields can be set using name[] and setting each of the
|
1982 |
* possible values. Example:
|
1983 |
* @code
|
1984 |
* $edit = array();
|
1985 |
* $edit['name[]'] = array('value1', 'value2');
|
1986 |
* @endcode
|
1987 |
* @param $submit
|
1988 |
* Value of the submit button whose click is to be emulated. For example,
|
1989 |
* t('Save'). The processing of the request depends on this value. For
|
1990 |
* example, a form may have one button with the value t('Save') and another
|
1991 |
* button with the value t('Delete'), and execute different code depending
|
1992 |
* on which one is clicked.
|
1993 |
*
|
1994 |
* This function can also be called to emulate an Ajax submission. In this
|
1995 |
* case, this value needs to be an array with the following keys:
|
1996 |
* - path: A path to submit the form values to for Ajax-specific processing,
|
1997 |
* which is likely different than the $path parameter used for retrieving
|
1998 |
* the initial form. Defaults to 'system/ajax'.
|
1999 |
* - triggering_element: If the value for the 'path' key is 'system/ajax' or
|
2000 |
* another generic Ajax processing path, this needs to be set to the name
|
2001 |
* of the element. If the name doesn't identify the element uniquely, then
|
2002 |
* this should instead be an array with a single key/value pair,
|
2003 |
* corresponding to the element name and value. The callback for the
|
2004 |
* generic Ajax processing path uses this to find the #ajax information
|
2005 |
* for the element, including which specific callback to use for
|
2006 |
* processing the request.
|
2007 |
*
|
2008 |
* This can also be set to NULL in order to emulate an Internet Explorer
|
2009 |
* submission of a form with a single text field, and pressing ENTER in that
|
2010 |
* textfield: under these conditions, no button information is added to the
|
2011 |
* POST data.
|
2012 |
* @param $options
|
2013 |
* Options to be forwarded to url().
|
2014 |
* @param $headers
|
2015 |
* An array containing additional HTTP request headers, each formatted as
|
2016 |
* "name: value".
|
2017 |
* @param $form_html_id
|
2018 |
* (optional) HTML ID of the form to be submitted. On some pages
|
2019 |
* there are many identical forms, so just using the value of the submit
|
2020 |
* button is not enough. For example: 'trigger-node-presave-assign-form'.
|
2021 |
* Note that this is not the Drupal $form_id, but rather the HTML ID of the
|
2022 |
* form, which is typically the same thing but with hyphens replacing the
|
2023 |
* underscores.
|
2024 |
* @param $extra_post
|
2025 |
* (optional) A string of additional data to append to the POST submission.
|
2026 |
* This can be used to add POST data for which there are no HTML fields, as
|
2027 |
* is done by drupalPostAJAX(). This string is literally appended to the
|
2028 |
* POST data, so it must already be urlencoded and contain a leading "&"
|
2029 |
* (e.g., "&extra_var1=hello+world&extra_var2=you%26me").
|
2030 |
*/
|
2031 |
protected function drupalPost($path, $edit, $submit, array $options = array(), array $headers = array(), $form_html_id = NULL, $extra_post = NULL) { |
2032 |
$submit_matches = FALSE; |
2033 |
$ajax = is_array($submit); |
2034 |
if (isset($path)) { |
2035 |
$this->drupalGet($path, $options); |
2036 |
} |
2037 |
if ($this->parse()) { |
2038 |
$edit_save = $edit; |
2039 |
// Let's iterate over all the forms.
|
2040 |
$xpath = "//form"; |
2041 |
if (!empty($form_html_id)) { |
2042 |
$xpath .= "[@id='" . $form_html_id . "']"; |
2043 |
} |
2044 |
$forms = $this->xpath($xpath); |
2045 |
foreach ($forms as $form) { |
2046 |
// We try to set the fields of this form as specified in $edit.
|
2047 |
$edit = $edit_save; |
2048 |
$post = array(); |
2049 |
$upload = array(); |
2050 |
$submit_matches = $this->handleForm($post, $edit, $upload, $ajax ? NULL : $submit, $form); |
2051 |
$action = isset($form['action']) ? $this->getAbsoluteUrl((string) $form['action']) : $this->getUrl(); |
2052 |
if ($ajax) { |
2053 |
$action = $this->getAbsoluteUrl(!empty($submit['path']) ? $submit['path'] : 'system/ajax'); |
2054 |
// Ajax callbacks verify the triggering element if necessary, so while
|
2055 |
// we may eventually want extra code that verifies it in the
|
2056 |
// handleForm() function, it's not currently a requirement.
|
2057 |
$submit_matches = TRUE; |
2058 |
} |
2059 |
|
2060 |
// We post only if we managed to handle every field in edit and the
|
2061 |
// submit button matches.
|
2062 |
if (!$edit && ($submit_matches || !isset($submit))) { |
2063 |
$post_array = $post; |
2064 |
if ($upload) { |
2065 |
// TODO: cURL handles file uploads for us, but the implementation
|
2066 |
// is broken. This is a less than elegant workaround. Alternatives
|
2067 |
// are being explored at #253506.
|
2068 |
foreach ($upload as $key => $file) { |
2069 |
$file = drupal_realpath($file); |
2070 |
if ($file && is_file($file)) { |
2071 |
// Use the new CurlFile class for file uploads when using PHP
|
2072 |
// 5.5 or higher.
|
2073 |
if (class_exists('CurlFile')) { |
2074 |
$post[$key] = curl_file_create($file); |
2075 |
} |
2076 |
else {
|
2077 |
$post[$key] = '@' . $file; |
2078 |
} |
2079 |
} |
2080 |
} |
2081 |
} |
2082 |
else {
|
2083 |
foreach ($post as $key => $value) { |
2084 |
// Encode according to application/x-www-form-urlencoded
|
2085 |
// Both names and values needs to be urlencoded, according to
|
2086 |
// http://www.w3.org/TR/html4/interact/forms.html#h-17.13.4.1
|
2087 |
$post[$key] = urlencode($key) . '=' . urlencode($value); |
2088 |
} |
2089 |
$post = implode('&', $post) . $extra_post; |
2090 |
} |
2091 |
$out = $this->curlExec(array(CURLOPT_URL => $action, CURLOPT_POST => TRUE, CURLOPT_POSTFIELDS => $post, CURLOPT_HTTPHEADER => $headers)); |
2092 |
// Ensure that any changes to variables in the other thread are picked up.
|
2093 |
$this->refreshVariables();
|
2094 |
|
2095 |
// Replace original page output with new output from redirected page(s).
|
2096 |
if ($new = $this->checkForMetaRefresh()) { |
2097 |
$out = $new; |
2098 |
} |
2099 |
$this->verbose('POST request to: ' . $path . |
2100 |
'<hr />Ending URL: ' . $this->getUrl() . |
2101 |
'<hr />Fields: ' . highlight_string('<?php ' . var_export($post_array, TRUE), TRUE) . |
2102 |
'<hr />' . $out); |
2103 |
return $out; |
2104 |
} |
2105 |
} |
2106 |
// We have not found a form which contained all fields of $edit.
|
2107 |
foreach ($edit as $name => $value) { |
2108 |
$this->fail(t('Failed to set field @name to @value', array('@name' => $name, '@value' => $value))); |
2109 |
} |
2110 |
if (!$ajax && isset($submit)) { |
2111 |
$this->assertTrue($submit_matches, t('Found the @submit button', array('@submit' => $submit))); |
2112 |
} |
2113 |
$this->fail(t('Found the requested form fields at @path', array('@path' => $path))); |
2114 |
} |
2115 |
} |
2116 |
|
2117 |
/**
|
2118 |
* Execute an Ajax submission.
|
2119 |
*
|
2120 |
* This executes a POST as ajax.js does. It uses the returned JSON data, an
|
2121 |
* array of commands, to update $this->content using equivalent DOM
|
2122 |
* manipulation as is used by ajax.js. It also returns the array of commands.
|
2123 |
*
|
2124 |
* @param $path
|
2125 |
* Location of the form containing the Ajax enabled element to test. Can be
|
2126 |
* either a Drupal path or an absolute path or NULL to use the current page.
|
2127 |
* @param $edit
|
2128 |
* Field data in an associative array. Changes the current input fields
|
2129 |
* (where possible) to the values indicated.
|
2130 |
* @param $triggering_element
|
2131 |
* The name of the form element that is responsible for triggering the Ajax
|
2132 |
* functionality to test. May be a string or, if the triggering element is
|
2133 |
* a button, an associative array where the key is the name of the button
|
2134 |
* and the value is the button label. i.e.) array('op' => t('Refresh')).
|
2135 |
* @param $ajax_path
|
2136 |
* (optional) Override the path set by the Ajax settings of the triggering
|
2137 |
* element. In the absence of both the triggering element's Ajax path and
|
2138 |
* $ajax_path 'system/ajax' will be used.
|
2139 |
* @param $options
|
2140 |
* (optional) Options to be forwarded to url().
|
2141 |
* @param $headers
|
2142 |
* (optional) An array containing additional HTTP request headers, each
|
2143 |
* formatted as "name: value". Forwarded to drupalPost().
|
2144 |
* @param $form_html_id
|
2145 |
* (optional) HTML ID of the form to be submitted, use when there is more
|
2146 |
* than one identical form on the same page and the value of the triggering
|
2147 |
* element is not enough to identify the form. Note this is not the Drupal
|
2148 |
* ID of the form but rather the HTML ID of the form.
|
2149 |
* @param $ajax_settings
|
2150 |
* (optional) An array of Ajax settings which if specified will be used in
|
2151 |
* place of the Ajax settings of the triggering element.
|
2152 |
*
|
2153 |
* @return
|
2154 |
* An array of Ajax commands.
|
2155 |
*
|
2156 |
* @see drupalPost()
|
2157 |
* @see ajax.js
|
2158 |
*/
|
2159 |
protected function drupalPostAJAX($path, $edit, $triggering_element, $ajax_path = NULL, array $options = array(), array $headers = array(), $form_html_id = NULL, $ajax_settings = NULL) { |
2160 |
// Get the content of the initial page prior to calling drupalPost(), since
|
2161 |
// drupalPost() replaces $this->content.
|
2162 |
if (isset($path)) { |
2163 |
$this->drupalGet($path, $options); |
2164 |
} |
2165 |
$content = $this->content; |
2166 |
$drupal_settings = $this->drupalSettings; |
2167 |
|
2168 |
// Get the Ajax settings bound to the triggering element.
|
2169 |
if (!isset($ajax_settings)) { |
2170 |
if (is_array($triggering_element)) { |
2171 |
$xpath = '//*[@name="' . key($triggering_element) . '" and @value="' . current($triggering_element) . '"]'; |
2172 |
} |
2173 |
else {
|
2174 |
$xpath = '//*[@name="' . $triggering_element . '"]'; |
2175 |
} |
2176 |
if (isset($form_html_id)) { |
2177 |
$xpath = '//form[@id="' . $form_html_id . '"]' . $xpath; |
2178 |
} |
2179 |
$element = $this->xpath($xpath); |
2180 |
$element_id = (string) $element[0]['id']; |
2181 |
$ajax_settings = $drupal_settings['ajax'][$element_id]; |
2182 |
} |
2183 |
|
2184 |
// Add extra information to the POST data as ajax.js does.
|
2185 |
$extra_post = ''; |
2186 |
if (isset($ajax_settings['submit'])) { |
2187 |
foreach ($ajax_settings['submit'] as $key => $value) { |
2188 |
$extra_post .= '&' . urlencode($key) . '=' . urlencode($value); |
2189 |
} |
2190 |
} |
2191 |
foreach ($this->xpath('//*[@id]') as $element) { |
2192 |
$id = (string) $element['id']; |
2193 |
$extra_post .= '&' . urlencode('ajax_html_ids[]') . '=' . urlencode($id); |
2194 |
} |
2195 |
if (isset($drupal_settings['ajaxPageState'])) { |
2196 |
$extra_post .= '&' . urlencode('ajax_page_state[theme]') . '=' . urlencode($drupal_settings['ajaxPageState']['theme']); |
2197 |
$extra_post .= '&' . urlencode('ajax_page_state[theme_token]') . '=' . urlencode($drupal_settings['ajaxPageState']['theme_token']); |
2198 |
foreach ($drupal_settings['ajaxPageState']['css'] as $key => $value) { |
2199 |
$extra_post .= '&' . urlencode("ajax_page_state[css][$key]") . '=1'; |
2200 |
} |
2201 |
foreach ($drupal_settings['ajaxPageState']['js'] as $key => $value) { |
2202 |
$extra_post .= '&' . urlencode("ajax_page_state[js][$key]") . '=1'; |
2203 |
} |
2204 |
} |
2205 |
|
2206 |
// Unless a particular path is specified, use the one specified by the
|
2207 |
// Ajax settings, or else 'system/ajax'.
|
2208 |
if (!isset($ajax_path)) { |
2209 |
$ajax_path = isset($ajax_settings['url']) ? $ajax_settings['url'] : 'system/ajax'; |
2210 |
} |
2211 |
|
2212 |
// Submit the POST request.
|
2213 |
$return = drupal_json_decode($this->drupalPost(NULL, $edit, array('path' => $ajax_path, 'triggering_element' => $triggering_element), $options, $headers, $form_html_id, $extra_post)); |
2214 |
|
2215 |
// Change the page content by applying the returned commands.
|
2216 |
if (!empty($ajax_settings) && !empty($return)) { |
2217 |
// ajax.js applies some defaults to the settings object, so do the same
|
2218 |
// for what's used by this function.
|
2219 |
$ajax_settings += array( |
2220 |
'method' => 'replaceWith', |
2221 |
); |
2222 |
// DOM can load HTML soup. But, HTML soup can throw warnings, suppress
|
2223 |
// them.
|
2224 |
$dom = new DOMDocument(); |
2225 |
@$dom->loadHTML($content); |
2226 |
// XPath allows for finding wrapper nodes better than DOM does.
|
2227 |
$xpath = new DOMXPath($dom); |
2228 |
foreach ($return as $command) { |
2229 |
switch ($command['command']) { |
2230 |
case 'settings': |
2231 |
$drupal_settings = drupal_array_merge_deep($drupal_settings, $command['settings']); |
2232 |
break;
|
2233 |
|
2234 |
case 'insert': |
2235 |
$wrapperNode = NULL; |
2236 |
// When a command doesn't specify a selector, use the
|
2237 |
// #ajax['wrapper'] which is always an HTML ID.
|
2238 |
if (!isset($command['selector'])) { |
2239 |
$wrapperNode = $xpath->query('//*[@id="' . $ajax_settings['wrapper'] . '"]')->item(0); |
2240 |
} |
2241 |
// @todo Ajax commands can target any jQuery selector, but these are
|
2242 |
// hard to fully emulate with XPath. For now, just handle 'head'
|
2243 |
// and 'body', since these are used by ajax_render().
|
2244 |
elseif (in_array($command['selector'], array('head', 'body'))) { |
2245 |
$wrapperNode = $xpath->query('//' . $command['selector'])->item(0); |
2246 |
} |
2247 |
if ($wrapperNode) { |
2248 |
// ajax.js adds an enclosing DIV to work around a Safari bug.
|
2249 |
$newDom = new DOMDocument(); |
2250 |
$newDom->loadHTML('<div>' . $command['data'] . '</div>'); |
2251 |
$newNode = $dom->importNode($newDom->documentElement->firstChild->firstChild, TRUE); |
2252 |
$method = isset($command['method']) ? $command['method'] : $ajax_settings['method']; |
2253 |
// The "method" is a jQuery DOM manipulation function. Emulate
|
2254 |
// each one using PHP's DOMNode API.
|
2255 |
switch ($method) { |
2256 |
case 'replaceWith': |
2257 |
$wrapperNode->parentNode->replaceChild($newNode, $wrapperNode); |
2258 |
break;
|
2259 |
case 'append': |
2260 |
$wrapperNode->appendChild($newNode); |
2261 |
break;
|
2262 |
case 'prepend': |
2263 |
// If no firstChild, insertBefore() falls back to
|
2264 |
// appendChild().
|
2265 |
$wrapperNode->insertBefore($newNode, $wrapperNode->firstChild); |
2266 |
break;
|
2267 |
case 'before': |
2268 |
$wrapperNode->parentNode->insertBefore($newNode, $wrapperNode); |
2269 |
break;
|
2270 |
case 'after': |
2271 |
// If no nextSibling, insertBefore() falls back to
|
2272 |
// appendChild().
|
2273 |
$wrapperNode->parentNode->insertBefore($newNode, $wrapperNode->nextSibling); |
2274 |
break;
|
2275 |
case 'html': |
2276 |
foreach ($wrapperNode->childNodes as $childNode) { |
2277 |
$wrapperNode->removeChild($childNode); |
2278 |
} |
2279 |
$wrapperNode->appendChild($newNode); |
2280 |
break;
|
2281 |
} |
2282 |
} |
2283 |
break;
|
2284 |
|
2285 |
case 'updateBuildId': |
2286 |
$buildId = $xpath->query('//input[@name="form_build_id" and @value="' . $command['old'] . '"]')->item(0); |
2287 |
if ($buildId) { |
2288 |
$buildId->setAttribute('value', $command['new']); |
2289 |
} |
2290 |
break;
|
2291 |
|
2292 |
// @todo Add suitable implementations for these commands in order to
|
2293 |
// have full test coverage of what ajax.js can do.
|
2294 |
case 'remove': |
2295 |
break;
|
2296 |
case 'changed': |
2297 |
break;
|
2298 |
case 'css': |
2299 |
break;
|
2300 |
case 'data': |
2301 |
break;
|
2302 |
case 'restripe': |
2303 |
break;
|
2304 |
case 'add_css': |
2305 |
break;
|
2306 |
} |
2307 |
} |
2308 |
$content = $dom->saveHTML(); |
2309 |
} |
2310 |
$this->drupalSetContent($content); |
2311 |
$this->drupalSetSettings($drupal_settings); |
2312 |
|
2313 |
$verbose = 'AJAX POST request to: ' . $path; |
2314 |
$verbose .= '<br />AJAX callback path: ' . $ajax_path; |
2315 |
$verbose .= '<hr />Ending URL: ' . $this->getUrl(); |
2316 |
$verbose .= '<hr />' . $this->content; |
2317 |
|
2318 |
$this->verbose($verbose); |
2319 |
|
2320 |
return $return; |
2321 |
} |
2322 |
|
2323 |
/**
|
2324 |
* Runs cron in the Drupal installed by Simpletest.
|
2325 |
*/
|
2326 |
protected function cronRun() { |
2327 |
$this->drupalGet($GLOBALS['base_url'] . '/cron.php', array('external' => TRUE, 'query' => array('cron_key' => variable_get('cron_key', 'drupal')))); |
2328 |
} |
2329 |
|
2330 |
/**
|
2331 |
* Check for meta refresh tag and if found call drupalGet() recursively. This
|
2332 |
* function looks for the http-equiv attribute to be set to "Refresh"
|
2333 |
* and is case-sensitive.
|
2334 |
*
|
2335 |
* @return
|
2336 |
* Either the new page content or FALSE.
|
2337 |
*/
|
2338 |
protected function checkForMetaRefresh() { |
2339 |
if (strpos($this->drupalGetContent(), '<meta ') && $this->parse()) { |
2340 |
$refresh = $this->xpath('//meta[@http-equiv="Refresh"]'); |
2341 |
if (!empty($refresh)) { |
2342 |
// Parse the content attribute of the meta tag for the format:
|
2343 |
// "[delay]: URL=[page_to_redirect_to]".
|
2344 |
if (preg_match('/\d+;\s*URL=(?P<url>.*)/i', $refresh[0]['content'], $match)) { |
2345 |
return $this->drupalGet($this->getAbsoluteUrl(decode_entities($match['url']))); |
2346 |
} |
2347 |
} |
2348 |
} |
2349 |
return FALSE; |
2350 |
} |
2351 |
|
2352 |
/**
|
2353 |
* Retrieves only the headers for a Drupal path or an absolute path.
|
2354 |
*
|
2355 |
* @param $path
|
2356 |
* Drupal path or URL to load into internal browser
|
2357 |
* @param $options
|
2358 |
* Options to be forwarded to url().
|
2359 |
* @param $headers
|
2360 |
* An array containing additional HTTP request headers, each formatted as
|
2361 |
* "name: value".
|
2362 |
* @return
|
2363 |
* The retrieved headers, also available as $this->drupalGetContent()
|
2364 |
*/
|
2365 |
protected function drupalHead($path, array $options = array(), array $headers = array()) { |
2366 |
$options['absolute'] = TRUE; |
2367 |
$out = $this->curlExec(array(CURLOPT_NOBODY => TRUE, CURLOPT_URL => url($path, $options), CURLOPT_HTTPHEADER => $headers)); |
2368 |
$this->refreshVariables(); // Ensure that any changes to variables in the other thread are picked up. |
2369 |
return $out; |
2370 |
} |
2371 |
|
2372 |
/**
|
2373 |
* Handle form input related to drupalPost(). Ensure that the specified fields
|
2374 |
* exist and attempt to create POST data in the correct manner for the particular
|
2375 |
* field type.
|
2376 |
*
|
2377 |
* @param $post
|
2378 |
* Reference to array of post values.
|
2379 |
* @param $edit
|
2380 |
* Reference to array of edit values to be checked against the form.
|
2381 |
* @param $submit
|
2382 |
* Form submit button value.
|
2383 |
* @param $form
|
2384 |
* Array of form elements.
|
2385 |
* @return
|
2386 |
* Submit value matches a valid submit input in the form.
|
2387 |
*/
|
2388 |
protected function handleForm(&$post, &$edit, &$upload, $submit, $form) { |
2389 |
// Retrieve the form elements.
|
2390 |
$elements = $form->xpath('.//input[not(@disabled)]|.//textarea[not(@disabled)]|.//select[not(@disabled)]'); |
2391 |
$submit_matches = FALSE; |
2392 |
foreach ($elements as $element) { |
2393 |
// SimpleXML objects need string casting all the time.
|
2394 |
$name = (string) $element['name']; |
2395 |
// This can either be the type of <input> or the name of the tag itself
|
2396 |
// for <select> or <textarea>.
|
2397 |
$type = isset($element['type']) ? (string) $element['type'] : $element->getName(); |
2398 |
$value = isset($element['value']) ? (string) $element['value'] : ''; |
2399 |
$done = FALSE; |
2400 |
if (isset($edit[$name])) { |
2401 |
switch ($type) { |
2402 |
case 'text': |
2403 |
case 'tel': |
2404 |
case 'textarea': |
2405 |
case 'url': |
2406 |
case 'number': |
2407 |
case 'range': |
2408 |
case 'color': |
2409 |
case 'hidden': |
2410 |
case 'password': |
2411 |
case 'email': |
2412 |
case 'search': |
2413 |
$post[$name] = $edit[$name]; |
2414 |
unset($edit[$name]); |
2415 |
break;
|
2416 |
case 'radio': |
2417 |
if ($edit[$name] == $value) { |
2418 |
$post[$name] = $edit[$name]; |
2419 |
unset($edit[$name]); |
2420 |
} |
2421 |
break;
|
2422 |
case 'checkbox': |
2423 |
// To prevent checkbox from being checked.pass in a FALSE,
|
2424 |
// otherwise the checkbox will be set to its value regardless
|
2425 |
// of $edit.
|
2426 |
if ($edit[$name] === FALSE) { |
2427 |
unset($edit[$name]); |
2428 |
continue 2; |
2429 |
} |
2430 |
else {
|
2431 |
unset($edit[$name]); |
2432 |
$post[$name] = $value; |
2433 |
} |
2434 |
break;
|
2435 |
case 'select': |
2436 |
$new_value = $edit[$name]; |
2437 |
$options = $this->getAllOptions($element); |
2438 |
if (is_array($new_value)) { |
2439 |
// Multiple select box.
|
2440 |
if (!empty($new_value)) { |
2441 |
$index = 0; |
2442 |
$key = preg_replace('/\[\]$/', '', $name); |
2443 |
foreach ($options as $option) { |
2444 |
$option_value = (string) $option['value']; |
2445 |
if (in_array($option_value, $new_value)) { |
2446 |
$post[$key . '[' . $index++ . ']'] = $option_value; |
2447 |
$done = TRUE; |
2448 |
unset($edit[$name]); |
2449 |
} |
2450 |
} |
2451 |
} |
2452 |
else {
|
2453 |
// No options selected: do not include any POST data for the
|
2454 |
// element.
|
2455 |
$done = TRUE; |
2456 |
unset($edit[$name]); |
2457 |
} |
2458 |
} |
2459 |
else {
|
2460 |
// Single select box.
|
2461 |
foreach ($options as $option) { |
2462 |
if ($new_value == $option['value']) { |
2463 |
$post[$name] = $new_value; |
2464 |
unset($edit[$name]); |
2465 |
$done = TRUE; |
2466 |
break;
|
2467 |
} |
2468 |
} |
2469 |
} |
2470 |
break;
|
2471 |
case 'file': |
2472 |
$upload[$name] = $edit[$name]; |
2473 |
unset($edit[$name]); |
2474 |
break;
|
2475 |
} |
2476 |
} |
2477 |
if (!isset($post[$name]) && !$done) { |
2478 |
switch ($type) { |
2479 |
case 'textarea': |
2480 |
$post[$name] = (string) $element; |
2481 |
break;
|
2482 |
case 'select': |
2483 |
$single = empty($element['multiple']); |
2484 |
$first = TRUE; |
2485 |
$index = 0; |
2486 |
$key = preg_replace('/\[\]$/', '', $name); |
2487 |
$options = $this->getAllOptions($element); |
2488 |
foreach ($options as $option) { |
2489 |
// For single select, we load the first option, if there is a
|
2490 |
// selected option that will overwrite it later.
|
2491 |
if ($option['selected'] || ($first && $single)) { |
2492 |
$first = FALSE; |
2493 |
if ($single) { |
2494 |
$post[$name] = (string) $option['value']; |
2495 |
} |
2496 |
else {
|
2497 |
$post[$key . '[' . $index++ . ']'] = (string) $option['value']; |
2498 |
} |
2499 |
} |
2500 |
} |
2501 |
break;
|
2502 |
case 'file': |
2503 |
break;
|
2504 |
case 'submit': |
2505 |
case 'image': |
2506 |
if (isset($submit) && $submit == $value) { |
2507 |
$post[$name] = $value; |
2508 |
$submit_matches = TRUE; |
2509 |
} |
2510 |
break;
|
2511 |
case 'radio': |
2512 |
case 'checkbox': |
2513 |
if (!isset($element['checked'])) { |
2514 |
break;
|
2515 |
} |
2516 |
// Deliberate no break.
|
2517 |
default:
|
2518 |
$post[$name] = $value; |
2519 |
} |
2520 |
} |
2521 |
} |
2522 |
return $submit_matches; |
2523 |
} |
2524 |
|
2525 |
/**
|
2526 |
* Builds an XPath query.
|
2527 |
*
|
2528 |
* Builds an XPath query by replacing placeholders in the query by the value
|
2529 |
* of the arguments.
|
2530 |
*
|
2531 |
* XPath 1.0 (the version supported by libxml2, the underlying XML library
|
2532 |
* used by PHP) doesn't support any form of quotation. This function
|
2533 |
* simplifies the building of XPath expression.
|
2534 |
*
|
2535 |
* @param $xpath
|
2536 |
* An XPath query, possibly with placeholders in the form ':name'.
|
2537 |
* @param $args
|
2538 |
* An array of arguments with keys in the form ':name' matching the
|
2539 |
* placeholders in the query. The values may be either strings or numeric
|
2540 |
* values.
|
2541 |
* @return
|
2542 |
* An XPath query with arguments replaced.
|
2543 |
*/
|
2544 |
protected function buildXPathQuery($xpath, array $args = array()) { |
2545 |
// Replace placeholders.
|
2546 |
foreach ($args as $placeholder => $value) { |
2547 |
// XPath 1.0 doesn't support a way to escape single or double quotes in a
|
2548 |
// string literal. We split double quotes out of the string, and encode
|
2549 |
// them separately.
|
2550 |
if (is_string($value)) { |
2551 |
// Explode the text at the quote characters.
|
2552 |
$parts = explode('"', $value); |
2553 |
|
2554 |
// Quote the parts.
|
2555 |
foreach ($parts as &$part) { |
2556 |
$part = '"' . $part . '"'; |
2557 |
} |
2558 |
|
2559 |
// Return the string.
|
2560 |
$value = count($parts) > 1 ? 'concat(' . implode(', \'"\', ', $parts) . ')' : $parts[0]; |
2561 |
} |
2562 |
$xpath = preg_replace('/' . preg_quote($placeholder) . '\b/', $value, $xpath); |
2563 |
} |
2564 |
return $xpath; |
2565 |
} |
2566 |
|
2567 |
/**
|
2568 |
* Perform an xpath search on the contents of the internal browser. The search
|
2569 |
* is relative to the root element (HTML tag normally) of the page.
|
2570 |
*
|
2571 |
* @param $xpath
|
2572 |
* The xpath string to use in the search.
|
2573 |
* @return
|
2574 |
* The return value of the xpath search. For details on the xpath string
|
2575 |
* format and return values see the SimpleXML documentation,
|
2576 |
* http://us.php.net/manual/function.simplexml-element-xpath.php.
|
2577 |
*/
|
2578 |
protected function xpath($xpath, array $arguments = array()) { |
2579 |
if ($this->parse()) { |
2580 |
$xpath = $this->buildXPathQuery($xpath, $arguments); |
2581 |
$result = $this->elements->xpath($xpath); |
2582 |
// Some combinations of PHP / libxml versions return an empty array
|
2583 |
// instead of the documented FALSE. Forcefully convert any falsish values
|
2584 |
// to an empty array to allow foreach(...) constructions.
|
2585 |
return $result ? $result : array(); |
2586 |
} |
2587 |
else {
|
2588 |
return FALSE; |
2589 |
} |
2590 |
} |
2591 |
|
2592 |
/**
|
2593 |
* Get all option elements, including nested options, in a select.
|
2594 |
*
|
2595 |
* @param $element
|
2596 |
* The element for which to get the options.
|
2597 |
* @return
|
2598 |
* Option elements in select.
|
2599 |
*/
|
2600 |
protected function getAllOptions(SimpleXMLElement $element) { |
2601 |
$options = array(); |
2602 |
// Add all options items.
|
2603 |
foreach ($element->option as $option) { |
2604 |
$options[] = $option; |
2605 |
} |
2606 |
|
2607 |
// Search option group children.
|
2608 |
if (isset($element->optgroup)) { |
2609 |
foreach ($element->optgroup as $group) { |
2610 |
$options = array_merge($options, $this->getAllOptions($group)); |
2611 |
} |
2612 |
} |
2613 |
return $options; |
2614 |
} |
2615 |
|
2616 |
/**
|
2617 |
* Pass if a link with the specified label is found, and optional with the
|
2618 |
* specified index.
|
2619 |
*
|
2620 |
* @param $label
|
2621 |
* Text between the anchor tags.
|
2622 |
* @param $index
|
2623 |
* Link position counting from zero.
|
2624 |
* @param $message
|
2625 |
* Message to display.
|
2626 |
* @param $group
|
2627 |
* The group this message belongs to, defaults to 'Other'.
|
2628 |
* @return
|
2629 |
* TRUE if the assertion succeeded, FALSE otherwise.
|
2630 |
*/
|
2631 |
protected function assertLink($label, $index = 0, $message = '', $group = 'Other') { |
2632 |
$links = $this->xpath('//a[normalize-space(text())=:label]', array(':label' => $label)); |
2633 |
$message = ($message ? $message : t('Link with label %label found.', array('%label' => $label))); |
2634 |
return $this->assert(isset($links[$index]), $message, $group); |
2635 |
} |
2636 |
|
2637 |
/**
|
2638 |
* Pass if a link with the specified label is not found.
|
2639 |
*
|
2640 |
* @param $label
|
2641 |
* Text between the anchor tags.
|
2642 |
* @param $message
|
2643 |
* Message to display.
|
2644 |
* @param $group
|
2645 |
* The group this message belongs to, defaults to 'Other'.
|
2646 |
* @return
|
2647 |
* TRUE if the assertion succeeded, FALSE otherwise.
|
2648 |
*/
|
2649 |
protected function assertNoLink($label, $message = '', $group = 'Other') { |
2650 |
$links = $this->xpath('//a[normalize-space(text())=:label]', array(':label' => $label)); |
2651 |
$message = ($message ? $message : t('Link with label %label not found.', array('%label' => $label))); |
2652 |
return $this->assert(empty($links), $message, $group); |
2653 |
} |
2654 |
|
2655 |
/**
|
2656 |
* Pass if a link containing a given href (part) is found.
|
2657 |
*
|
2658 |
* @param $href
|
2659 |
* The full or partial value of the 'href' attribute of the anchor tag.
|
2660 |
* @param $index
|
2661 |
* Link position counting from zero.
|
2662 |
* @param $message
|
2663 |
* Message to display.
|
2664 |
* @param $group
|
2665 |
* The group this message belongs to, defaults to 'Other'.
|
2666 |
*
|
2667 |
* @return
|
2668 |
* TRUE if the assertion succeeded, FALSE otherwise.
|
2669 |
*/
|
2670 |
protected function assertLinkByHref($href, $index = 0, $message = '', $group = 'Other') { |
2671 |
$links = $this->xpath('//a[contains(@href, :href)]', array(':href' => $href)); |
2672 |
$message = ($message ? $message : t('Link containing href %href found.', array('%href' => $href))); |
2673 |
return $this->assert(isset($links[$index]), $message, $group); |
2674 |
} |
2675 |
|
2676 |
/**
|
2677 |
* Pass if a link containing a given href (part) is not found.
|
2678 |
*
|
2679 |
* @param $href
|
2680 |
* The full or partial value of the 'href' attribute of the anchor tag.
|
2681 |
* @param $message
|
2682 |
* Message to display.
|
2683 |
* @param $group
|
2684 |
* The group this message belongs to, defaults to 'Other'.
|
2685 |
*
|
2686 |
* @return
|
2687 |
* TRUE if the assertion succeeded, FALSE otherwise.
|
2688 |
*/
|
2689 |
protected function assertNoLinkByHref($href, $message = '', $group = 'Other') { |
2690 |
$links = $this->xpath('//a[contains(@href, :href)]', array(':href' => $href)); |
2691 |
$message = ($message ? $message : t('No link containing href %href found.', array('%href' => $href))); |
2692 |
return $this->assert(empty($links), $message, $group); |
2693 |
} |
2694 |
|
2695 |
/**
|
2696 |
* Follows a link by name.
|
2697 |
*
|
2698 |
* Will click the first link found with this link text by default, or a later
|
2699 |
* one if an index is given. Match is case sensitive with normalized space.
|
2700 |
* The label is translated label.
|
2701 |
*
|
2702 |
* If the link is discovered and clicked, the test passes. Fail otherwise.
|
2703 |
*
|
2704 |
* @param $label
|
2705 |
* Text between the anchor tags.
|
2706 |
* @param $index
|
2707 |
* Link position counting from zero.
|
2708 |
* @return
|
2709 |
* Page contents on success, or FALSE on failure.
|
2710 |
*/
|
2711 |
protected function clickLink($label, $index = 0) { |
2712 |
$url_before = $this->getUrl(); |
2713 |
$urls = $this->xpath('//a[normalize-space(text())=:label]', array(':label' => $label)); |
2714 |
if (isset($urls[$index])) { |
2715 |
$url_target = $this->getAbsoluteUrl($urls[$index]['href']); |
2716 |
$this->pass(t('Clicked link %label (@url_target) from @url_before', array('%label' => $label, '@url_target' => $url_target, '@url_before' => $url_before)), 'Browser'); |
2717 |
return $this->drupalGet($url_target); |
2718 |
} |
2719 |
$this->fail(t('Link %label does not exist on @url_before', array('%label' => $label, '@url_before' => $url_before)), 'Browser'); |
2720 |
return FALSE; |
2721 |
} |
2722 |
|
2723 |
/**
|
2724 |
* Takes a path and returns an absolute path.
|
2725 |
*
|
2726 |
* @param $path
|
2727 |
* A path from the internal browser content.
|
2728 |
* @return
|
2729 |
* The $path with $base_url prepended, if necessary.
|
2730 |
*/
|
2731 |
protected function getAbsoluteUrl($path) { |
2732 |
global $base_url, $base_path; |
2733 |
|
2734 |
$parts = parse_url($path); |
2735 |
if (empty($parts['host'])) { |
2736 |
// Ensure that we have a string (and no xpath object).
|
2737 |
$path = (string) $path; |
2738 |
// Strip $base_path, if existent.
|
2739 |
$length = strlen($base_path); |
2740 |
if (substr($path, 0, $length) === $base_path) { |
2741 |
$path = substr($path, $length); |
2742 |
} |
2743 |
// Ensure that we have an absolute path.
|
2744 |
if ($path[0] !== '/') { |
2745 |
$path = '/' . $path; |
2746 |
} |
2747 |
// Finally, prepend the $base_url.
|
2748 |
$path = $base_url . $path; |
2749 |
} |
2750 |
return $path; |
2751 |
} |
2752 |
|
2753 |
/**
|
2754 |
* Get the current URL from the cURL handler.
|
2755 |
*
|
2756 |
* @return
|
2757 |
* The current URL.
|
2758 |
*/
|
2759 |
protected function getUrl() { |
2760 |
return $this->url; |
2761 |
} |
2762 |
|
2763 |
/**
|
2764 |
* Gets the HTTP response headers of the requested page. Normally we are only
|
2765 |
* interested in the headers returned by the last request. However, if a page
|
2766 |
* is redirected or HTTP authentication is in use, multiple requests will be
|
2767 |
* required to retrieve the page. Headers from all requests may be requested
|
2768 |
* by passing TRUE to this function.
|
2769 |
*
|
2770 |
* @param $all_requests
|
2771 |
* Boolean value specifying whether to return headers from all requests
|
2772 |
* instead of just the last request. Defaults to FALSE.
|
2773 |
* @return
|
2774 |
* A name/value array if headers from only the last request are requested.
|
2775 |
* If headers from all requests are requested, an array of name/value
|
2776 |
* arrays, one for each request.
|
2777 |
*
|
2778 |
* The pseudonym ":status" is used for the HTTP status line.
|
2779 |
*
|
2780 |
* Values for duplicate headers are stored as a single comma-separated list.
|
2781 |
*/
|
2782 |
protected function drupalGetHeaders($all_requests = FALSE) { |
2783 |
$request = 0; |
2784 |
$headers = array($request => array()); |
2785 |
foreach ($this->headers as $header) { |
2786 |
$header = trim($header); |
2787 |
if ($header === '') { |
2788 |
$request++;
|
2789 |
} |
2790 |
else {
|
2791 |
if (strpos($header, 'HTTP/') === 0) { |
2792 |
$name = ':status'; |
2793 |
$value = $header; |
2794 |
} |
2795 |
else {
|
2796 |
list($name, $value) = explode(':', $header, 2); |
2797 |
$name = strtolower($name); |
2798 |
} |
2799 |
if (isset($headers[$request][$name])) { |
2800 |
$headers[$request][$name] .= ',' . trim($value); |
2801 |
} |
2802 |
else {
|
2803 |
$headers[$request][$name] = trim($value); |
2804 |
} |
2805 |
} |
2806 |
} |
2807 |
if (!$all_requests) { |
2808 |
$headers = array_pop($headers); |
2809 |
} |
2810 |
return $headers; |
2811 |
} |
2812 |
|
2813 |
/**
|
2814 |
* Gets the value of an HTTP response header. If multiple requests were
|
2815 |
* required to retrieve the page, only the headers from the last request will
|
2816 |
* be checked by default. However, if TRUE is passed as the second argument,
|
2817 |
* all requests will be processed from last to first until the header is
|
2818 |
* found.
|
2819 |
*
|
2820 |
* @param $name
|
2821 |
* The name of the header to retrieve. Names are case-insensitive (see RFC
|
2822 |
* 2616 section 4.2).
|
2823 |
* @param $all_requests
|
2824 |
* Boolean value specifying whether to check all requests if the header is
|
2825 |
* not found in the last request. Defaults to FALSE.
|
2826 |
* @return
|
2827 |
* The HTTP header value or FALSE if not found.
|
2828 |
*/
|
2829 |
protected function drupalGetHeader($name, $all_requests = FALSE) { |
2830 |
$name = strtolower($name); |
2831 |
$header = FALSE; |
2832 |
if ($all_requests) { |
2833 |
foreach (array_reverse($this->drupalGetHeaders(TRUE)) as $headers) { |
2834 |
if (isset($headers[$name])) { |
2835 |
$header = $headers[$name]; |
2836 |
break;
|
2837 |
} |
2838 |
} |
2839 |
} |
2840 |
else {
|
2841 |
$headers = $this->drupalGetHeaders(); |
2842 |
if (isset($headers[$name])) { |
2843 |
$header = $headers[$name]; |
2844 |
} |
2845 |
} |
2846 |
return $header; |
2847 |
} |
2848 |
|
2849 |
/**
|
2850 |
* Gets the current raw HTML of requested page.
|
2851 |
*/
|
2852 |
protected function drupalGetContent() { |
2853 |
return $this->content; |
2854 |
} |
2855 |
|
2856 |
/**
|
2857 |
* Gets the value of the Drupal.settings JavaScript variable for the currently loaded page.
|
2858 |
*/
|
2859 |
protected function drupalGetSettings() { |
2860 |
return $this->drupalSettings; |
2861 |
} |
2862 |
|
2863 |
/**
|
2864 |
* Gets an array containing all e-mails sent during this test case.
|
2865 |
*
|
2866 |
* @param $filter
|
2867 |
* An array containing key/value pairs used to filter the e-mails that are returned.
|
2868 |
* @return
|
2869 |
* An array containing e-mail messages captured during the current test.
|
2870 |
*/
|
2871 |
protected function drupalGetMails($filter = array()) { |
2872 |
$captured_emails = variable_get('drupal_test_email_collector', array()); |
2873 |
$filtered_emails = array(); |
2874 |
|
2875 |
foreach ($captured_emails as $message) { |
2876 |
foreach ($filter as $key => $value) { |
2877 |
if (!isset($message[$key]) || $message[$key] != $value) { |
2878 |
continue 2; |
2879 |
} |
2880 |
} |
2881 |
$filtered_emails[] = $message; |
2882 |
} |
2883 |
|
2884 |
return $filtered_emails; |
2885 |
} |
2886 |
|
2887 |
/**
|
2888 |
* Sets the raw HTML content. This can be useful when a page has been fetched
|
2889 |
* outside of the internal browser and assertions need to be made on the
|
2890 |
* returned page.
|
2891 |
*
|
2892 |
* A good example would be when testing drupal_http_request(). After fetching
|
2893 |
* the page the content can be set and page elements can be checked to ensure
|
2894 |
* that the function worked properly.
|
2895 |
*/
|
2896 |
protected function drupalSetContent($content, $url = 'internal:') { |
2897 |
$this->content = $content; |
2898 |
$this->url = $url; |
2899 |
$this->plainTextContent = FALSE; |
2900 |
$this->elements = FALSE; |
2901 |
$this->drupalSettings = array(); |
2902 |
if (preg_match('/jQuery\.extend\(Drupal\.settings, (.*?)\);/', $content, $matches)) { |
2903 |
$this->drupalSettings = drupal_json_decode($matches[1]); |
2904 |
} |
2905 |
} |
2906 |
|
2907 |
/**
|
2908 |
* Sets the value of the Drupal.settings JavaScript variable for the currently loaded page.
|
2909 |
*/
|
2910 |
protected function drupalSetSettings($settings) { |
2911 |
$this->drupalSettings = $settings; |
2912 |
} |
2913 |
|
2914 |
/**
|
2915 |
* Pass if the internal browser's URL matches the given path.
|
2916 |
*
|
2917 |
* @param $path
|
2918 |
* The expected system path.
|
2919 |
* @param $options
|
2920 |
* (optional) Any additional options to pass for $path to url().
|
2921 |
* @param $message
|
2922 |
* Message to display.
|
2923 |
* @param $group
|
2924 |
* The group this message belongs to, defaults to 'Other'.
|
2925 |
*
|
2926 |
* @return
|
2927 |
* TRUE on pass, FALSE on fail.
|
2928 |
*/
|
2929 |
protected function assertUrl($path, array $options = array(), $message = '', $group = 'Other') { |
2930 |
if (!$message) { |
2931 |
$message = t('Current URL is @url.', array( |
2932 |
'@url' => var_export(url($path, $options), TRUE), |
2933 |
)); |
2934 |
} |
2935 |
$options['absolute'] = TRUE; |
2936 |
return $this->assertEqual($this->getUrl(), url($path, $options), $message, $group); |
2937 |
} |
2938 |
|
2939 |
/**
|
2940 |
* Pass if the raw text IS found on the loaded page, fail otherwise. Raw text
|
2941 |
* refers to the raw HTML that the page generated.
|
2942 |
*
|
2943 |
* @param $raw
|
2944 |
* Raw (HTML) string to look for.
|
2945 |
* @param $message
|
2946 |
* Message to display.
|
2947 |
* @param $group
|
2948 |
* The group this message belongs to, defaults to 'Other'.
|
2949 |
* @return
|
2950 |
* TRUE on pass, FALSE on fail.
|
2951 |
*/
|
2952 |
protected function assertRaw($raw, $message = '', $group = 'Other') { |
2953 |
if (!$message) { |
2954 |
$message = t('Raw "@raw" found', array('@raw' => $raw)); |
2955 |
} |
2956 |
return $this->assert(strpos($this->drupalGetContent(), $raw) !== FALSE, $message, $group); |
2957 |
} |
2958 |
|
2959 |
/**
|
2960 |
* Pass if the raw text is NOT found on the loaded page, fail otherwise. Raw text
|
2961 |
* refers to the raw HTML that the page generated.
|
2962 |
*
|
2963 |
* @param $raw
|
2964 |
* Raw (HTML) string to look for.
|
2965 |
* @param $message
|
2966 |
* Message to display.
|
2967 |
* @param $group
|
2968 |
* The group this message belongs to, defaults to 'Other'.
|
2969 |
* @return
|
2970 |
* TRUE on pass, FALSE on fail.
|
2971 |
*/
|
2972 |
protected function assertNoRaw($raw, $message = '', $group = 'Other') { |
2973 |
if (!$message) { |
2974 |
$message = t('Raw "@raw" not found', array('@raw' => $raw)); |
2975 |
} |
2976 |
return $this->assert(strpos($this->drupalGetContent(), $raw) === FALSE, $message, $group); |
2977 |
} |
2978 |
|
2979 |
/**
|
2980 |
* Pass if the text IS found on the text version of the page. The text version
|
2981 |
* is the equivalent of what a user would see when viewing through a web browser.
|
2982 |
* In other words the HTML has been filtered out of the contents.
|
2983 |
*
|
2984 |
* @param $text
|
2985 |
* Plain text to look for.
|
2986 |
* @param $message
|
2987 |
* Message to display.
|
2988 |
* @param $group
|
2989 |
* The group this message belongs to, defaults to 'Other'.
|
2990 |
* @return
|
2991 |
* TRUE on pass, FALSE on fail.
|
2992 |
*/
|
2993 |
protected function assertText($text, $message = '', $group = 'Other') { |
2994 |
return $this->assertTextHelper($text, $message, $group, FALSE); |
2995 |
} |
2996 |
|
2997 |
/**
|
2998 |
* Pass if the text is NOT found on the text version of the page. The text version
|
2999 |
* is the equivalent of what a user would see when viewing through a web browser.
|
3000 |
* In other words the HTML has been filtered out of the contents.
|
3001 |
*
|
3002 |
* @param $text
|
3003 |
* Plain text to look for.
|
3004 |
* @param $message
|
3005 |
* Message to display.
|
3006 |
* @param $group
|
3007 |
* The group this message belongs to, defaults to 'Other'.
|
3008 |
* @return
|
3009 |
* TRUE on pass, FALSE on fail.
|
3010 |
*/
|
3011 |
protected function assertNoText($text, $message = '', $group = 'Other') { |
3012 |
return $this->assertTextHelper($text, $message, $group, TRUE); |
3013 |
} |
3014 |
|
3015 |
/**
|
3016 |
* Helper for assertText and assertNoText.
|
3017 |
*
|
3018 |
* It is not recommended to call this function directly.
|
3019 |
*
|
3020 |
* @param $text
|
3021 |
* Plain text to look for.
|
3022 |
* @param $message
|
3023 |
* Message to display.
|
3024 |
* @param $group
|
3025 |
* The group this message belongs to.
|
3026 |
* @param $not_exists
|
3027 |
* TRUE if this text should not exist, FALSE if it should.
|
3028 |
* @return
|
3029 |
* TRUE on pass, FALSE on fail.
|
3030 |
*/
|
3031 |
protected function assertTextHelper($text, $message = '', $group, $not_exists) { |
3032 |
if ($this->plainTextContent === FALSE) { |
3033 |
$this->plainTextContent = filter_xss($this->drupalGetContent(), array()); |
3034 |
} |
3035 |
if (!$message) { |
3036 |
$message = !$not_exists ? t('"@text" found', array('@text' => $text)) : t('"@text" not found', array('@text' => $text)); |
3037 |
} |
3038 |
return $this->assert($not_exists == (strpos($this->plainTextContent, $text) === FALSE), $message, $group); |
3039 |
} |
3040 |
|
3041 |
/**
|
3042 |
* Pass if the text is found ONLY ONCE on the text version of the page.
|
3043 |
*
|
3044 |
* The text version is the equivalent of what a user would see when viewing
|
3045 |
* through a web browser. In other words the HTML has been filtered out of
|
3046 |
* the contents.
|
3047 |
*
|
3048 |
* @param $text
|
3049 |
* Plain text to look for.
|
3050 |
* @param $message
|
3051 |
* Message to display.
|
3052 |
* @param $group
|
3053 |
* The group this message belongs to, defaults to 'Other'.
|
3054 |
* @return
|
3055 |
* TRUE on pass, FALSE on fail.
|
3056 |
*/
|
3057 |
protected function assertUniqueText($text, $message = '', $group = 'Other') { |
3058 |
return $this->assertUniqueTextHelper($text, $message, $group, TRUE); |
3059 |
} |
3060 |
|
3061 |
/**
|
3062 |
* Pass if the text is found MORE THAN ONCE on the text version of the page.
|
3063 |
*
|
3064 |
* The text version is the equivalent of what a user would see when viewing
|
3065 |
* through a web browser. In other words the HTML has been filtered out of
|
3066 |
* the contents.
|
3067 |
*
|
3068 |
* @param $text
|
3069 |
* Plain text to look for.
|
3070 |
* @param $message
|
3071 |
* Message to display.
|
3072 |
* @param $group
|
3073 |
* The group this message belongs to, defaults to 'Other'.
|
3074 |
* @return
|
3075 |
* TRUE on pass, FALSE on fail.
|
3076 |
*/
|
3077 |
protected function assertNoUniqueText($text, $message = '', $group = 'Other') { |
3078 |
return $this->assertUniqueTextHelper($text, $message, $group, FALSE); |
3079 |
} |
3080 |
|
3081 |
/**
|
3082 |
* Helper for assertUniqueText and assertNoUniqueText.
|
3083 |
*
|
3084 |
* It is not recommended to call this function directly.
|
3085 |
*
|
3086 |
* @param $text
|
3087 |
* Plain text to look for.
|
3088 |
* @param $message
|
3089 |
* Message to display.
|
3090 |
* @param $group
|
3091 |
* The group this message belongs to.
|
3092 |
* @param $be_unique
|
3093 |
* TRUE if this text should be found only once, FALSE if it should be found more than once.
|
3094 |
* @return
|
3095 |
* TRUE on pass, FALSE on fail.
|
3096 |
*/
|
3097 |
protected function assertUniqueTextHelper($text, $message = '', $group, $be_unique) { |
3098 |
if ($this->plainTextContent === FALSE) { |
3099 |
$this->plainTextContent = filter_xss($this->drupalGetContent(), array()); |
3100 |
} |
3101 |
if (!$message) { |
3102 |
$message = '"' . $text . '"' . ($be_unique ? ' found only once' : ' found more than once'); |
3103 |
} |
3104 |
$first_occurance = strpos($this->plainTextContent, $text); |
3105 |
if ($first_occurance === FALSE) { |
3106 |
return $this->assert(FALSE, $message, $group); |
3107 |
} |
3108 |
$offset = $first_occurance + strlen($text); |
3109 |
$second_occurance = strpos($this->plainTextContent, $text, $offset); |
3110 |
return $this->assert($be_unique == ($second_occurance === FALSE), $message, $group); |
3111 |
} |
3112 |
|
3113 |
/**
|
3114 |
* Will trigger a pass if the Perl regex pattern is found in the raw content.
|
3115 |
*
|
3116 |
* @param $pattern
|
3117 |
* Perl regex to look for including the regex delimiters.
|
3118 |
* @param $message
|
3119 |
* Message to display.
|
3120 |
* @param $group
|
3121 |
* The group this message belongs to.
|
3122 |
* @return
|
3123 |
* TRUE on pass, FALSE on fail.
|
3124 |
*/
|
3125 |
protected function assertPattern($pattern, $message = '', $group = 'Other') { |
3126 |
if (!$message) { |
3127 |
$message = t('Pattern "@pattern" found', array('@pattern' => $pattern)); |
3128 |
} |
3129 |
return $this->assert((bool) preg_match($pattern, $this->drupalGetContent()), $message, $group); |
3130 |
} |
3131 |
|
3132 |
/**
|
3133 |
* Will trigger a pass if the perl regex pattern is not present in raw content.
|
3134 |
*
|
3135 |
* @param $pattern
|
3136 |
* Perl regex to look for including the regex delimiters.
|
3137 |
* @param $message
|
3138 |
* Message to display.
|
3139 |
* @param $group
|
3140 |
* The group this message belongs to.
|
3141 |
* @return
|
3142 |
* TRUE on pass, FALSE on fail.
|
3143 |
*/
|
3144 |
protected function assertNoPattern($pattern, $message = '', $group = 'Other') { |
3145 |
if (!$message) { |
3146 |
$message = t('Pattern "@pattern" not found', array('@pattern' => $pattern)); |
3147 |
} |
3148 |
return $this->assert(!preg_match($pattern, $this->drupalGetContent()), $message, $group); |
3149 |
} |
3150 |
|
3151 |
/**
|
3152 |
* Pass if the page title is the given string.
|
3153 |
*
|
3154 |
* @param $title
|
3155 |
* The string the title should be.
|
3156 |
* @param $message
|
3157 |
* Message to display.
|
3158 |
* @param $group
|
3159 |
* The group this message belongs to.
|
3160 |
* @return
|
3161 |
* TRUE on pass, FALSE on fail.
|
3162 |
*/
|
3163 |
protected function assertTitle($title, $message = '', $group = 'Other') { |
3164 |
$actual = (string) current($this->xpath('//title')); |
3165 |
if (!$message) { |
3166 |
$message = t('Page title @actual is equal to @expected.', array( |
3167 |
'@actual' => var_export($actual, TRUE), |
3168 |
'@expected' => var_export($title, TRUE), |
3169 |
)); |
3170 |
} |
3171 |
return $this->assertEqual($actual, $title, $message, $group); |
3172 |
} |
3173 |
|
3174 |
/**
|
3175 |
* Pass if the page title is not the given string.
|
3176 |
*
|
3177 |
* @param $title
|
3178 |
* The string the title should not be.
|
3179 |
* @param $message
|
3180 |
* Message to display.
|
3181 |
* @param $group
|
3182 |
* The group this message belongs to.
|
3183 |
* @return
|
3184 |
* TRUE on pass, FALSE on fail.
|
3185 |
*/
|
3186 |
protected function assertNoTitle($title, $message = '', $group = 'Other') { |
3187 |
$actual = (string) current($this->xpath('//title')); |
3188 |
if (!$message) { |
3189 |
$message = t('Page title @actual is not equal to @unexpected.', array( |
3190 |
'@actual' => var_export($actual, TRUE), |
3191 |
'@unexpected' => var_export($title, TRUE), |
3192 |
)); |
3193 |
} |
3194 |
return $this->assertNotEqual($actual, $title, $message, $group); |
3195 |
} |
3196 |
|
3197 |
/**
|
3198 |
* Asserts themed output.
|
3199 |
*
|
3200 |
* @param $callback
|
3201 |
* The name of the theme function to invoke; e.g. 'links' for theme_links().
|
3202 |
* @param $variables
|
3203 |
* (optional) An array of variables to pass to the theme function.
|
3204 |
* @param $expected
|
3205 |
* The expected themed output string.
|
3206 |
* @param $message
|
3207 |
* (optional) A message to display with the assertion. Do not translate
|
3208 |
* messages: use format_string() to embed variables in the message text, not
|
3209 |
* t(). If left blank, a default message will be displayed.
|
3210 |
* @param $group
|
3211 |
* (optional) The group this message is in, which is displayed in a column
|
3212 |
* in test output. Use 'Debug' to indicate this is debugging output. Do not
|
3213 |
* translate this string. Defaults to 'Other'; most tests do not override
|
3214 |
* this default.
|
3215 |
*
|
3216 |
* @return
|
3217 |
* TRUE on pass, FALSE on fail.
|
3218 |
*/
|
3219 |
protected function assertThemeOutput($callback, array $variables = array(), $expected, $message = '', $group = 'Other') { |
3220 |
$output = theme($callback, $variables); |
3221 |
$this->verbose('Variables:' . '<pre>' . check_plain(var_export($variables, TRUE)) . '</pre>' |
3222 |
. '<hr />' . 'Result:' . '<pre>' . check_plain(var_export($output, TRUE)) . '</pre>' |
3223 |
. '<hr />' . 'Expected:' . '<pre>' . check_plain(var_export($expected, TRUE)) . '</pre>' |
3224 |
. '<hr />' . $output |
3225 |
); |
3226 |
if (!$message) { |
3227 |
$message = '%callback rendered correctly.'; |
3228 |
} |
3229 |
$message = format_string($message, array('%callback' => 'theme_' . $callback . '()')); |
3230 |
return $this->assertIdentical($output, $expected, $message, $group); |
3231 |
} |
3232 |
|
3233 |
/**
|
3234 |
* Asserts that a field exists in the current page by the given XPath.
|
3235 |
*
|
3236 |
* @param $xpath
|
3237 |
* XPath used to find the field.
|
3238 |
* @param $value
|
3239 |
* (optional) Value of the field to assert. You may pass in NULL (default)
|
3240 |
* to skip checking the actual value, while still checking that the field
|
3241 |
* exists.
|
3242 |
* @param $message
|
3243 |
* (optional) Message to display.
|
3244 |
* @param $group
|
3245 |
* (optional) The group this message belongs to.
|
3246 |
*
|
3247 |
* @return
|
3248 |
* TRUE on pass, FALSE on fail.
|
3249 |
*/
|
3250 |
protected function assertFieldByXPath($xpath, $value = NULL, $message = '', $group = 'Other') { |
3251 |
$fields = $this->xpath($xpath); |
3252 |
|
3253 |
// If value specified then check array for match.
|
3254 |
$found = TRUE; |
3255 |
if (isset($value)) { |
3256 |
$found = FALSE; |
3257 |
if ($fields) { |
3258 |
foreach ($fields as $field) { |
3259 |
if (isset($field['value']) && $field['value'] == $value) { |
3260 |
// Input element with correct value.
|
3261 |
$found = TRUE; |
3262 |
} |
3263 |
elseif (isset($field->option)) { |
3264 |
// Select element found.
|
3265 |
if ($this->getSelectedItem($field) == $value) { |
3266 |
$found = TRUE; |
3267 |
} |
3268 |
else {
|
3269 |
// No item selected so use first item.
|
3270 |
$items = $this->getAllOptions($field); |
3271 |
if (!empty($items) && $items[0]['value'] == $value) { |
3272 |
$found = TRUE; |
3273 |
} |
3274 |
} |
3275 |
} |
3276 |
elseif ((string) $field == $value) { |
3277 |
// Text area with correct text.
|
3278 |
$found = TRUE; |
3279 |
} |
3280 |
} |
3281 |
} |
3282 |
} |
3283 |
return $this->assertTrue($fields && $found, $message, $group); |
3284 |
} |
3285 |
|
3286 |
/**
|
3287 |
* Get the selected value from a select field.
|
3288 |
*
|
3289 |
* @param $element
|
3290 |
* SimpleXMLElement select element.
|
3291 |
* @return
|
3292 |
* The selected value or FALSE.
|
3293 |
*/
|
3294 |
protected function getSelectedItem(SimpleXMLElement $element) { |
3295 |
foreach ($element->children() as $item) { |
3296 |
if (isset($item['selected'])) { |
3297 |
return $item['value']; |
3298 |
} |
3299 |
elseif ($item->getName() == 'optgroup') { |
3300 |
if ($value = $this->getSelectedItem($item)) { |
3301 |
return $value; |
3302 |
} |
3303 |
} |
3304 |
} |
3305 |
return FALSE; |
3306 |
} |
3307 |
|
3308 |
/**
|
3309 |
* Asserts that a field doesn't exist or its value doesn't match, by XPath.
|
3310 |
*
|
3311 |
* @param $xpath
|
3312 |
* XPath used to find the field.
|
3313 |
* @param $value
|
3314 |
* (optional) Value for the field, to assert that the field's value on the
|
3315 |
* page doesn't match it. You may pass in NULL to skip checking the
|
3316 |
* value, while still checking that the field doesn't exist.
|
3317 |
* @param $message
|
3318 |
* (optional) Message to display.
|
3319 |
* @param $group
|
3320 |
* (optional) The group this message belongs to.
|
3321 |
*
|
3322 |
* @return
|
3323 |
* TRUE on pass, FALSE on fail.
|
3324 |
*/
|
3325 |
protected function assertNoFieldByXPath($xpath, $value = NULL, $message = '', $group = 'Other') { |
3326 |
$fields = $this->xpath($xpath); |
3327 |
|
3328 |
// If value specified then check array for match.
|
3329 |
$found = TRUE; |
3330 |
if (isset($value)) { |
3331 |
$found = FALSE; |
3332 |
if ($fields) { |
3333 |
foreach ($fields as $field) { |
3334 |
if ($field['value'] == $value) { |
3335 |
$found = TRUE; |
3336 |
} |
3337 |
} |
3338 |
} |
3339 |
} |
3340 |
return $this->assertFalse($fields && $found, $message, $group); |
3341 |
} |
3342 |
|
3343 |
/**
|
3344 |
* Asserts that a field exists in the current page with the given name and value.
|
3345 |
*
|
3346 |
* @param $name
|
3347 |
* Name of field to assert.
|
3348 |
* @param $value
|
3349 |
* (optional) Value of the field to assert. You may pass in NULL (default)
|
3350 |
* to skip checking the actual value, while still checking that the field
|
3351 |
* exists.
|
3352 |
* @param $message
|
3353 |
* Message to display.
|
3354 |
* @param $group
|
3355 |
* The group this message belongs to.
|
3356 |
* @return
|
3357 |
* TRUE on pass, FALSE on fail.
|
3358 |
*/
|
3359 |
protected function assertFieldByName($name, $value = NULL, $message = NULL) { |
3360 |
if (!isset($message)) { |
3361 |
if (!isset($value)) { |
3362 |
$message = t('Found field with name @name', array( |
3363 |
'@name' => var_export($name, TRUE), |
3364 |
)); |
3365 |
} |
3366 |
else {
|
3367 |
$message = t('Found field with name @name and value @value', array( |
3368 |
'@name' => var_export($name, TRUE), |
3369 |
'@value' => var_export($value, TRUE), |
3370 |
)); |
3371 |
} |
3372 |
} |
3373 |
return $this->assertFieldByXPath($this->constructFieldXpath('name', $name), $value, $message, t('Browser')); |
3374 |
} |
3375 |
|
3376 |
/**
|
3377 |
* Asserts that a field does not exist with the given name and value.
|
3378 |
*
|
3379 |
* @param $name
|
3380 |
* Name of field to assert.
|
3381 |
* @param $value
|
3382 |
* (optional) Value for the field, to assert that the field's value on the
|
3383 |
* page doesn't match it. You may pass in NULL to skip checking the
|
3384 |
* value, while still checking that the field doesn't exist. However, the
|
3385 |
* default value ('') asserts that the field value is not an empty string.
|
3386 |
* @param $message
|
3387 |
* (optional) Message to display.
|
3388 |
* @param $group
|
3389 |
* The group this message belongs to.
|
3390 |
* @return
|
3391 |
* TRUE on pass, FALSE on fail.
|
3392 |
*/
|
3393 |
protected function assertNoFieldByName($name, $value = '', $message = '') { |
3394 |
return $this->assertNoFieldByXPath($this->constructFieldXpath('name', $name), $value, $message ? $message : t('Did not find field by name @name', array('@name' => $name)), t('Browser')); |
3395 |
} |
3396 |
|
3397 |
/**
|
3398 |
* Asserts that a field exists in the current page with the given ID and value.
|
3399 |
*
|
3400 |
* @param $id
|
3401 |
* ID of field to assert.
|
3402 |
* @param $value
|
3403 |
* (optional) Value for the field to assert. You may pass in NULL to skip
|
3404 |
* checking the value, while still checking that the field exists.
|
3405 |
* However, the default value ('') asserts that the field value is an empty
|
3406 |
* string.
|
3407 |
* @param $message
|
3408 |
* (optional) Message to display.
|
3409 |
* @param $group
|
3410 |
* The group this message belongs to.
|
3411 |
* @return
|
3412 |
* TRUE on pass, FALSE on fail.
|
3413 |
*/
|
3414 |
protected function assertFieldById($id, $value = '', $message = '') { |
3415 |
return $this->assertFieldByXPath($this->constructFieldXpath('id', $id), $value, $message ? $message : t('Found field by id @id', array('@id' => $id)), t('Browser')); |
3416 |
} |
3417 |
|
3418 |
/**
|
3419 |
* Asserts that a field does not exist with the given ID and value.
|
3420 |
*
|
3421 |
* @param $id
|
3422 |
* ID of field to assert.
|
3423 |
* @param $value
|
3424 |
* (optional) Value for the field, to assert that the field's value on the
|
3425 |
* page doesn't match it. You may pass in NULL to skip checking the value,
|
3426 |
* while still checking that the field doesn't exist. However, the default
|
3427 |
* value ('') asserts that the field value is not an empty string.
|
3428 |
* @param $message
|
3429 |
* (optional) Message to display.
|
3430 |
* @param $group
|
3431 |
* The group this message belongs to.
|
3432 |
* @return
|
3433 |
* TRUE on pass, FALSE on fail.
|
3434 |
*/
|
3435 |
protected function assertNoFieldById($id, $value = '', $message = '') { |
3436 |
return $this->assertNoFieldByXPath($this->constructFieldXpath('id', $id), $value, $message ? $message : t('Did not find field by id @id', array('@id' => $id)), t('Browser')); |
3437 |
} |
3438 |
|
3439 |
/**
|
3440 |
* Asserts that a checkbox field in the current page is checked.
|
3441 |
*
|
3442 |
* @param $id
|
3443 |
* ID of field to assert.
|
3444 |
* @param $message
|
3445 |
* (optional) Message to display.
|
3446 |
* @return
|
3447 |
* TRUE on pass, FALSE on fail.
|
3448 |
*/
|
3449 |
protected function assertFieldChecked($id, $message = '') { |
3450 |
$elements = $this->xpath('//input[@id=:id]', array(':id' => $id)); |
3451 |
return $this->assertTrue(isset($elements[0]) && !empty($elements[0]['checked']), $message ? $message : t('Checkbox field @id is checked.', array('@id' => $id)), t('Browser')); |
3452 |
} |
3453 |
|
3454 |
/**
|
3455 |
* Asserts that a checkbox field in the current page is not checked.
|
3456 |
*
|
3457 |
* @param $id
|
3458 |
* ID of field to assert.
|
3459 |
* @param $message
|
3460 |
* (optional) Message to display.
|
3461 |
* @return
|
3462 |
* TRUE on pass, FALSE on fail.
|
3463 |
*/
|
3464 |
protected function assertNoFieldChecked($id, $message = '') { |
3465 |
$elements = $this->xpath('//input[@id=:id]', array(':id' => $id)); |
3466 |
return $this->assertTrue(isset($elements[0]) && empty($elements[0]['checked']), $message ? $message : t('Checkbox field @id is not checked.', array('@id' => $id)), t('Browser')); |
3467 |
} |
3468 |
|
3469 |
/**
|
3470 |
* Asserts that a select option in the current page is checked.
|
3471 |
*
|
3472 |
* @param $id
|
3473 |
* ID of select field to assert.
|
3474 |
* @param $option
|
3475 |
* Option to assert.
|
3476 |
* @param $message
|
3477 |
* (optional) Message to display.
|
3478 |
* @return
|
3479 |
* TRUE on pass, FALSE on fail.
|
3480 |
*
|
3481 |
* @todo $id is unusable. Replace with $name.
|
3482 |
*/
|
3483 |
protected function assertOptionSelected($id, $option, $message = '') { |
3484 |
$elements = $this->xpath('//select[@id=:id]//option[@value=:option]', array(':id' => $id, ':option' => $option)); |
3485 |
return $this->assertTrue(isset($elements[0]) && !empty($elements[0]['selected']), $message ? $message : t('Option @option for field @id is selected.', array('@option' => $option, '@id' => $id)), t('Browser')); |
3486 |
} |
3487 |
|
3488 |
/**
|
3489 |
* Asserts that a select option in the current page is not checked.
|
3490 |
*
|
3491 |
* @param $id
|
3492 |
* ID of select field to assert.
|
3493 |
* @param $option
|
3494 |
* Option to assert.
|
3495 |
* @param $message
|
3496 |
* (optional) Message to display.
|
3497 |
* @return
|
3498 |
* TRUE on pass, FALSE on fail.
|
3499 |
*/
|
3500 |
protected function assertNoOptionSelected($id, $option, $message = '') { |
3501 |
$elements = $this->xpath('//select[@id=:id]//option[@value=:option]', array(':id' => $id, ':option' => $option)); |
3502 |
return $this->assertTrue(isset($elements[0]) && empty($elements[0]['selected']), $message ? $message : t('Option @option for field @id is not selected.', array('@option' => $option, '@id' => $id)), t('Browser')); |
3503 |
} |
3504 |
|
3505 |
/**
|
3506 |
* Asserts that a field exists with the given name or ID.
|
3507 |
*
|
3508 |
* @param $field
|
3509 |
* Name or ID of field to assert.
|
3510 |
* @param $message
|
3511 |
* (optional) Message to display.
|
3512 |
* @param $group
|
3513 |
* The group this message belongs to.
|
3514 |
* @return
|
3515 |
* TRUE on pass, FALSE on fail.
|
3516 |
*/
|
3517 |
protected function assertField($field, $message = '', $group = 'Other') { |
3518 |
return $this->assertFieldByXPath($this->constructFieldXpath('name', $field) . '|' . $this->constructFieldXpath('id', $field), NULL, $message, $group); |
3519 |
} |
3520 |
|
3521 |
/**
|
3522 |
* Asserts that a field does not exist with the given name or ID.
|
3523 |
*
|
3524 |
* @param $field
|
3525 |
* Name or ID of field to assert.
|
3526 |
* @param $message
|
3527 |
* (optional) Message to display.
|
3528 |
* @param $group
|
3529 |
* The group this message belongs to.
|
3530 |
* @return
|
3531 |
* TRUE on pass, FALSE on fail.
|
3532 |
*/
|
3533 |
protected function assertNoField($field, $message = '', $group = 'Other') { |
3534 |
return $this->assertNoFieldByXPath($this->constructFieldXpath('name', $field) . '|' . $this->constructFieldXpath('id', $field), NULL, $message, $group); |
3535 |
} |
3536 |
|
3537 |
/**
|
3538 |
* Asserts that each HTML ID is used for just a single element.
|
3539 |
*
|
3540 |
* @param $message
|
3541 |
* Message to display.
|
3542 |
* @param $group
|
3543 |
* The group this message belongs to.
|
3544 |
* @param $ids_to_skip
|
3545 |
* An optional array of ids to skip when checking for duplicates. It is
|
3546 |
* always a bug to have duplicate HTML IDs, so this parameter is to enable
|
3547 |
* incremental fixing of core code. Whenever a test passes this parameter,
|
3548 |
* it should add a "todo" comment above the call to this function explaining
|
3549 |
* the legacy bug that the test wishes to ignore and including a link to an
|
3550 |
* issue that is working to fix that legacy bug.
|
3551 |
* @return
|
3552 |
* TRUE on pass, FALSE on fail.
|
3553 |
*/
|
3554 |
protected function assertNoDuplicateIds($message = '', $group = 'Other', $ids_to_skip = array()) { |
3555 |
$status = TRUE; |
3556 |
foreach ($this->xpath('//*[@id]') as $element) { |
3557 |
$id = (string) $element['id']; |
3558 |
if (isset($seen_ids[$id]) && !in_array($id, $ids_to_skip)) { |
3559 |
$this->fail(t('The HTML ID %id is unique.', array('%id' => $id)), $group); |
3560 |
$status = FALSE; |
3561 |
} |
3562 |
$seen_ids[$id] = TRUE; |
3563 |
} |
3564 |
return $this->assert($status, $message, $group); |
3565 |
} |
3566 |
|
3567 |
/**
|
3568 |
* Helper function: construct an XPath for the given set of attributes and value.
|
3569 |
*
|
3570 |
* @param $attribute
|
3571 |
* Field attributes.
|
3572 |
* @param $value
|
3573 |
* Value of field.
|
3574 |
* @return
|
3575 |
* XPath for specified values.
|
3576 |
*/
|
3577 |
protected function constructFieldXpath($attribute, $value) { |
3578 |
$xpath = '//textarea[@' . $attribute . '=:value]|//input[@' . $attribute . '=:value]|//select[@' . $attribute . '=:value]'; |
3579 |
return $this->buildXPathQuery($xpath, array(':value' => $value)); |
3580 |
} |
3581 |
|
3582 |
/**
|
3583 |
* Asserts the page responds with the specified response code.
|
3584 |
*
|
3585 |
* @param $code
|
3586 |
* Response code. For example 200 is a successful page request. For a list
|
3587 |
* of all codes see http://www.w3.org/Protocols/rfc2616/rfc2616-sec10.html.
|
3588 |
* @param $message
|
3589 |
* Message to display.
|
3590 |
* @return
|
3591 |
* Assertion result.
|
3592 |
*/
|
3593 |
protected function assertResponse($code, $message = '') { |
3594 |
$curl_code = curl_getinfo($this->curlHandle, CURLINFO_HTTP_CODE); |
3595 |
$match = is_array($code) ? in_array($curl_code, $code) : $curl_code == $code; |
3596 |
return $this->assertTrue($match, $message ? $message : t('HTTP response expected !code, actual !curl_code', array('!code' => $code, '!curl_code' => $curl_code)), t('Browser')); |
3597 |
} |
3598 |
|
3599 |
/**
|
3600 |
* Asserts the page did not return the specified response code.
|
3601 |
*
|
3602 |
* @param $code
|
3603 |
* Response code. For example 200 is a successful page request. For a list
|
3604 |
* of all codes see http://www.w3.org/Protocols/rfc2616/rfc2616-sec10.html.
|
3605 |
* @param $message
|
3606 |
* Message to display.
|
3607 |
*
|
3608 |
* @return
|
3609 |
* Assertion result.
|
3610 |
*/
|
3611 |
protected function assertNoResponse($code, $message = '') { |
3612 |
$curl_code = curl_getinfo($this->curlHandle, CURLINFO_HTTP_CODE); |
3613 |
$match = is_array($code) ? in_array($curl_code, $code) : $curl_code == $code; |
3614 |
return $this->assertFalse($match, $message ? $message : t('HTTP response not expected !code, actual !curl_code', array('!code' => $code, '!curl_code' => $curl_code)), t('Browser')); |
3615 |
} |
3616 |
|
3617 |
/**
|
3618 |
* Asserts that the most recently sent e-mail message has the given value.
|
3619 |
*
|
3620 |
* The field in $name must have the content described in $value.
|
3621 |
*
|
3622 |
* @param $name
|
3623 |
* Name of field or message property to assert. Examples: subject, body, id, ...
|
3624 |
* @param $value
|
3625 |
* Value of the field to assert.
|
3626 |
* @param $message
|
3627 |
* Message to display.
|
3628 |
*
|
3629 |
* @return
|
3630 |
* TRUE on pass, FALSE on fail.
|
3631 |
*/
|
3632 |
protected function assertMail($name, $value = '', $message = '') { |
3633 |
$captured_emails = variable_get('drupal_test_email_collector', array()); |
3634 |
$email = end($captured_emails); |
3635 |
return $this->assertTrue($email && isset($email[$name]) && $email[$name] == $value, $message, t('E-mail')); |
3636 |
} |
3637 |
|
3638 |
/**
|
3639 |
* Asserts that the most recently sent e-mail message has the string in it.
|
3640 |
*
|
3641 |
* @param $field_name
|
3642 |
* Name of field or message property to assert: subject, body, id, ...
|
3643 |
* @param $string
|
3644 |
* String to search for.
|
3645 |
* @param $email_depth
|
3646 |
* Number of emails to search for string, starting with most recent.
|
3647 |
*
|
3648 |
* @return
|
3649 |
* TRUE on pass, FALSE on fail.
|
3650 |
*/
|
3651 |
protected function assertMailString($field_name, $string, $email_depth) { |
3652 |
$mails = $this->drupalGetMails(); |
3653 |
$string_found = FALSE; |
3654 |
for ($i = sizeof($mails) -1; $i >= sizeof($mails) - $email_depth && $i >= 0; $i--) { |
3655 |
$mail = $mails[$i]; |
3656 |
// Normalize whitespace, as we don't know what the mail system might have
|
3657 |
// done. Any run of whitespace becomes a single space.
|
3658 |
$normalized_mail = preg_replace('/\s+/', ' ', $mail[$field_name]); |
3659 |
$normalized_string = preg_replace('/\s+/', ' ', $string); |
3660 |
$string_found = (FALSE !== strpos($normalized_mail, $normalized_string)); |
3661 |
if ($string_found) { |
3662 |
break;
|
3663 |
} |
3664 |
} |
3665 |
return $this->assertTrue($string_found, t('Expected text found in @field of email message: "@expected".', array('@field' => $field_name, '@expected' => $string))); |
3666 |
} |
3667 |
|
3668 |
/**
|
3669 |
* Asserts that the most recently sent e-mail message has the pattern in it.
|
3670 |
*
|
3671 |
* @param $field_name
|
3672 |
* Name of field or message property to assert: subject, body, id, ...
|
3673 |
* @param $regex
|
3674 |
* Pattern to search for.
|
3675 |
*
|
3676 |
* @return
|
3677 |
* TRUE on pass, FALSE on fail.
|
3678 |
*/
|
3679 |
protected function assertMailPattern($field_name, $regex, $message) { |
3680 |
$mails = $this->drupalGetMails(); |
3681 |
$mail = end($mails); |
3682 |
$regex_found = preg_match("/$regex/", $mail[$field_name]); |
3683 |
return $this->assertTrue($regex_found, t('Expected text found in @field of email message: "@expected".', array('@field' => $field_name, '@expected' => $regex))); |
3684 |
} |
3685 |
|
3686 |
/**
|
3687 |
* Outputs to verbose the most recent $count emails sent.
|
3688 |
*
|
3689 |
* @param $count
|
3690 |
* Optional number of emails to output.
|
3691 |
*/
|
3692 |
protected function verboseEmail($count = 1) { |
3693 |
$mails = $this->drupalGetMails(); |
3694 |
for ($i = sizeof($mails) -1; $i >= sizeof($mails) - $count && $i >= 0; $i--) { |
3695 |
$mail = $mails[$i]; |
3696 |
$this->verbose(t('Email:') . '<pre>' . print_r($mail, TRUE) . '</pre>'); |
3697 |
} |
3698 |
} |
3699 |
} |
3700 |
|
3701 |
/**
|
3702 |
* Logs verbose message in a text file.
|
3703 |
*
|
3704 |
* If verbose mode is enabled then page requests will be dumped to a file and
|
3705 |
* presented on the test result screen. The messages will be placed in a file
|
3706 |
* located in the simpletest directory in the original file system.
|
3707 |
*
|
3708 |
* @param $message
|
3709 |
* The verbose message to be stored.
|
3710 |
* @param $original_file_directory
|
3711 |
* The original file directory, before it was changed for testing purposes.
|
3712 |
* @param $test_class
|
3713 |
* The active test case class.
|
3714 |
*
|
3715 |
* @return
|
3716 |
* The ID of the message to be placed in related assertion messages.
|
3717 |
*
|
3718 |
* @see DrupalTestCase->originalFileDirectory
|
3719 |
* @see DrupalWebTestCase->verbose()
|
3720 |
*/
|
3721 |
function simpletest_verbose($message, $original_file_directory = NULL, $test_class = NULL) { |
3722 |
static $file_directory = NULL, $class = NULL, $id = 1, $verbose = NULL; |
3723 |
|
3724 |
// Will pass first time during setup phase, and when verbose is TRUE.
|
3725 |
if (!isset($original_file_directory) && !$verbose) { |
3726 |
return FALSE; |
3727 |
} |
3728 |
|
3729 |
if ($message && $file_directory) { |
3730 |
$message = '<hr />ID #' . $id . ' (<a href="' . $class . '-' . ($id - 1) . '.html">Previous</a> | <a href="' . $class . '-' . ($id + 1) . '.html">Next</a>)<hr />' . $message; |
3731 |
file_put_contents($file_directory . "/simpletest/verbose/$class-$id.html", $message, FILE_APPEND); |
3732 |
return $id++; |
3733 |
} |
3734 |
|
3735 |
if ($original_file_directory) { |
3736 |
$file_directory = $original_file_directory; |
3737 |
$class = $test_class; |
3738 |
$verbose = variable_get('simpletest_verbose', TRUE); |
3739 |
$directory = $file_directory . '/simpletest/verbose'; |
3740 |
$writable = file_prepare_directory($directory, FILE_CREATE_DIRECTORY); |
3741 |
if ($writable && !file_exists($directory . '/.htaccess')) { |
3742 |
file_put_contents($directory . '/.htaccess', "<IfModule mod_expires.c>\nExpiresActive Off\n</IfModule>\n"); |
3743 |
} |
3744 |
return $writable; |
3745 |
} |
3746 |
return FALSE; |
3747 |
} |