Optimisation - only save session if data added by application
[catagits/Catalyst-Plugin-Session.git] / lib / Catalyst / Plugin / Session.pm
1 #!/usr/bin/perl
2
3 package Catalyst::Plugin::Session;
4
5 use Moose;
6 with 'MooseX::Emulate::Class::Accessor::Fast';
7 use MRO::Compat;
8 use Catalyst::Exception ();
9 use Digest              ();
10 use overload            ();
11 use Object::Signature   ();
12 use Carp;
13
14 use namespace::clean -except => 'meta';
15
16 our $VERSION = '0.31';
17 $VERSION = eval $VERSION;
18
19 my @session_data_accessors; # used in delete_session
20
21 __PACKAGE__->mk_accessors(
22         "_session_delete_reason",
23         @session_data_accessors = qw/
24           _sessionid
25           _session
26           _session_expires
27           _extended_session_expires
28           _session_data_sig
29           _flash
30           _flash_keep_keys
31           _flash_key_hashes
32           _tried_loading_session_id
33           _tried_loading_session_data
34           _tried_loading_session_expires
35           _tried_loading_flash_data
36           /
37 );
38
39 sub _session_plugin_config {
40     my $c = shift;
41     # FIXME - Start warning once all the state/store modules have also been updated.
42     #$c->log->warn("Deprecated 'session' config key used, please use the key 'Plugin::Session' instead")
43     #    if exists $c->config->{session}
44     #$c->config->{'Plugin::Session'} ||= delete($c->config->{session}) || {};
45     $c->config->{'Plugin::Session'} ||= $c->config->{session} || {};
46 }
47
48 sub setup {
49     my $c = shift;
50
51     $c->maybe::next::method(@_);
52
53     $c->check_session_plugin_requirements;
54     $c->setup_session;
55
56     return $c;
57 }
58
59 sub check_session_plugin_requirements {
60     my $c = shift;
61
62     unless ( $c->isa("Catalyst::Plugin::Session::State")
63         && $c->isa("Catalyst::Plugin::Session::Store") )
64     {
65         my $err =
66           (     "The Session plugin requires both Session::State "
67               . "and Session::Store plugins to be used as well." );
68
69         $c->log->fatal($err);
70         Catalyst::Exception->throw($err);
71     }
72 }
73
74 sub setup_session {
75     my $c = shift;
76
77     my $cfg = $c->_session_plugin_config;
78
79     %$cfg = (
80         expires        => 7200,
81         verify_address => 0,
82         verify_user_agent => 0,
83         %$cfg,
84     );
85
86     $c->maybe::next::method();
87 }
88
89 sub prepare_action {
90     my $c = shift;
91
92     $c->maybe::next::method(@_);
93
94     if (    $c->_session_plugin_config->{flash_to_stash}
95         and $c->sessionid
96         and my $flash_data = $c->flash )
97     {
98         @{ $c->stash }{ keys %$flash_data } = values %$flash_data;
99     }
100 }
101
102 sub finalize_headers {
103     my $c = shift;
104
105     # fix cookie before we send headers
106     $c->_save_session_expires;
107
108     return $c->maybe::next::method(@_);
109 }
110
111 sub finalize_body {
112     my $c = shift;
113
114     # We have to finalize our session *before* $c->engine->finalize_xxx is called,
115     # because we do not want to send the HTTP response before the session is stored/committed to
116     # the session database (or whatever Session::Store you use).
117     $c->finalize_session;
118
119     return $c->maybe::next::method(@_);
120 }
121
122 sub finalize_session {
123     my $c = shift;
124
125     $c->maybe::next::method(@_);
126
127     $c->_save_session_id;
128     $c->_save_session;
129     $c->_save_flash;
130
131     $c->_clear_session_instance_data;
132 }
133
134 sub _save_session_id {
135     my $c = shift;
136
137     # we already called set when allocating
138     # no need to tell the state plugins anything new
139 }
140
141 sub _save_session_expires {
142     my $c = shift;
143
144     if ( defined($c->_session_expires) ) {
145         my $expires = $c->session_expires; # force extension
146
147         my $sid = $c->sessionid;
148         $c->store_session_data( "expires:$sid" => $expires );
149     }
150 }
151
152 sub _save_session {
153     my $c = shift;
154
155     if ( my $session_data = $c->_session ) {
156
157         no warnings 'uninitialized';
158         if ( Object::Signature::signature($session_data) ne
159             $c->_session_data_sig )
160         {
161             $session_data->{__updated} = time();
162             my $sid = $c->sessionid;
163             $c->store_session_data( "session:$sid" => $session_data );
164         }
165     }
166 }
167
168 sub _save_flash {
169     my $c = shift;
170
171     if ( my $flash_data = $c->_flash ) {
172
173         my $hashes = $c->_flash_key_hashes || {};
174         my $keep = $c->_flash_keep_keys || {};
175         foreach my $key ( keys %$hashes ) {
176             if ( !exists $keep->{$key} and Object::Signature::signature( \$flash_data->{$key} ) eq $hashes->{$key} ) {
177                 delete $flash_data->{$key};
178             }
179         }
180
181         my $sid = $c->sessionid;
182
183         my $session_data = $c->_session;
184         if (%$flash_data) {
185             $session_data->{__flash} = $flash_data;
186         }
187         else {
188             delete $session_data->{__flash};
189         }
190         $c->_session($session_data);
191         $c->_save_session;
192     }
193 }
194
195 sub _load_session_expires {
196     my $c = shift;
197     return $c->_session_expires if $c->_tried_loading_session_expires;
198     $c->_tried_loading_session_expires(1);
199
200     if ( my $sid = $c->sessionid ) {
201         my $expires = $c->get_session_data("expires:$sid") || 0;
202
203         if ( $expires >= time() ) {
204             $c->_session_expires( $expires );
205             return $expires;
206         } else {
207             $c->delete_session( "session expired" );
208             return 0;
209         }
210     }
211
212     return;
213 }
214
215 sub _load_session {
216     my $c = shift;
217     return $c->_session if $c->_tried_loading_session_data;
218     $c->_tried_loading_session_data(1);
219
220     if ( my $sid = $c->sessionid ) {
221         if ( $c->_load_session_expires ) {    # > 0
222
223             my $session_data = $c->get_session_data("session:$sid") || return;
224             $c->_session($session_data);
225
226             no warnings 'uninitialized';    # ne __address
227             if (   $c->_session_plugin_config->{verify_address}
228                 && $session_data->{__address} ne $c->request->address )
229             {
230                 $c->log->warn(
231                         "Deleting session $sid due to address mismatch ("
232                       . $session_data->{__address} . " != "
233                       . $c->request->address . ")"
234                 );
235                 $c->delete_session("address mismatch");
236                 return;
237             }
238             if (   $c->_session_plugin_config->{verify_user_agent}
239                 && $session_data->{__user_agent} ne $c->request->user_agent )
240             {
241                 $c->log->warn(
242                         "Deleting session $sid due to user agent mismatch ("
243                       . $session_data->{__user_agent} . " != "
244                       . $c->request->user_agent . ")"
245                 );
246                 $c->delete_session("user agent mismatch");
247                 return;
248             }
249
250             $c->log->debug(qq/Restored session "$sid"/) if $c->debug;
251             $c->_session_data_sig( Object::Signature::signature($session_data) ) if $session_data;
252             $c->_expire_session_keys;
253
254             return $session_data;
255         }
256     }
257
258     return;
259 }
260
261 sub _load_flash {
262     my $c = shift;
263     return $c->_flash if $c->_tried_loading_flash_data;
264     $c->_tried_loading_flash_data(1);
265
266     if ( my $sid = $c->sessionid ) {
267
268         my $session_data = $c->session;
269         $c->_flash($session_data->{__flash});
270
271         if ( my $flash_data = $c->_flash )
272         {
273             $c->_flash_key_hashes({ map { $_ => Object::Signature::signature( \$flash_data->{$_} ) } keys %$flash_data });
274
275             return $flash_data;
276         }
277     }
278
279     return;
280 }
281
282 sub _expire_session_keys {
283     my ( $c, $data ) = @_;
284
285     my $now = time;
286
287     my $expire_times = ( $data || $c->_session || {} )->{__expire_keys} || {};
288     foreach my $key ( grep { $expire_times->{$_} < $now } keys %$expire_times ) {
289         delete $c->_session->{$key};
290         delete $expire_times->{$key};
291     }
292 }
293
294 sub _clear_session_instance_data {
295     my $c = shift;
296     $c->$_(undef) for @session_data_accessors;
297     $c->maybe::next::method(@_); # allow other plugins to hook in on this
298 }
299
300 sub change_session_id {
301     my $c = shift;
302
303     my $sessiondata = $c->session;
304     my $oldsid = $c->sessionid;
305     my $newsid = $c->create_session_id;
306
307     if ($oldsid) {
308         $c->log->debug(qq/change_sessid: deleting session data from "$oldsid"/) if $c->debug;
309         $c->delete_session_data("${_}:${oldsid}") for qw/session expires flash/;
310     }
311
312     $c->log->debug(qq/change_sessid: storing session data to "$newsid"/) if $c->debug;
313     $c->store_session_data( "session:$newsid" => $sessiondata );
314
315     return $newsid;
316 }
317
318 sub delete_session {
319     my ( $c, $msg ) = @_;
320
321     $c->log->debug("Deleting session" . ( defined($msg) ? "($msg)" : '(no reason given)') ) if $c->debug;
322
323     # delete the session data
324     if ( my $sid = $c->sessionid ) {
325         $c->delete_session_data("${_}:${sid}") for qw/session expires flash/;
326         $c->delete_session_id($sid);
327     }
328
329     # reset the values in the context object
330     # see the BEGIN block
331     $c->_clear_session_instance_data;
332
333     $c->_session_delete_reason($msg);
334 }
335
336 sub session_delete_reason {
337     my $c = shift;
338
339     $c->session_is_valid; # check that it was loaded
340
341     $c->_session_delete_reason(@_);
342 }
343
344 sub session_expires {
345     my $c = shift;
346
347     if ( defined( my $expires = $c->_extended_session_expires ) ) {
348         return $expires;
349     } elsif ( defined( $expires = $c->_load_session_expires ) ) {
350         return $c->extend_session_expires( $expires );
351     } else {
352         return 0;
353     }
354 }
355
356 sub extend_session_expires {
357     my ( $c, $expires ) = @_;
358     $c->_extended_session_expires( my $updated = $c->calculate_extended_session_expires( $expires ) );
359     $c->extend_session_id( $c->sessionid, $updated );
360     return $updated;
361 }
362
363 sub calculate_initial_session_expires {
364     my $c = shift;
365     return ( time() + $c->_session_plugin_config->{expires} );
366 }
367
368 sub calculate_extended_session_expires {
369     my ( $c, $prev ) = @_;
370     $c->calculate_initial_session_expires;
371 }
372
373 sub reset_session_expires {
374     my ( $c, $sid ) = @_;
375
376     my $exp = $c->calculate_initial_session_expires;
377     $c->_session_expires( $exp );
378     #
379     # since we're setting _session_expires directly, make load_session_expires
380     # actually use that value.
381     #
382     $c->_tried_loading_session_expires(1);
383     $c->_extended_session_expires( $exp );
384     $exp;
385 }
386
387 sub sessionid {
388     my $c = shift;
389
390     return $c->_sessionid || $c->_load_sessionid;
391 }
392
393 sub _load_sessionid {
394     my $c = shift;
395     return if $c->_tried_loading_session_id;
396     $c->_tried_loading_session_id(1);
397
398     if ( defined( my $sid = $c->get_session_id ) ) {
399         if ( $c->validate_session_id($sid) ) {
400             # temporarily set the inner key, so that validation will work
401             $c->_sessionid($sid);
402             return $sid;
403         } else {
404             my $err = "Tried to set invalid session ID '$sid'";
405             $c->log->error($err);
406             Catalyst::Exception->throw($err);
407         }
408     }
409
410     return;
411 }
412
413 sub session_is_valid {
414     my $c = shift;
415
416     # force a check for expiry, but also __address, etc
417     if ( $c->_load_session ) {
418         return 1;
419     } else {
420         return;
421     }
422 }
423
424 sub validate_session_id {
425     my ( $c, $sid ) = @_;
426
427     $sid and $sid =~ /^[a-f\d]+$/i;
428 }
429
430 sub session {
431     my $c = shift;
432
433     my $session = $c->_session || $c->_load_session || do {
434         $c->create_session_id_if_needed;
435         $c->initialize_session_data;
436     };
437
438     if (@_) {
439       my $new_values = @_ > 1 ? { @_ } : $_[0];
440       croak('session takes a hash or hashref') unless ref $new_values;
441
442       for my $key (keys %$new_values) {
443         $session->{$key} = $new_values->{$key};
444       }
445     }
446
447     $session;
448 }
449
450 sub keep_flash {
451     my ( $c, @keys ) = @_;
452     my $href = $c->_flash_keep_keys || $c->_flash_keep_keys({});
453     (@{$href}{@keys}) = ((undef) x @keys);
454 }
455
456 sub _flash_data {
457     my $c = shift;
458     $c->_flash || $c->_load_flash || do {
459         $c->create_session_id_if_needed;
460         $c->_flash( {} );
461     };
462 }
463
464 sub _set_flash {
465     my $c = shift;
466     if (@_) {
467         my $items = @_ > 1 ? {@_} : $_[0];
468         croak('flash takes a hash or hashref') unless ref $items;
469         @{ $c->_flash }{ keys %$items } = values %$items;
470     }
471 }
472
473 sub flash {
474     my $c = shift;
475     $c->_flash_data;
476     $c->_set_flash(@_);
477     return $c->_flash;
478 }
479
480 sub clear_flash {
481     my $c = shift;
482
483     #$c->delete_session_data("flash:" . $c->sessionid); # should this be in here? or delayed till finalization?
484     $c->_flash_key_hashes({});
485     $c->_flash_keep_keys({});
486     $c->_flash({});
487 }
488
489 sub session_expire_key {
490     my ( $c, %keys ) = @_;
491
492     my $now = time;
493     @{ $c->session->{__expire_keys} }{ keys %keys } =
494       map { $now + $_ } values %keys;
495 }
496
497 sub initialize_session_data {
498     my $c = shift;
499
500     my $now = time;
501
502     my $session_data = {
503             __created => $now,
504             __updated => $now,
505
506             (
507                 $c->_session_plugin_config->{verify_address}
508                 ? ( __address => $c->request->address||'' )
509                 : ()
510             ),
511             (
512                 $c->_session_plugin_config->{verify_user_agent}
513                 ? ( __user_agent => $c->request->user_agent||'' )
514                 : ()
515             ),
516     };
517
518     # Only save this session if data is added by the application
519     $c->_session_data_sig( Object::Signature::signature($session_data) );
520
521     return $c->_session($session_data);
522 }
523
524 sub generate_session_id {
525     my $c = shift;
526
527     my $digest = $c->_find_digest();
528     $digest->add( $c->session_hash_seed() );
529     return $digest->hexdigest;
530 }
531
532 sub create_session_id_if_needed {
533     my $c = shift;
534     $c->create_session_id unless $c->sessionid;
535 }
536
537 sub create_session_id {
538     my $c = shift;
539
540     my $sid = $c->generate_session_id;
541
542     $c->log->debug(qq/Created session "$sid"/) if $c->debug;
543
544     $c->_sessionid($sid);
545     $c->reset_session_expires;
546     $c->set_session_id($sid);
547
548     return $sid;
549 }
550
551 my $counter;
552
553 sub session_hash_seed {
554     my $c = shift;
555
556     return join( "", ++$counter, time, rand, $$, {}, overload::StrVal($c), );
557 }
558
559 my $usable;
560
561 sub _find_digest () {
562     unless ($usable) {
563         foreach my $alg (qw/SHA-1 SHA-256 MD5/) {
564             if ( eval { Digest->new($alg) } ) {
565                 $usable = $alg;
566                 last;
567             }
568         }
569         Catalyst::Exception->throw(
570                 "Could not find a suitable Digest module. Please install "
571               . "Digest::SHA1, Digest::SHA, or Digest::MD5" )
572           unless $usable;
573     }
574
575     return Digest->new($usable);
576 }
577
578 sub dump_these {
579     my $c = shift;
580
581     (
582         $c->maybe::next::method(),
583
584         $c->_sessionid
585         ? ( [ "Session ID" => $c->sessionid ], [ Session => $c->session ], )
586         : ()
587     );
588 }
589
590
591 sub get_session_id { shift->maybe::next::method(@_) }
592 sub set_session_id { shift->maybe::next::method(@_) }
593 sub delete_session_id { shift->maybe::next::method(@_) }
594 sub extend_session_id { shift->maybe::next::method(@_) }
595
596 __PACKAGE__;
597
598 __END__
599
600 =pod
601
602 =head1 NAME
603
604 Catalyst::Plugin::Session - Generic Session plugin - ties together server side storage and client side state required to maintain session data.
605
606 =head1 SYNOPSIS
607
608     # To get sessions to "just work", all you need to do is use these plugins:
609
610     use Catalyst qw/
611       Session
612       Session::Store::FastMmap
613       Session::State::Cookie
614       /;
615
616     # you can replace Store::FastMmap with Store::File - both have sensible
617     # default configurations (see their docs for details)
618
619     # more complicated backends are available for other scenarios (DBI storage,
620     # etc)
621
622
623     # after you've loaded the plugins you can save session data
624     # For example, if you are writing a shopping cart, it could be implemented
625     # like this:
626
627     sub add_item : Local {
628         my ( $self, $c ) = @_;
629
630         my $item_id = $c->req->param("item");
631
632         # $c->session is a hash ref, a bit like $c->stash
633         # the difference is that it' preserved across requests
634
635         push @{ $c->session->{items} }, $item_id;
636
637         $c->forward("MyView");
638     }
639
640     sub display_items : Local {
641         my ( $self, $c ) = @_;
642
643         # values in $c->session are restored
644         $c->stash->{items_to_display} =
645           [ map { MyModel->retrieve($_) } @{ $c->session->{items} } ];
646
647         $c->forward("MyView");
648     }
649
650 =head1 DESCRIPTION
651
652 The Session plugin is the base of two related parts of functionality required
653 for session management in web applications.
654
655 The first part, the State, is getting the browser to repeat back a session key,
656 so that the web application can identify the client and logically string
657 several requests together into a session.
658
659 The second part, the Store, deals with the actual storage of information about
660 the client. This data is stored so that the it may be revived for every request
661 made by the same client.
662
663 This plugin links the two pieces together.
664
665 =head1 RECOMENDED BACKENDS
666
667 =over 4
668
669 =item Session::State::Cookie
670
671 The only really sane way to do state is using cookies.
672
673 =item Session::Store::File
674
675 A portable backend, based on Cache::File.
676
677 =item Session::Store::FastMmap
678
679 A fast and flexible backend, based on Cache::FastMmap.
680
681 =back
682
683 =head1 METHODS
684
685 =over 4
686
687 =item sessionid
688
689 An accessor for the session ID value.
690
691 =item session
692
693 Returns a hash reference that might contain unserialized values from previous
694 requests in the same session, and whose modified value will be saved for future
695 requests.
696
697 This method will automatically create a new session and session ID if none
698 exists.
699
700 You can also set session keys by passing a list of key/value pairs or a
701 hashref.
702
703     $c->session->{foo} = "bar";      # This works.
704     $c->session(one => 1, two => 2); # And this.
705     $c->session({ answer => 42 });   # And this.
706
707 =item session_expires
708
709 =item session_expires $reset
710
711 This method returns the time when the current session will expire, or 0 if
712 there is no current session. If there is a session and it already expired, it
713 will delete the session and return 0 as well.
714
715 If the C<$reset> parameter is true, and there is a session ID the expiry time
716 will be reset to the current time plus the time to live (see
717 L</CONFIGURATION>). This is used when creating a new session.
718
719 =item flash
720
721 This is like Ruby on Rails' flash data structure. Think of it as a stash that
722 lasts for longer than one request, letting you redirect instead of forward.
723
724 The flash data will be cleaned up only on requests on which actually use
725 $c->flash (thus allowing multiple redirections), and the policy is to delete
726 all the keys which haven't changed since the flash data was loaded at the end
727 of every request.
728
729     sub moose : Local {
730         my ( $self, $c ) = @_;
731
732         $c->flash->{beans} = 10;
733         $c->response->redirect( $c->uri_for("foo") );
734     }
735
736     sub foo : Local {
737         my ( $self, $c ) = @_;
738
739         my $value = $c->flash->{beans};
740
741         # ...
742
743         $c->response->redirect( $c->uri_for("bar") );
744     }
745
746     sub bar : Local {
747         my ( $self, $c ) = @_;
748
749         if ( exists $c->flash->{beans} ) { # false
750
751         }
752     }
753
754 =item clear_flash
755
756 Zap all the keys in the flash regardless of their current state.
757
758 =item keep_flash @keys
759
760 If you want to keep a flash key for the next request too, even if it hasn't
761 changed, call C<keep_flash> and pass in the keys as arguments.
762
763 =item delete_session REASON
764
765 This method is used to invalidate a session. It takes an optional parameter
766 which will be saved in C<session_delete_reason> if provided.
767
768 NOTE: This method will B<also> delete your flash data.
769
770 =item session_delete_reason
771
772 This accessor contains a string with the reason a session was deleted. Possible
773 values include:
774
775 =over 4
776
777 =item *
778
779 C<address mismatch>
780
781 =item *
782
783 C<session expired>
784
785 =back
786
787 =item session_expire_key $key, $ttl
788
789 Mark a key to expire at a certain time (only useful when shorter than the
790 expiry time for the whole session).
791
792 For example:
793
794     __PACKAGE__->config('Plugin::Session' => { expires => 10000000000 }); # "forever" 
795     (NB If this number is too large, Y2K38 breakage could result.)
796
797     # later
798
799     $c->session_expire_key( __user => 3600 );
800
801 Will make the session data survive, but the user will still be logged out after
802 an hour.
803
804 Note that these values are not auto extended.
805
806 =item change_session_id
807
808 By calling this method you can force a session id change while keeping all
809 session data. This method might come handy when you are paranoid about some
810 advanced variations of session fixation attack.
811
812 If you want to prevent this session fixation scenario:
813
814     0) let us have WebApp with anonymous and authenticated parts
815     1) a hacker goes to vulnerable WebApp and gets a real sessionid,
816        just by browsing anonymous part of WebApp
817     2) the hacker inserts (somehow) this values into a cookie in victim's browser
818     3) after the victim logs into WebApp the hacker can enter his/her session
819
820 you should call change_session_id in your login controller like this:
821
822       if ($c->authenticate( { username => $user, password => $pass } )) {
823         # login OK
824         $c->change_session_id;
825         ...
826       } else {
827         # login FAILED
828         ...
829       }
830
831 =back
832
833 =head1 INTERNAL METHODS
834
835 =over 4
836
837 =item setup
838
839 This method is extended to also make calls to
840 C<check_session_plugin_requirements> and C<setup_session>.
841
842 =item check_session_plugin_requirements
843
844 This method ensures that a State and a Store plugin are also in use by the
845 application.
846
847 =item setup_session
848
849 This method populates C<< $c->config('Plugin::Session') >> with the default values
850 listed in L</CONFIGURATION>.
851
852 =item prepare_action
853
854 This method is extended.
855
856 Its only effect is if the (off by default) C<flash_to_stash> configuration
857 parameter is on - then it will copy the contents of the flash to the stash at
858 prepare time.
859
860 =item finalize_headers
861
862 This method is extended and will extend the expiry time before sending
863 the response.
864
865 =item finalize_body
866
867 This method is extended and will call finalize_session before the other
868 finalize_body methods run.  Here we persist the session data if a session exists.
869
870 =item initialize_session_data
871
872 This method will initialize the internal structure of the session, and is
873 called by the C<session> method if appropriate.
874
875 =item create_session_id
876
877 Creates a new session ID using C<generate_session_id> if there is no session ID
878 yet.
879
880 =item validate_session_id SID
881
882 Make sure a session ID is of the right format.
883
884 This currently ensures that the session ID string is any amount of case
885 insensitive hexadecimal characters.
886
887 =item generate_session_id
888
889 This method will return a string that can be used as a session ID. It is
890 supposed to be a reasonably random string with enough bits to prevent
891 collision. It basically takes C<session_hash_seed> and hashes it using SHA-1,
892 MD5 or SHA-256, depending on the availability of these modules.
893
894 =item session_hash_seed
895
896 This method is actually rather internal to generate_session_id, but should be
897 overridable in case you want to provide more random data.
898
899 Currently it returns a concatenated string which contains:
900
901 =over 4
902
903 =item * A counter
904
905 =item * The current time
906
907 =item * One value from C<rand>.
908
909 =item * The stringified value of a newly allocated hash reference
910
911 =item * The stringified value of the Catalyst context object
912
913 =back
914
915 in the hopes that those combined values are entropic enough for most uses. If
916 this is not the case you can replace C<session_hash_seed> with e.g.
917
918     sub session_hash_seed {
919         open my $fh, "<", "/dev/random";
920         read $fh, my $bytes, 20;
921         close $fh;
922         return $bytes;
923     }
924
925 Or even more directly, replace C<generate_session_id>:
926
927     sub generate_session_id {
928         open my $fh, "<", "/dev/random";
929         read $fh, my $bytes, 20;
930         close $fh;
931         return unpack("H*", $bytes);
932     }
933
934 Also have a look at L<Crypt::Random> and the various openssl bindings - these
935 modules provide APIs for cryptographically secure random data.
936
937 =item finalize_session
938
939 Clean up the session during C<finalize>.
940
941 This clears the various accessors after saving to the store.
942
943 =item dump_these
944
945 See L<Catalyst/dump_these> - ammends the session data structure to the list of
946 dumped objects if session ID is defined.
947
948
949 =item calculate_extended_session_expires
950
951 =item calculate_initial_session_expires
952
953 =item create_session_id_if_needed
954
955 =item delete_session_id
956
957 =item extend_session_expires
958
959 =item extend_session_id
960
961 =item get_session_id
962
963 =item reset_session_expires
964
965 =item session_is_valid
966
967 =item set_session_id
968
969 =back
970
971 =head1 USING SESSIONS DURING PREPARE
972
973 The earliest point in time at which you may use the session data is after
974 L<Catalyst::Plugin::Session>'s C<prepare_action> has finished.
975
976 State plugins must set $c->session ID before C<prepare_action>, and during
977 C<prepare_action> L<Catalyst::Plugin::Session> will actually load the data from
978 the store.
979
980     sub prepare_action {
981         my $c = shift;
982
983         # don't touch $c->session yet!
984
985         $c->NEXT::prepare_action( @_ );
986
987         $c->session;  # this is OK
988         $c->sessionid; # this is also OK
989     }
990
991 =head1 CONFIGURATION
992
993     $c->config('Plugin::Session' => {
994         expires => 1234,
995     });
996
997 All configuation parameters are provided in a hash reference under the
998 C<Plugin::Session> key in the configuration hash.
999
1000 =over 4
1001
1002 =item expires
1003
1004 The time-to-live of each session, expressed in seconds. Defaults to 7200 (two
1005 hours).
1006
1007 =item verify_address
1008
1009 When true, C<<$c->request->address>> will be checked at prepare time. If it is
1010 not the same as the address that initiated the session, the session is deleted.
1011
1012 Defaults to false.
1013
1014 =item verify_user_agent
1015
1016 When true, C<<$c->request->user_agent>> will be checked at prepare time. If it
1017 is not the same as the user agent that initiated the session, the session is
1018 deleted.
1019
1020 Defaults to false.
1021
1022 =item flash_to_stash
1023
1024 This option makes it easier to have actions behave the same whether they were
1025 forwarded to or redirected to. On prepare time it copies the contents of
1026 C<flash> (if any) to the stash.
1027
1028 =back
1029
1030 =head1 SPECIAL KEYS
1031
1032 The hash reference returned by C<< $c->session >> contains several keys which
1033 are automatically set:
1034
1035 =over 4
1036
1037 =item __expires
1038
1039 This key no longer exists. Use C<session_expires> instead.
1040
1041 =item __updated
1042
1043 The last time a session was saved to the store.
1044
1045 =item __created
1046
1047 The time when the session was first created.
1048
1049 =item __address
1050
1051 The value of C<< $c->request->address >> at the time the session was created.
1052 This value is only populated if C<verify_address> is true in the configuration.
1053
1054 =item __user_agent
1055
1056 The value of C<< $c->request->user_agent >> at the time the session was created.
1057 This value is only populated if C<verify_user_agent> is true in the configuration.
1058
1059 =back
1060
1061 =head1 CAVEATS
1062
1063 =head2 Round the Robin Proxies
1064
1065 C<verify_address> could make your site inaccessible to users who are behind
1066 load balanced proxies. Some ISPs may give a different IP to each request by the
1067 same client due to this type of proxying. If addresses are verified these
1068 users' sessions cannot persist.
1069
1070 To let these users access your site you can either disable address verification
1071 as a whole, or provide a checkbox in the login dialog that tells the server
1072 that it's OK for the address of the client to change. When the server sees that
1073 this box is checked it should delete the C<__address> special key from the
1074 session hash when the hash is first created.
1075
1076 =head2 Race Conditions
1077
1078 In this day and age where cleaning detergents and Dutch football (not the
1079 American kind) teams roam the plains in great numbers, requests may happen
1080 simultaneously. This means that there is some risk of session data being
1081 overwritten, like this:
1082
1083 =over 4
1084
1085 =item 1.
1086
1087 request a starts, request b starts, with the same session ID
1088
1089 =item 2.
1090
1091 session data is loaded in request a
1092
1093 =item 3.
1094
1095 session data is loaded in request b
1096
1097 =item 4.
1098
1099 session data is changed in request a
1100
1101 =item 5.
1102
1103 request a finishes, session data is updated and written to store
1104
1105 =item 6.
1106
1107 request b finishes, session data is updated and written to store, overwriting
1108 changes by request a
1109
1110 =back
1111
1112 For applications where any given user's session is only making one request
1113 at a time this plugin should be safe enough.
1114
1115 =head1 AUTHORS
1116
1117 Andy Grundman
1118
1119 Christian Hansen
1120
1121 Yuval Kogman, C<nothingmuch@woobling.org>
1122
1123 Sebastian Riedel
1124
1125 Tomas Doran (t0m) C<bobtfish@bobtfish.net> (current maintainer)
1126
1127 Sergio Salvi
1128
1129 kmx C<kmx@volny.cz>
1130
1131 Florian Ragwitz (rafl) C<rafl@debian.org>
1132
1133 Kent Fredric (kentnl)
1134
1135 And countless other contributers from #catalyst. Thanks guys!
1136
1137 =head1 COPYRIGHT & LICENSE
1138
1139     Copyright (c) 2005 the aforementioned authors. All rights
1140     reserved. This program is free software; you can redistribute
1141     it and/or modify it under the same terms as Perl itself.
1142
1143 =cut
1144
1145