Projet

Général

Profil

Paste
Télécharger (31,4 ko) Statistiques
| Branche: | Révision:

root / drupal7 / sites / all / modules / captcha / captcha.module @ 66b5cbf6

1
<?php
2

    
3
/**
4
 * @file
5
 * This module enables basic CAPTCHA functionality:
6
 * administrators can add a CAPTCHA to desired forms that users without
7
 * the 'skip CAPTCHA' permission (typically anonymous visitors) have
8
 * to solve.
9
 */
10

    
11
/**
12
 * Constants for CAPTCHA persistence.
13
 * TODO: change these integers to strings because the CAPTCHA settings form saves them as strings in the variables table anyway?
14
 */
15

    
16
// Always add a CAPTCHA (even on every page of a multipage workflow).
17
define('CAPTCHA_PERSISTENCE_SHOW_ALWAYS', 0);
18
// Only one CAPTCHA has to be solved per form instance/multi-step workflow.
19
define('CAPTCHA_PERSISTENCE_SKIP_ONCE_SUCCESSFUL_PER_FORM_INSTANCE', 1);
20
// Once the user answered correctly for a CAPTCHA on a certain form type,
21
// no more CAPTCHAs will be offered anymore for that form.
22
define('CAPTCHA_PERSISTENCE_SKIP_ONCE_SUCCESSFUL_PER_FORM_TYPE', 2);
23
// Once the user answered correctly for a CAPTCHA on the site,
24
// no more CAPTCHAs will be offered anymore.
25
define('CAPTCHA_PERSISTENCE_SKIP_ONCE_SUCCESSFUL', 3);
26

    
27
define('CAPTCHA_STATUS_UNSOLVED', 0);
28
define('CAPTCHA_STATUS_SOLVED', 1);
29
define('CAPTCHA_STATUS_EXAMPLE', 2);
30

    
31
define('CAPTCHA_DEFAULT_VALIDATION_CASE_SENSITIVE', 0);
32
define('CAPTCHA_DEFAULT_VALIDATION_CASE_INSENSITIVE', 1);
33

    
34
/**
35
 * Implementation of hook_help().
36
 */
37
function captcha_help($path, $arg) {
38
  switch ($path) {
39
    case 'admin/help#captcha':
40
      $output = '<p>' . t('"CAPTCHA" is an acronym for "Completely Automated Public Turing test to tell Computers and Humans Apart". It is typically a challenge-response test to determine whether the user is human. The CAPTCHA module is a tool to fight automated submission by malicious users (spamming) of for example comments forms, user registration forms, guestbook forms, etc. You can extend the desired forms with an additional challenge, which should be easy for a human to solve correctly, but hard enough to keep automated scripts and spam bots out.') . '</p>';
41
      $output .= '<p>' . t('Note that the CAPTCHA module interacts with page caching (see <a href="!performancesettings">performance settings</a>). Because the challenge should be unique for each generated form, the caching of the page it appears on is prevented. Make sure that these forms do not appear on too many pages or you will lose much caching efficiency. For example, if you put a CAPTCHA on the user login block, which typically appears on each page for anonymous visitors, caching will practically be disabled. The comment submission forms are another example. In this case you should set the <em>Location of comment submission form</em> to <em>Display on separate page</em> in the comment settings of the relevant <a href="!contenttypes">content types</a> for better caching efficiency.',
42
        array(
43
          '!performancesettings' => url('admin/config/development/performance'),
44
          '!contenttypes' => url('admin/structure/types'),
45
        )
46
      ) . '</p>';
47
      $output .= '<p>' . t('CAPTCHA is a trademark of Carnegie Mellon University.') . '</p>';
48
      return $output;
49
    case 'admin/config/people/captcha':
50
    case 'admin/config/people/captcha/captcha':
51
    case 'admin/config/people/captcha/captcha/settings':
52
      $output = '<p>' . t('A CAPTCHA can be added to virtually each Drupal form. Some default forms are already provided in the form list, but arbitrary forms can be easily added and managed when the option <em>Add CAPTCHA administration links to forms</em> is enabled.') . '</p>';
53
      $output .= '<p>' . t('Users with the <em>Skip CAPTCHA</em> <a href="@perm">permission</a> won\'t be offered a challenge. Be sure to grant this permission to the trusted users (e.g. site administrators). If you want to test a protected form, be sure to do it as a user without the <em>Skip CAPTCHA</em> permission (e.g. as anonymous user).', array('@perm' => url('admin/people/permissions'))) . '</p>';
54
      return $output;
55
  }
56
}
57

    
58
/**
59
 * Implementation of hook_menu().
60
 */
61
function captcha_menu() {
62
  $items = array();
63
  // main configuration page of the basic CAPTCHA module
64
  $items['admin/config/people/captcha'] = array(
65
    'title' => 'CAPTCHA',
66
    'description' => 'Administer how and where CAPTCHAs are used.',
67
    'file' => 'captcha.admin.inc',
68
    'page callback' => 'drupal_get_form',
69
    'page arguments' => array('captcha_admin_settings'),
70
    'access arguments' => array('administer CAPTCHA settings'),
71
    'type' => MENU_NORMAL_ITEM,
72
  );
73
  // the default local task (needed when other modules want to offer
74
  // alternative CAPTCHA types and their own configuration page as local task)
75
  $items['admin/config/people/captcha/captcha'] = array(
76
    'title' => 'CAPTCHA',
77
    'access arguments' => array('administer CAPTCHA settings'),
78
    'type' => MENU_DEFAULT_LOCAL_TASK,
79
    'weight' => -20,
80
  );
81
  $items['admin/config/people/captcha/captcha/settings'] = array(
82
    'title' => 'General settings',
83
    'access arguments' => array('administer CAPTCHA settings'),
84
    'type' => MENU_DEFAULT_LOCAL_TASK,
85
    'weight' => 0,
86
  );
87
  $items['admin/config/people/captcha/captcha/examples'] = array(
88
    'title' => 'Examples',
89
    'description' => 'An overview of the available challenge types with examples.',
90
    'file' => 'captcha.admin.inc',
91
    'page callback' => 'drupal_get_form',
92
    'page arguments' => array('captcha_examples', 6, 7),
93
    'access arguments' => array('administer CAPTCHA settings'),
94
    'type' => MENU_LOCAL_TASK,
95
    'weight' => 5,
96
  );
97
  $items['admin/config/people/captcha/captcha/captcha_point'] = array(
98
    'title' => 'CAPTCHA point administration',
99
    'file' => 'captcha.admin.inc',
100
    'page callback' => 'captcha_point_admin',
101
    'page arguments' => array(6, 7),
102
    'access arguments' => array('administer CAPTCHA settings'),
103
    'type' => MENU_CALLBACK,
104
  );
105
  return $items;
106
}
107

    
108
/**
109
 * Implementation of hook_permission().
110
 */
111
function captcha_permission() {
112
  return array(
113
    'administer CAPTCHA settings' => array(
114
      'title' => t('Administer CAPTCHA settings'),
115
    ),
116
    'skip CAPTCHA' => array(
117
      'title' => t('Skip CAPTCHA'),
118
      'description' => t('Users with this permission will not be offered a CAPTCHA.'),
119
    ),
120
  );
121
}
122

    
123
/**
124
 * Implementation of hook_theme().
125
 */
126
function captcha_theme() {
127
  return array(
128
    'captcha_admin_settings_captcha_points' => array(
129
      'render element' => 'form',
130
    ),
131
    'captcha' => array(
132
      'render element' => 'element',
133
    ),
134
  );
135
}
136

    
137
/**
138
 * Implementation of hook_cron().
139
 *
140
 * Remove old entries from captcha_sessions table.
141
 */
142
function captcha_cron() {
143
  // Remove challenges older than 1 day.
144
  db_delete('captcha_sessions')
145
    ->condition('timestamp', REQUEST_TIME - 60*60*24, '<')
146
    ->execute();
147
}
148

    
149

    
150
/**
151
 * Implementation of hook_element_info().
152
 */
153
function captcha_element_info() {
154
  // Define the CAPTCHA form element with default properties.
155
  $captcha_element = array(
156
    '#input' => TRUE,
157
    '#process' => array('captcha_element_process'),
158
    // The type of challenge: e.g. 'default', 'none', 'captcha/Math', 'image_captcha/Image', ...
159
    '#captcha_type' => 'default',
160
    '#default_value' => '',
161
    // CAPTCHA in admin mode: presolve the CAPTCHA and always show it (despite previous successful responses).
162
    '#captcha_admin_mode' => FALSE,
163
    // The default CAPTCHA validation function.
164
    // TODO: should this be a single string or an array of strings (combined in OR fashion)?
165
    '#captcha_validate' => 'captcha_validate_strict_equality',
166
  );
167
  // Override the default CAPTCHA validation function for case insensitive validation.
168
  // TODO: shouldn't this be done somewhere else, e.g. in form_alter?
169
  if (CAPTCHA_DEFAULT_VALIDATION_CASE_INSENSITIVE == variable_get('captcha_default_validation', CAPTCHA_DEFAULT_VALIDATION_CASE_INSENSITIVE)) {
170
    $captcha_element['#captcha_validate'] = 'captcha_validate_case_insensitive_equality';
171
  }
172
  return array('captcha' => $captcha_element);
173
}
174

    
175
/**
176
 * Process callback for CAPTCHA form element.
177
 */
178
function captcha_element_process($element, &$form_state, $complete_form) {
179

    
180
  module_load_include('inc', 'captcha');
181

    
182
  // Add Javascript for general CAPTCHA functionality.
183
  drupal_add_js(drupal_get_path('module', 'captcha') . '/captcha.js');
184

    
185
  // Prevent caching of the page with CAPTCHA elements.
186
  // This needs to be done even if the CAPTCHA will be ommitted later:
187
  // other untrusted users should not get a cached page when
188
  // the current untrusted user can skip the current CAPTCHA.
189
  global $conf;
190
  $conf['cache'] = FALSE;
191

    
192
  // Get the form ID of the form we are currently processing (which is not
193
  // necessary the same form that is submitted (if any).
194
  $this_form_id = $complete_form['form_id']['#value'];
195

    
196
  // Get the CAPTCHA session ID.
197
  // If there is a submitted form: try to retrieve and reuse the
198
  // CAPTCHA session ID from the posted data.
199
  list($posted_form_id, $posted_captcha_sid) = _captcha_get_posted_captcha_info($element, $form_state, $this_form_id);
200
  if ($this_form_id == $posted_form_id && isset($posted_captcha_sid)) {
201
    $captcha_sid = $posted_captcha_sid;
202
  }
203
  else {
204
    // Generate a new CAPTCHA session if we could not reuse one from a posted form.
205
    $captcha_sid = _captcha_generate_captcha_session($this_form_id, CAPTCHA_STATUS_UNSOLVED);
206
  }
207

    
208
  // Store CAPTCHA session ID as hidden field.
209
  // Strictly speaking, it is not necessary to send the CAPTCHA session id
210
  // with the form, as the one time CAPTCHA token (see lower) is enough.
211
  // However, we still send it along, because it can help debugging
212
  // problems on live sites with only access to the markup.
213
  $element['captcha_sid'] = array(
214
    '#type' => 'hidden',
215
    '#value' => $captcha_sid,
216
  );
217

    
218
  $captcha_token = db_select('captcha_sessions', 'c')
219
    ->fields('c', array('token'))
220
    ->condition('csid', $captcha_sid)
221
    ->execute()
222
    ->fetchField();
223
  if (!isset($captcha_token) && !$form_state['submitted']) {
224
    // Additional one-time CAPTCHA token: store in database and send with form.
225
    $captcha_token = md5(mt_rand());
226
    db_update('captcha_sessions')
227
      ->fields(array('token' => $captcha_token))
228
      ->condition('csid', $captcha_sid)
229
      ->execute();
230
  }
231

    
232
  $element['captcha_token'] = array(
233
    '#type' => 'hidden',
234
    '#value' => $captcha_token,
235
  );
236

    
237
  // Get implementing module and challenge for CAPTCHA.
238
  list($captcha_type_module, $captcha_type_challenge) = _captcha_parse_captcha_type($element['#captcha_type']);
239

    
240
  // Store CAPTCHA information for further processing in
241
  // - $form_state['captcha_info'], which survives a form rebuild (e.g. node
242
  //   preview), useful in _captcha_get_posted_captcha_info().
243
  // - $element['#captcha_info'], for post processing functions that do not
244
  //   receive a $form_state argument (e.g. the pre_render callback).
245
  $form_state['captcha_info'] = array(
246
    'this_form_id' => $this_form_id,
247
    'posted_form_id' => $posted_form_id,
248
    'captcha_sid' => $captcha_sid,
249
    'module' => $captcha_type_module,
250
    'captcha_type' => $captcha_type_challenge,
251
  );
252
  $element['#captcha_info'] = array(
253
    'form_id' => $this_form_id,
254
    'captcha_sid' => $captcha_sid,
255
  );
256

    
257

    
258
  if (_captcha_required_for_user($captcha_sid, $this_form_id) || $element['#captcha_admin_mode']) {
259
    // Generate a CAPTCHA and its solution
260
    // (note that the CAPTCHA session ID is given as third argument).
261
    $captcha = module_invoke($captcha_type_module, 'captcha', 'generate', $captcha_type_challenge, $captcha_sid);
262
    if (!isset($captcha['form']) || !isset($captcha['solution'])) {
263
      // The selected module did not return what we expected: log about it and quit.
264
      watchdog('CAPTCHA',
265
        'CAPTCHA problem: unexpected result from hook_captcha() of module %module when trying to retrieve challenge type %type for form %form_id.',
266
        array('%type' => $captcha_type_challenge, '%module' => $captcha_type_module, '%form_id' => $this_form_id),
267
        WATCHDOG_ERROR);
268
      return $element;
269
    }
270
    // Add form elements from challenge as children to CAPTCHA form element.
271
    $element['captcha_widgets'] = $captcha['form'];
272

    
273
    // Add a validation callback for the CAPTCHA form element (when not in admin mode).
274
    if (!$element['#captcha_admin_mode']) {
275
      $element['#element_validate'] = array('captcha_validate');
276
    }
277

    
278
    // Set a custom CAPTCHA validate function if requested.
279
    if (isset($captcha['captcha_validate'])) {
280
      $element['#captcha_validate'] = $captcha['captcha_validate'];
281
    }
282

    
283
    // Set the theme function.
284
    $element['#theme'] = 'captcha';
285

    
286
    // Add pre_render callback for additional CAPTCHA processing.
287
    if (!isset($element['#pre_render'])) {
288
      $element['#pre_render'] = array();
289
    }
290
    $element['#pre_render'][] = 'captcha_pre_render_process';
291

    
292
    // Store the solution in the #captcha_info array.
293
    $element['#captcha_info']['solution'] = $captcha['solution'];
294

    
295
    // Make sure we can use a top level form value $form_state['values']['captcha_response'], even if the form has #tree=true.
296
    $element['#tree'] = FALSE;
297

    
298
  }
299

    
300
  return $element;
301
}
302

    
303

    
304
/**
305
 * Theme function for a CAPTCHA element.
306
 *
307
 * Render it in a fieldset if a description of the CAPTCHA
308
 * is available. Render it as is otherwise.
309
 */
310
function theme_captcha($variables) {
311
  $element = $variables['element'];
312
  if (!empty($element['#description']) && isset($element['captcha_widgets'])) {
313
    $fieldset = array(
314
      '#type' => 'fieldset',
315
      '#title' => t('CAPTCHA'),
316
      '#description' => $element['#description'],
317
      '#children' => drupal_render_children($element),
318
      '#attributes' => array('class' => array('captcha')),
319
    );
320
    return theme('fieldset', array('element' => $fieldset));
321
  }
322
  else {
323
    return '<div class="captcha">' . drupal_render_children($element) . '</div>';
324
  }
325
}
326

    
327

    
328
/**
329
 * Implementation of hook_form_alter().
330
 *
331
 * This function adds a CAPTCHA to forms for untrusted users if needed and adds
332
 * CAPTCHA administration links for site administrators if this option is enabled.
333
 */
334
function captcha_form_alter(&$form, &$form_state, $form_id) {
335

    
336
  if (!user_access('skip CAPTCHA')) {
337
    // Visitor does not have permission to skip CAPTCHAs.
338
    module_load_include('inc', 'captcha');
339

    
340
    // Get CAPTCHA type and module for given form_id.
341
    $captcha_point = captcha_get_form_id_setting($form_id);
342
    if ($captcha_point && $captcha_point->captcha_type) {
343
      module_load_include('inc', 'captcha');
344
      // Build CAPTCHA form element.
345
      $captcha_element = array(
346
        '#type' => 'captcha',
347
        '#captcha_type' => $captcha_point->module . '/' . $captcha_point->captcha_type,
348
      );
349
      // Add a CAPTCHA description if required.
350
      if (variable_get('captcha_add_captcha_description', TRUE)) {
351
        $captcha_element['#description'] = _captcha_get_description();
352
      }
353

    
354
      // Get placement in form and insert in form.
355
      $captcha_placement = _captcha_get_captcha_placement($form_id, $form);
356
      _captcha_insert_captcha_element($form, $captcha_placement, $captcha_element);
357
    }
358
  }
359
  elseif (
360
    variable_get('captcha_administration_mode', FALSE)
361
    && user_access('administer CAPTCHA settings')
362
    && (arg(0) != 'admin' || variable_get('captcha_allow_on_admin_pages', FALSE))
363
  ) {
364
    // Add CAPTCHA administration tools.
365
    module_load_include('inc', 'captcha');
366

    
367
    $captcha_point = captcha_get_form_id_setting($form_id);
368
    // For administrators: show CAPTCHA info and offer link to configure it
369
    $captcha_element = array(
370
      '#type' => 'fieldset',
371
      '#title' => t('CAPTCHA'),
372
      '#collapsible' => TRUE,
373
      '#collapsed' => TRUE,
374
      '#attributes' => array('class' => array('captcha-admin-links')),
375
    );
376
    if ($captcha_point !== NULL && $captcha_point->captcha_type) {
377
      $captcha_element['#title'] = t('CAPTCHA: challenge "@type" enabled', array('@type' => $captcha_point->captcha_type));
378
      $captcha_element['#description'] = t('Untrusted users will see a CAPTCHA here (<a href="@settings">general CAPTCHA settings</a>).',
379
        array('@settings' => url('admin/config/people/captcha'))
380
      );
381
      $captcha_element['challenge'] = array(
382
        '#type' => 'item',
383
        '#title' => t('Enabled challenge'),
384
        '#markup' => t('%type by module %module (<a href="@change">change</a>, <a href="@disable">disable</a>)', array(
385
          '%type' => $captcha_point->captcha_type,
386
          '%module' => $captcha_point->module,
387
          '@change' => url("admin/config/people/captcha/captcha/captcha_point/$form_id", array('query' => drupal_get_destination())),
388
          '@disable' => url("admin/config/people/captcha/captcha/captcha_point/$form_id/disable", array('query' => drupal_get_destination())),
389
        )),
390
      );
391
      // Add an example challenge with solution.
392
      // This does not work with the reCAPTCHA and Egglue challenges as
393
      // discussed in http://drupal.org/node/487032 and
394
      // http://drupal.org/node/525586. As a temporary workaround, we
395
      // blacklist the reCAPTCHA and Egglue challenges and do not show
396
      // an example challenge.
397
      // TODO: Once the issues mentioned above are fixed, this workaround
398
      // should be removed.
399
      if ($captcha_point->module != 'recaptcha' && $captcha_point->module != 'egglue_captcha') {
400
        $captcha_element['example'] = array(
401
          '#type' => 'fieldset',
402
          '#title' => t('Example'),
403
          '#description' => t('This is a pre-solved, non-blocking example of this challenge.'),
404
        );
405
        $captcha_element['example']['example_captcha'] = array(
406
          '#type' => 'captcha',
407
          '#captcha_type' => $captcha_point->module . '/' . $captcha_point->captcha_type,
408
          '#captcha_admin_mode' => TRUE,
409
        );
410
      }
411
    }
412
    else {
413
      $captcha_element['#title'] = t('CAPTCHA: no challenge enabled');
414
      $captcha_element['add_captcha'] = array(
415
        '#markup' => l(t('Place a CAPTCHA here for untrusted users.'), "admin/config/people/captcha/captcha/captcha_point/$form_id", array('query' => drupal_get_destination()))
416
      );
417

    
418
    }
419
    // Get placement in form and insert in form.
420
    $captcha_placement = _captcha_get_captcha_placement($form_id, $form);
421
    _captcha_insert_captcha_element($form, $captcha_placement, $captcha_element);
422

    
423
  }
424

    
425
  // Add a warning about caching on the Perfomance settings page.
426
  if ($form_id == 'system_performance_settings') {
427
    $icon = theme('image', array('path' => 'misc/watchdog-warning.png', 'width' => 18, 'height' => 18, 'alt' => t('warning'), 'title' => t('warning')));
428
    $form['caching']['captcha'] = array(
429
      '#type' => 'item',
430
      '#title' => t('CAPTCHA'),
431
      '#markup' => t('!icon The CAPTCHA module will disable the caching of pages that contain a CAPTCHA element.', array(
432
        '!icon' => '<span class="icon">' . $icon . '</span>')
433
      ),
434
      '#attributes' => array('class' => array('warning')),
435
    );
436
  }
437

    
438
}
439

    
440
/**
441
 * CAPTCHA validation function to tests strict equality.
442
 * @param $solution the solution of the test.
443
 * @param $response the response to the test.
444
 * @return TRUE when strictly equal, FALSE otherwise.
445
 */
446
function captcha_validate_strict_equality($solution, $response) {
447
  return $solution === $response;
448
}
449

    
450
/**
451
 * CAPTCHA validation function to tests case insensitive equality.
452
 * @param $solution the solution of the test.
453
 * @param $response the response to the test.
454
 * @return TRUE when case insensitive equal, FALSE otherwise.
455
 */
456
function captcha_validate_case_insensitive_equality($solution, $response) {
457
  return drupal_strtolower($solution) === drupal_strtolower($response);
458
}
459

    
460
/**
461
 * CAPTCHA validation function to tests equality while ignoring spaces.
462
 * @param $solution the solution of the test.
463
 * @param $response the response to the test.
464
 * @return TRUE when equal (ignoring spaces), FALSE otherwise.
465
 */
466
function captcha_validate_ignore_spaces($solution, $response) {
467
  return preg_replace('/\s/', '', $solution) === preg_replace('/\s/', '', $response);
468
}
469

    
470
/**
471
 * CAPTCHA validation function to tests case insensitive equality while ignoring spaces.
472
 * @param $solution the solution of the test.
473
 * @param $response the response to the test.
474
 * @return TRUE when equal (ignoring spaces), FALSE otherwise.
475
 */
476
function captcha_validate_case_insensitive_ignore_spaces($solution, $response) {
477
  return preg_replace('/\s/', '', drupal_strtolower($solution)) === preg_replace('/\s/', '', drupal_strtolower($response));
478
}
479

    
480
/**
481
 * Helper function for getting the posted CAPTCHA info (posted form_id and
482
 * CAPTCHA sessions ID) from a form in case it is posted.
483
 *
484
 * This function hides the form processing mess for several use cases an
485
 * browser bug workarounds.
486
 * For example: $element['#post'] can typically be used to get the posted
487
 * form_id and captcha_sid, but in the case of node preview situations
488
 * (with correct CAPTCHA response) that does not work and we can get them from
489
 * $form_state['clicked_button']['#post'].
490
 * However with Internet Explorer 7, the latter does not work either when
491
 * submitting the forms (with only one text field) with the enter key
492
 * (see http://drupal.org/node/534168), in which case we also have to check
493
 * $form_state['buttons']['button']['0']['#post'].
494
 *
495
 * @todo for Drupal 7 version: is this IE7 workaround still needed?
496
 *
497
 * @param $element the CAPTCHA element.
498
 * @param $form_state the form state structure to extract the info from.
499
 * @param $this_form_id the form ID of the form we are currently processing
500
 *     (which is not necessarily the form that was posted).
501
 *
502
 * @return an array with $posted_form_id and $post_captcha_sid (with NULL values
503
 *     if the values could not be found, e.g. for a fresh form).
504
 */
505
function _captcha_get_posted_captcha_info($element, $form_state, $this_form_id) {
506
  if ($form_state['submitted'] && isset($form_state['captcha_info'])) {
507
    // We are handling (or rebuilding) an already submitted form,
508
    // so we already determined the posted form ID and CAPTCHA session ID
509
    // for this form (from before submitting). Reuse this info.
510
    $posted_form_id = $form_state['captcha_info']['posted_form_id'];
511
    $posted_captcha_sid = $form_state['captcha_info']['captcha_sid'];
512
  }
513
  else {
514
    // We have to determine the posted form ID and CAPTCHA session ID
515
    // from the post data.
516
    // Because we possibly use raw post data here,
517
    // we should be extra cautious and filter this data.
518
    $posted_form_id = isset($form_state['input']['form_id']) ?
519
      preg_replace("/[^a-z0-9_]/", "", (string) $form_state['input']['form_id'])
520
      : NULL;
521
    $posted_captcha_sid = isset($form_state['input']['captcha_sid']) ?
522
      (int) $form_state['input']['captcha_sid']
523
      : NULL;
524
    $posted_captcha_token = isset($form_state['input']['captcha_token']) ?
525
      preg_replace("/[^a-zA-Z0-9]/", "", (string) $form_state['input']['captcha_token'])
526
      : NULL;
527

    
528
    if ($posted_form_id == $this_form_id) {
529
      // Check if the posted CAPTCHA token is valid for the posted CAPTCHA
530
      // session ID. Note that we could just check the validity of the CAPTCHA
531
      // token and extract the CAPTCHA session ID from that (without looking at
532
      // the actual posted CAPTCHA session ID). However, here we check both
533
      // the posted CAPTCHA token and session ID: it is a bit more stringent
534
      // and the database query should also be more efficient (because there is
535
      // an index on the CAPTCHA session ID).
536
      if ($posted_captcha_sid != NULL) {
537
        $expected_captcha_token = db_query(
538
          "SELECT token FROM {captcha_sessions} WHERE csid = :csid",
539
          array(':csid' => $posted_captcha_sid)
540
        )->fetchField();
541
        if ($expected_captcha_token !== $posted_captcha_token) {
542
          drupal_set_message(t('CAPTCHA session reuse attack detected.'), 'error');
543
          // Invalidate the CAPTCHA session.
544
          $posted_captcha_sid = NULL;
545
        }
546
        // Invalidate CAPTCHA token to avoid reuse.
547
        db_update('captcha_sessions')
548
          ->fields(array('token' => NULL))
549
          ->condition('csid', $posted_captcha_sid);
550
      }
551
    }
552
    else {
553
      // The CAPTCHA session ID is specific to the posted form.
554
      // Return NULL, so a new session will be generated for this other form.
555
      $posted_captcha_sid = NULL;
556
    }
557
  }
558
  return array($posted_form_id, $posted_captcha_sid);
559
}
560

    
561
/**
562
 * CAPTCHA validation handler.
563
 *
564
 * This function is placed in the main captcha.module file to make sure that
565
 * it is available (even for cached forms, which don't fire
566
 * captcha_form_alter(), and subsequently don't include additional include
567
 * files).
568
 */
569
function captcha_validate($element, &$form_state) {
570

    
571
  $captcha_info = $form_state['captcha_info'];
572
  $form_id = $captcha_info['this_form_id'];
573

    
574
  // Get CAPTCHA response.
575
  $captcha_response = $form_state['values']['captcha_response'];
576

    
577
  // Get CAPTCHA session from CAPTCHA info
578
  // TODO: is this correct in all cases: see comment and code in previous revisions?
579
  $csid = $captcha_info['captcha_sid'];
580

    
581
  $solution = db_query(
582
    'SELECT solution FROM {captcha_sessions} WHERE csid = :csid',
583
    array(':csid' => $csid)
584
    )
585
    ->fetchField();
586

    
587
  // @todo: what is the result when there is no entry for the captcha_session? in D6 it was FALSE, what in D7?
588
  if ($solution === FALSE) {
589
    // Unknown challenge_id.
590
    // TODO: this probably never happens anymore now that there is detection
591
    // for CAPTCHA session reuse attacks in _captcha_get_posted_captcha_info().
592
    form_set_error('captcha', t('CAPTCHA validation error: unknown CAPTCHA session ID. Contact the site administrator if this problem persists.'));
593
    watchdog('CAPTCHA',
594
      'CAPTCHA validation error: unknown CAPTCHA session ID (%csid).',
595
      array('%csid' => var_export($csid, TRUE)),
596
      WATCHDOG_ERROR);
597
  }
598
  else {
599
    // Get CAPTCHA validate function or fall back on strict equality.
600
    $captcha_validate = $element['#captcha_validate'];
601
    if (!function_exists($captcha_validate)) {
602
       $captcha_validate = 'captcha_validate_strict_equality';
603
    }
604
    // Check the response with the CAPTCHA validation function.
605
    // Apart from the traditional expected $solution and received $response,
606
    // we also provide the CAPTCHA $element and $form_state arrays for more advanced use cases.
607
    if ($captcha_validate($solution, $captcha_response, $element, $form_state)) {
608
      // Correct answer.
609

    
610
      // Store form_id in session (but only if it is useful to do so, avoid setting stuff in session unnecessarily).
611
      $captcha_persistence = variable_get('captcha_persistence', CAPTCHA_PERSISTENCE_SKIP_ONCE_SUCCESSFUL_PER_FORM_INSTANCE);
612
      if ($captcha_persistence == CAPTCHA_PERSISTENCE_SKIP_ONCE_SUCCESSFUL || $captcha_persistence == CAPTCHA_PERSISTENCE_SKIP_ONCE_SUCCESSFUL_PER_FORM_TYPE) {
613
        $_SESSION['captcha_success_form_ids'][$form_id] = $form_id;
614
      }
615

    
616
      // Record success.
617
      db_update('captcha_sessions')
618
        ->condition('csid', $csid)
619
        ->fields(array('status' => CAPTCHA_STATUS_SOLVED))
620
        ->expression('attempts', 'attempts + 1')
621
        ->execute();
622
    }
623
    else {
624
      // Wrong answer.
625
      db_update('captcha_sessions')
626
        ->condition('csid', $csid)
627
        ->expression('attempts', 'attempts + 1')
628
        ->execute();
629
      // set form error
630
      form_set_error('captcha_response', t('The answer you entered for the CAPTCHA was not correct.'));
631
      // update wrong response counter
632
      if (variable_get('captcha_enable_stats', FALSE)) {
633
        variable_set('captcha_wrong_response_counter', variable_get('captcha_wrong_response_counter', 0) + 1);
634
      }
635
      // log to watchdog if needed
636
      if (variable_get('captcha_log_wrong_responses', FALSE)) {
637
        watchdog('CAPTCHA',
638
          '%form_id post blocked by CAPTCHA module: challenge %challenge (by module %module), user answered "@response", but the solution was "@solution".',
639
          array('%form_id' => $form_id,
640
            '@response' => $captcha_response, '@solution' => $solution,
641
            '%challenge' => $captcha_info['captcha_type'], '%module' => $captcha_info['module'],
642
          ),
643
          WATCHDOG_NOTICE);
644
      }
645
    }
646
  }
647
}
648

    
649
/**
650
 * Pre-render callback for additional processing of a CAPTCHA form element.
651
 *
652
 * This encompasses tasks that should happen after the general FAPI processing
653
 * (building, submission and validation) but before rendering (e.g. storing the solution).
654
 *
655
 * @param $element the CAPTCHA form element
656
 * @return the manipulated element
657
 */
658
function captcha_pre_render_process($element) {
659
  module_load_include('inc', 'captcha');
660

    
661
  // Get form and CAPTCHA information.
662
  $captcha_info = $element['#captcha_info'];
663
  $form_id = $captcha_info['form_id'];
664
  $captcha_sid = (int)($captcha_info['captcha_sid']);
665
  // Check if CAPTCHA is still required.
666
  // This check is done in a first phase during the element processing
667
  // (@see captcha_process), but it is also done here for better support
668
  // of multi-page forms. Take previewing a node submission for example:
669
  // when the challenge is solved correctely on preview, the form is still
670
  // not completely submitted, but the CAPTCHA can be skipped.
671
  if (_captcha_required_for_user($captcha_sid, $form_id) || $element['#captcha_admin_mode']) {
672
    // Update captcha_sessions table: store the solution of the generated CAPTCHA.
673
    _captcha_update_captcha_session($captcha_sid, $captcha_info['solution']);
674

    
675
    // Handle the response field if it is available and if it is a textfield.
676
    if (isset($element['captcha_widgets']['captcha_response']['#type']) && $element['captcha_widgets']['captcha_response']['#type'] == 'textfield') {
677
      // Before rendering: presolve an admin mode challenge or
678
      // empty the value of the captcha_response form item.
679
      $value = $element['#captcha_admin_mode'] ? $captcha_info['solution'] : '';
680
      $element['captcha_widgets']['captcha_response']['#value'] = $value;
681
    }
682
  }
683
  else {
684
    // Remove CAPTCHA widgets from form.
685
    unset($element['captcha_widgets']);
686
  }
687

    
688
  return $element;
689
}
690

    
691
/**
692
 * Default implementation of hook_captcha().
693
 */
694
function captcha_captcha($op, $captcha_type = '') {
695
  switch ($op) {
696
    case 'list':
697
      return array('Math');
698
      break;
699

    
700
    case 'generate':
701
      if ($captcha_type == 'Math') {
702
        $result = array();
703
        $answer = mt_rand(1, 20);
704
        $x = mt_rand(1, $answer);
705
        $y = $answer - $x;
706
        $result['solution'] = "$answer";
707
        // Build challenge widget.
708
        // Note that we also use t() for the math challenge itself. This makes
709
        // it possible to 'rephrase' the challenge a bit through localization
710
        // or string overrides.
711
        $result['form']['captcha_response'] = array(
712
          '#type' => 'textfield',
713
          '#title' => t('Math question'),
714
          '#description' => t('Solve this simple math problem and enter the result. E.g. for 1+3, enter 4.'),
715
          '#field_prefix' => t('@x + @y = ', array('@x' => $x, '@y' => $y)),
716
          '#size' => 4,
717
          '#maxlength' => 2,
718
          '#required' => TRUE,
719
        );
720
        return $result;
721
      }
722
      elseif ($captcha_type == 'Test') {
723
        // This challenge is not visible through the administrative interface
724
        // as it is not listed in captcha_captcha('list'),
725
        // but it is meant for debugging and testing purposes.
726
        // TODO for Drupal 7 version: This should be done with a mock module,
727
        // but Drupal 6 does not support this (mock modules can not be hidden).
728
        $result = array(
729
          'solution' => 'Test 123',
730
          'form' => array(),
731
        );
732
        $result['form']['captcha_response'] = array(
733
          '#type' => 'textfield',
734
          '#title' => t('Test one two three'),
735
          '#required' => TRUE,
736
        );
737
        return $result;
738
      }
739
      break;
740
  }
741
}
742

    
743
/**
744
 * Implements hook_modules_enabled.
745
 */
746
function captcha_modules_enabled() {
747
  // When new modules are enabled: clear the CAPTCHA placement cache, so that
748
  // new hook_captcha_placement_map hooks can be triggered.
749
  variable_del('captcha_placement_map_cache');
750
}