Added ProxyPass ignores for static files. Removed
[catagits/Catalyst-Manual.git] / lib / Catalyst / Manual / Cookbook.pod
CommitLineData
cb93c9d7 1=head1 NAME
2
3Catalyst::Manual::Cookbook - Cooking with Catalyst
4
5=head1 DESCRIPTION
6
7Yummy code like your mum used to bake!
8
9=head1 RECIPES
10
11=head1 Basics
12
c718cfb6 13These recipes cover some basic stuff that is worth knowing for
14catalyst developers.
cb93c9d7 15
16=head2 Delivering a Custom Error Page
17
18By default, Catalyst will display its own error page whenever it
19encounters an error in your application. When running under C<-Debug>
c718cfb6 20mode, the error page is a useful screen including the error message
21and L<Data::Dump> output of the relevant parts of the C<$c> context
22object. When not in C<-Debug>, users see a simple "Please come back
23later" screen.
cb93c9d7 24
c718cfb6 25To use a custom error page, use a special C<end> method to
26short-circuit the error processing. The following is an example; you
27might want to adjust it further depending on the needs of your
28application (for example, any calls to C<fillform> will probably need
29to go into this C<end> method; see L<Catalyst::Plugin::FillInForm>).
cb93c9d7 30
31 sub end : Private {
32 my ( $self, $c ) = @_;
33
34 if ( scalar @{ $c->error } ) {
35 $c->stash->{errors} = $c->error;
36 $c->stash->{template} = 'errors.tt';
37 $c->forward('MyApp::View::TT');
38 $c->error(0);
39 }
40
41 return 1 if $c->response->status =~ /^3\d\d$/;
42 return 1 if $c->response->body;
43
44 unless ( $c->response->content_type ) {
45 $c->response->content_type('text/html; charset=utf-8');
46 }
47
48 $c->forward('MyApp::View::TT');
49 }
50
51You can manually set errors in your code to trigger this page by calling
52
53 $c->error( 'You broke me!' );
54
55=head2 Disable statistics
56
c718cfb6 57Just add this line to your application class if you don't want those
58nifty statistics in your debug messages.
cb93c9d7 59
60 sub Catalyst::Log::info { }
61
62=head2 Enable debug status in the environment
63
64Normally you enable the debugging info by adding the C<-Debug> flag to
ca7528df 65your C<use Catalyst> statement (or C<__PACKAGE__->setup(qw/-Debug/)
66). However, you can also enable it using environment variable, so you
67can (for example) get debug info without modifying your application
68scripts. Just set C<CATALYST_DEBUG> or C<E<lt>MYAPPE<gt>_DEBUG> to a
69true value.
cb93c9d7 70
71=head2 Sessions
72
c718cfb6 73When you have your users identified, you will want to somehow remember
74that fact, to save them from having to identify themselves for every
75single page. One way to do this is to send the username and password
76parameters in every single page, but that's ugly, and won't work for
77static pages.
cb93c9d7 78
c718cfb6 79Sessions are a method of saving data related to some transaction, and
80giving the whole collection a single ID. This ID is then given to the
81user to return to us on every page they visit while logged in. The
82usual way to do this is using a browser cookie.
cb93c9d7 83
84Catalyst uses two types of plugins to represent sessions:
85
86=head3 State
87
c718cfb6 88A State module is used to keep track of the state of the session
89between the users browser, and your application.
cb93c9d7 90
c718cfb6 91A common example is the Cookie state module, which sends the browser a
92cookie containing the session ID. It will use default value for the
93cookie name and domain, so will "just work" when used.
cb93c9d7 94
95=head3 Store
96
c718cfb6 97A Store module is used to hold all the data relating to your session,
98for example the users ID, or the items for their shopping cart. You
99can store data in memory (FastMmap), in a file (File) or in a database
100(DBI).
cb93c9d7 101
102=head3 Authentication magic
103
104If you have included the session modules in your application, the
105Authentication modules will automagically use your session to save and
106retrieve the user data for you.
107
108=head3 Using a session
109
110Once the session modules are loaded, the session is available as C<<
c718cfb6 111$c->session >>, and can be writen to and read from as a simple hash
112reference.
cb93c9d7 113
114=head3 EXAMPLE
115
ca7528df 116 use parent qw/Catalyst/;
117 __PACKAGE__->setup( qw/
118 Session
119 Session::Store::FastMmap
120 Session::State::Cookie
121 /;)
cb93c9d7 122
123
124 ## Write data into the session
125
126 sub add_item : Local {
127 my ( $self, $c ) = @_;
128
129 my $item_id = $c->req->param("item");
130
131 push @{ $c->session->{items} }, $item_id;
132
133 }
134
135 ## A page later we retrieve the data from the session:
136
137 sub get_items : Local {
138 my ( $self, $c ) = @_;
139
140 $c->stash->{items_to_display} = $c->session->{items};
141
142 }
143
144
145=head3 More information
146
147L<http://search.cpan.org/dist/Catalyst-Plugin-Session>
148
149L<http://search.cpan.org/dist/Catalyst-Plugin-Session-State-Cookie>
150
151L<http://search.cpan.org/dist/Catalyst-Plugin-Session-State-URI>
152
153L<http://search.cpan.org/dist/Catalyst-Plugin-Session-Store-FastMmap>
154
155L<http://search.cpan.org/dist/Catalyst-Plugin-Session-Store-File>
156
157L<http://search.cpan.org/dist/Catalyst-Plugin-Session-Store-DBI>
158
159=head2 Configure your application
160
161You configure your application with the C<config> method in your
162application class. This can be hard-coded, or brought in from a
163separate configuration file.
164
c010ae0d 165=head3 Using Config::General
cb93c9d7 166
c010ae0d 167L<Config::General|Config::General> is a method for creating flexible
168and readable configuration files. It's a great way to keep your
169Catalyst application configuration in one easy-to-understand location.
cb93c9d7 170
c010ae0d 171Now create C<myapp.conf> in your application home:
cb93c9d7 172
c010ae0d 173 name MyApp
cb93c9d7 174
175 # session; perldoc Catalyst::Plugin::Session::FastMmap
c010ae0d 176 <Session>
177 expires 3600
178 rewrite 0
179 storage /tmp/myapp.session
180 </Session>
cb93c9d7 181
182 # emails; perldoc Catalyst::Plugin::Email
183 # this passes options as an array :(
c010ae0d 184 Mail SMTP
185 Mail localhost
cb93c9d7 186
187This is equivalent to:
188
189 # configure base package
190 __PACKAGE__->config( name => MyApp );
191 # configure authentication
192 __PACKAGE__->config->{authentication} = {
193 user_class => 'MyApp::Model::MyDB::Customer',
194 ...
195 };
196 # configure sessions
197 __PACKAGE__->config->{session} = {
198 expires => 3600,
199 ...
200 };
201 # configure email sending
202 __PACKAGE__->config->{email} = [qw/SMTP localhost/];
203
c010ae0d 204See also L<Config::General|Config::General>.
cb93c9d7 205
206=head1 Skipping your VCS's directories
207
208Catalyst uses Module::Pluggable to load Models, Views and Controllers.
209Module::Pluggable will scan through all directories and load modules
210it finds. Sometimes you might want to skip some of these directories,
211for example when your version control system makes a subdirectory with
212meta-information in every version-controlled directory. While
213Catalyst skips subversion and CVS directories already, there are other
214source control systems. Here is the configuration you need to add
215their directories to the list to skip.
216
217You can make catalyst skip these directories using the Catalyst config:
218
219 # Configure the application
220 __PACKAGE__->config(
221 name => 'MyApp',
222 setup_components => { except => qr/SCCS/ },
223 );
224
225See the Module::Pluggable manual page for more information on B<except>
226and other options.
227
228=head1 Users and Access Control
229
230Most multiuser, and some single user web applications require that
231users identify themselves, and the application is often required to
232define those roles. The recipes below describe some ways of doing
233this.
234
235=head2 Authentication (logging in)
236
237This is extensively covered in other documentation; see in particular
238L<Catalyst::Plugin::Authentication> and the Authentication chapter
239of the Tutorial at L<Catalyst::Manual::Tutorial::Authorization>.
240
241=head2 Pass-through login (and other actions)
242
243An easy way of having assorted actions that occur during the processing
244of a request that are orthogonal to its actual purpose - logins, silent
245commands etc. Provide actions for these, but when they're required for
246something else fill e.g. a form variable __login and have a sub begin
247like so:
248
249 sub begin : Private {
250 my ($self, $c) = @_;
251 foreach my $action (qw/login docommand foo bar whatever/) {
252 if ($c->req->params->{"__${action}"}) {
253 $c->forward($action);
254 }
255 }
256 }
257
258
259=head2 Role-based Authorization
260
261For more advanced access control, you may want to consider using role-based
262authorization. This means you can assign different roles to each user, e.g.
263"user", "admin", etc.
264
265The C<login> and C<logout> methods and view template are exactly the same as
266in the previous example.
267
268The L<Catalyst::Plugin::Authorization::Roles> plugin is required when
269implementing roles:
270
ca7528df 271 use parent qw/Catalyst/;
272 __PACKAGE__->setup (qw/
273 Authentication
274 Authentication::Credential::Password
275 Authentication::Store::Htpasswd
276 Authorization::Roles
277 /);
cb93c9d7 278
279Roles are implemented automatically when using
280L<Catalyst::Authentication::Store::Htpasswd>:
281
282 # no additional role configuration required
283 __PACKAGE__->config->{authentication}{htpasswd} = "passwdfile";
284
285Or can be set up manually when using L<Catalyst::Authentication::Store::DBIC>:
286
287 # Authorization using a many-to-many role relationship
288 __PACKAGE__->config->{authorization}{dbic} = {
289 'role_class' => 'My::Model::DBIC::Role',
290 'role_field' => 'name',
291 'user_role_user_field' => 'user',
292
293 # DBIx::Class only (omit if using Class::DBI)
294 'role_rel' => 'user_role',
295
296 # Class::DBI only, (omit if using DBIx::Class)
297 'user_role_class' => 'My::Model::CDBI::UserRole'
298 'user_role_role_field' => 'role',
299 };
300
301To restrict access to any action, you can use the C<check_user_roles> method:
302
303 sub restricted : Local {
304 my ( $self, $c ) = @_;
305
306 $c->detach("unauthorized")
307 unless $c->check_user_roles( "admin" );
308
309 # do something restricted here
310 }
311
c718cfb6 312You can also use the C<assert_user_roles> method. This just gives an
313error if the current user does not have one of the required roles:
cb93c9d7 314
315 sub also_restricted : Global {
316 my ( $self, $c ) = @_;
317 $c->assert_user_roles( qw/ user admin / );
318 }
319
320=head2 Authentication/Authorization
321
322This is done in several steps:
323
324=over 4
325
326=item Verification
327
328Getting the user to identify themselves, by giving you some piece of
c718cfb6 329information known only to you and the user. Then you can assume that
330the user is who they say they are. This is called B<credential
331verification>.
cb93c9d7 332
333=item Authorization
334
c718cfb6 335Making sure the user only accesses functions you want them to
336access. This is done by checking the verified users data against your
337internal list of groups, or allowed persons for the current page.
cb93c9d7 338
339=back
340
341=head3 Modules
342
c718cfb6 343The Catalyst Authentication system is made up of many interacting
344modules, to give you the most flexibility possible.
cb93c9d7 345
346=head4 Credential verifiers
347
c718cfb6 348A Credential module tables the user input, and passes it to a Store,
349or some other system, for verification. Typically, a user object is
350created by either this module or the Store and made accessible by a
351C<< $c->user >> call.
cb93c9d7 352
353Examples:
354
355 Password - Simple username/password checking.
356 HTTPD - Checks using basic HTTP auth.
357 TypeKey - Check using the typekey system.
358
359=head3 Storage backends
360
c718cfb6 361A Storage backend contains the actual data representing the users. It
362is queried by the credential verifiers. Updating the store is not done
363within this system, you will need to do it yourself.
cb93c9d7 364
365Examples:
366
367 DBIC - Storage using a database.
368 Minimal - Storage using a simple hash (for testing).
369
370=head3 User objects
371
c718cfb6 372A User object is created by either the storage backend or the
373credential verifier, and filled with the retrieved user information.
cb93c9d7 374
375Examples:
376
377 Hash - A simple hash of keys and values.
378
379=head3 ACL authorization
380
c718cfb6 381ACL stands for Access Control List. The ACL plugin allows you to
382regulate access on a path by path basis, by listing which users, or
383roles, have access to which paths.
cb93c9d7 384
385=head3 Roles authorization
386
c718cfb6 387Authorization by roles is for assigning users to groups, which can
388then be assigned to ACLs, or just checked when needed.
cb93c9d7 389
390=head3 Logging in
391
392When you have chosen your modules, all you need to do is call the C<<
393$c->login >> method. If called with no parameters, it will try to find
c718cfb6 394suitable parameters, such as B<username> and B<password>, or you can
395pass it these values.
cb93c9d7 396
397=head3 Checking roles
398
c718cfb6 399Role checking is done by using the C<< $c->check_user_roles >> method,
400this will check using the currently logged in user (via C<< $c->user
401>>). You pass it the name of a role to check, and it returns true if
402the user is a member.
cb93c9d7 403
404=head3 EXAMPLE
405
ca7528df 406 use parent qw/Catalyst/;
407 __PACKAGE__->setup( qw/Authentication
408 Authentication::Credential::Password
409 Authentication::Store::Htpasswd
410 Authorization::Roles/);
cb93c9d7 411
412 __PACKAGE__->config->{authentication}{htpasswd} = "passwdfile";
413
414 sub login : Local {
415 my ($self, $c) = @_;
416
417 if ( my $user = $c->req->param("user")
418 and my $password = $c->req->param("password") )
419 {
420 if ( $c->login( $user, $password ) ) {
421 $c->res->body( "hello " . $c->user->name );
422 } else {
423 # login incorrect
424 }
425 }
426 else {
427 # invalid form input
428 }
429 }
430
431 sub restricted : Local {
432 my ( $self, $c ) = @_;
433
434 $c->detach("unauthorized")
435 unless $c->check_user_roles( "admin" );
436
437 # do something restricted here
438 }
439
440=head3 Using authentication in a testing environment
441
c718cfb6 442Ideally, to write tests for authentication/authorization code one
443would first set up a test database with known data, then use
444L<Test::WWW::Mechanize::Catalyst> to simulate a user logging
445in. Unfortunately the former can be rather awkward, which is why it's
446a good thing that the authentication framework is so flexible.
cb93c9d7 447
c718cfb6 448Instead of using a test database, one can simply change the
449authentication store to something a bit easier to deal with in a
450testing environment. Additionally, this has the advantage of not
451modifying one's database, which can be problematic if one forgets to
452use the testing instead of production database.
cb93c9d7 453
454e.g.,
455
456 use Catalyst::Plugin::Authentication::Store::Minimal::Backend;
457
458 # Sets up the user `test_user' with password `test_pass'
459 MyApp->default_auth_store(
460 Catalyst::Plugin::Authentication::Store::Minimal::Backend->new({
461 test_user => { password => 'test_pass' },
462 })
463 );
464
465Now, your test code can call C<$c->login('test_user', 'test_pass')> and
466successfully login, without messing with the database at all.
467
468=head3 More information
469
470L<http://search.cpan.org/perldoc?Catalyst::Plugin::Authentication> has a longer explanation.
471
472=head2 Authorization
473
474=head3 Introduction
475
c718cfb6 476Authorization is the step that comes after
477authentication. Authentication establishes that the user agent is
478really representing the user we think it's representing, and then
479authorization determines what this user is allowed to do.
cb93c9d7 480
481=head3 Role Based Access Control
482
c718cfb6 483Under role based access control each user is allowed to perform any
484number of roles. For example, at a zoo no one but specially trained
485personnel can enter the moose cage (Mynd you, møøse bites kan be
486pretty nasti!). For example:
cb93c9d7 487
488 package Zoo::Controller::MooseCage;
489
490 sub feed_moose : Local {
491 my ( $self, $c ) = @_;
492
493 $c->model( "Moose" )->eat( $c->req->param("food") );
494 }
495
c718cfb6 496With this action, anyone can just come into the moose cage and feed
497the moose, which is a very dangerous thing. We need to restrict this
498action, so that only a qualified moose feeder can perform that action.
cb93c9d7 499
c718cfb6 500The Authorization::Roles plugin let's us perform role based access
501control checks. Let's load it:
cb93c9d7 502
ca7528df 503 use parent qw/Catalyst/;
504 __PACKAGE__->setup(qw/
cb93c9d7 505 Authentication # yadda yadda
506 Authorization::Roles
ca7528df 507 /);
cb93c9d7 508
509And now our action should look like this:
510
511 sub feed_moose : Local {
512 my ( $self, $c ) = @_;
513
514 if ( $c->check_roles( "moose_feeder" ) ) {
515 $c->model( "Moose" )->eat( $c->req->param("food") );
516 } else {
517 $c->stash->{error} = "unauthorized";
518 }
519 }
520
c718cfb6 521This checks C<< $c->user >>, and only if the user has B<all> the roles
522in the list, a true value is returned.
cb93c9d7 523
c718cfb6 524C<check_roles> has a sister method, C<assert_roles>, which throws an
525exception if any roles are missing.
cb93c9d7 526
527Some roles that might actually make sense in, say, a forum application:
528
529=over 4
530
531=item *
532
533administrator
534
535=item *
536
537moderator
538
539=back
540
c718cfb6 541each with a distinct task (system administration versus content
542administration).
cb93c9d7 543
544=head3 Access Control Lists
545
546Checking for roles all the time can be tedious and error prone.
547
c718cfb6 548The Authorization::ACL plugin let's us declare where we'd like checks
549to be done automatically for us.
cb93c9d7 550
551For example, we may want to completely block out anyone who isn't a
552C<moose_feeder> from the entire C<MooseCage> controller:
553
554 Zoo->deny_access_unless( "/moose_cage", [qw/moose_feeder/] );
555
c718cfb6 556The role list behaves in the same way as C<check_roles>. However, the
557ACL plugin isn't limited to just interacting with the Roles plugin. We
558can use a code reference instead. For example, to allow either moose
559trainers or moose feeders into the moose cage, we can create a more
560complex check:
cb93c9d7 561
562 Zoo->deny_access_unless( "/moose_cage", sub {
563 my $c = shift;
564 $c->check_roles( "moose_trainer" ) || $c->check_roles( "moose_feeder" );
565 });
566
c718cfb6 567The more specific a role, the earlier it will be checked. Let's say
568moose feeders are now restricted to only the C<feed_moose> action,
569while moose trainers get access everywhere:
cb93c9d7 570
571 Zoo->deny_access_unless( "/moose_cage", [qw/moose_trainer/] );
572 Zoo->allow_access_if( "/moose_cage/feed_moose", [qw/moose_feeder/]);
573
c718cfb6 574When the C<feed_moose> action is accessed the second check will be
575made. If the user is a C<moose_feeder>, then access will be
576immediately granted. Otherwise, the next rule in line will be tested -
577the one checking for a C<moose_trainer>. If this rule is not
578satisfied, access will be immediately denied.
cb93c9d7 579
c718cfb6 580Rules applied to the same path will be checked in the order they were
581added.
cb93c9d7 582
c718cfb6 583Lastly, handling access denial events is done by creating an
584C<access_denied> private action:
cb93c9d7 585
586 sub access_denied : Private {
587 my ( $self, $c, $action ) = @_;
cb93c9d7 588 }
589
c718cfb6 590This action works much like auto, in that it is inherited across
591namespaces (not like object oriented code). This means that the
592C<access_denied> action which is B<nearest> to the action which was
593blocked will be triggered.
cb93c9d7 594
c718cfb6 595If this action does not exist, an error will be thrown, which you can
596clean up in your C<end> private action instead.
cb93c9d7 597
c718cfb6 598Also, it's important to note that if you restrict access to "/" then
599C<end>, C<default>, etc will also be restricted.
cb93c9d7 600
601 MyApp->acl_allow_root_internals;
602
603will create rules that permit access to C<end>, C<begin>, and C<auto> in the
604root of your app (but not in any other controller).
605
606=head1 Models
607
608Models are where application data belongs. Catalyst is exteremely
609flexible with the kind of models that it can use. The recipes here
610are just the start.
611
612=head2 Using existing DBIC (etc.) classes with Catalyst
613
c718cfb6 614Many people have existing Model classes that they would like to use
615with Catalyst (or, conversely, they want to write Catalyst models that
616can be used outside of Catalyst, e.g. in a cron job). It's trivial to
617write a simple component in Catalyst that slurps in an outside Model:
cb93c9d7 618
619 package MyApp::Model::DB;
620 use base qw/Catalyst::Model::DBIC::Schema/;
621 __PACKAGE__->config(
622 schema_class => 'Some::DBIC::Schema',
623 connect_info => ['dbi:SQLite:foo.db', '', '', {AutoCommit=>1}];
624 );
625 1;
626
627and that's it! Now C<Some::DBIC::Schema> is part of your
628Cat app as C<MyApp::Model::DB>.
629
630=head2 DBIx::Class as a Catalyst Model
631
632See L<Catalyst::Model::DBIC::Schema>.
633
8428e94d 634=head2 Create accessors to preload static data once per server instance
635
636When you have data that you want to load just once from the model at
637server load instead of for each request, use mk_group_accessors to
638create accessors and tie them to resultsets in your package that
639inherits from DBIx::Class::Schema
640
641 package My::Schema;
642 use base qw/DBIx::Class::Schema/;
643 __PACKAGE__->register_class('RESULTSOURCEMONIKER',
644 'My::Schema::RESULTSOURCE');
645 __PACKAGE__->mk_group_accessors('simple' =>
646 qw(ACCESSORNAME1 ACCESSORNAME2 ACCESSORNAMEn));
647
648 sub connection {
649 my ($self, @rest) = @_;
650 $self->next::method(@rest);
651 # $self is now a live My::Schema object, complete with DB connection
652
653 $self->ACCESSORNAME1([ $self->resultset('RESULTSOURCEMONIKER')->all ]);
654 $self->ACCESSORNAME2([ $self->resultset('RESULTSOURCEMONIKER')->search({ COLUMN => { '<' => '30' } })->all ]);
655 $self->ACCESSORNAMEn([ $self->resultset('RESULTSOURCEMONIKER')->find(1) ]);
656 }
657
658 1;
659
660and now in the controller, you can now access any of these without a
661per-request fetch:
662
663 $c->stash->{something} = $c->model('My::Schema')->schema->ACCESSORNAMEn;
664
665
cb93c9d7 666=head2 XMLRPC
667
668Unlike SOAP, XMLRPC is a very simple (and imo elegant) web-services
669protocol, exchanging small XML messages like these:
670
671Request:
672
673 POST /api HTTP/1.1
674 TE: deflate,gzip;q=0.3
675 Connection: TE, close
676 Accept: text/xml
677 Accept: multipart/*
678 Host: 127.0.0.1:3000
679 User-Agent: SOAP::Lite/Perl/0.60
680 Content-Length: 192
681 Content-Type: text/xml
682
683 <?xml version="1.0" encoding="UTF-8"?>
684 <methodCall>
685 <methodName>add</methodName>
686 <params>
687 <param><value><int>1</int></value></param>
688 <param><value><int>2</int></value></param>
689 </params>
690 </methodCall>
691
692Response:
693
694 Connection: close
695 Date: Tue, 20 Dec 2005 07:45:55 GMT
696 Content-Length: 133
697 Content-Type: text/xml
698 Status: 200
699 X-Catalyst: 5.70
700
701 <?xml version="1.0" encoding="us-ascii"?>
702 <methodResponse>
703 <params>
704 <param><value><int>3</int></value></param>
705 </params>
706 </methodResponse>
707
708Now follow these few steps to implement the application:
709
7101. Install Catalyst (5.61 or later), Catalyst::Plugin::XMLRPC (0.06 or
711later) and SOAP::Lite (for XMLRPCsh.pl).
712
7132. Create an application framework:
714
715 % catalyst.pl MyApp
716 ...
717 % cd MyApp
718
7193. Add the XMLRPC plugin to MyApp.pm
720
ca7528df 721 __PACKAGE__->setup( qw/-Debug Static::Simple XMLRPC/);
cb93c9d7 722
7234. Add an API controller
724
725 % ./script/myapp_create.pl controller API
726
7275. Add a XMLRPC redispatch method and an add method with Remote
728attribute to lib/MyApp/Controller/API.pm
729
85d49fb6 730 sub default :Path {
cb93c9d7 731 my ( $self, $c ) = @_;
732 $c->xmlrpc;
733 }
734
735 sub add : Remote {
736 my ( $self, $c, $a, $b ) = @_;
737 return $a + $b;
738 }
739
740The default action is the entry point for each XMLRPC request. It will
741redispatch every request to methods with Remote attribute in the same
742class.
743
744The C<add> method is not a traditional action; it has no private or
745public path. Only the XMLRPC dispatcher knows it exists.
746
7476. That's it! You have built your first web service. Let's test it with
748XMLRPCsh.pl (part of SOAP::Lite):
749
750 % ./script/myapp_server.pl
751 ...
752 % XMLRPCsh.pl http://127.0.0.1:3000/api
753 Usage: method[(parameters)]
754 > add( 1, 2 )
755 --- XMLRPC RESULT ---
756 '3'
757
758=head3 Tip
759
760Your return data type is usually auto-detected, but you can easily
761enforce a specific one.
762
763 sub add : Remote {
764 my ( $self, $c, $a, $b ) = @_;
765 return RPC::XML::int->new( $a + $b );
766 }
767
768
769
770=head1 Views
771
772Views pertain to the display of your application. As with models,
773catalyst is uncommonly flexible. The recipes below are just a start.
774
775=head2 Catalyst::View::TT
776
777One of the first things you probably want to do when starting a new
778Catalyst application is set up your View. Catalyst doesn't care how you
779display your data; you can choose to generate HTML, PDF files, or plain
780text if you wanted.
781
782Most Catalyst applications use a template system to generate their HTML,
783and though there are several template systems available, Template
784Toolkit is probably the most popular.
785
786Once again, the Catalyst developers have done all the hard work, and
787made things easy for the rest of us. Catalyst::View::TT provides the
788interface to Template Toolkit, and provides Helpers which let us set it
789up that much more easily.
790
791=head3 Creating your View
792
793Catalyst::View::TT provides two different helpers for us to use: TT and
794TTSite.
795
796=head4 TT
797
798Create a basic Template Toolkit View using the provided helper script:
799
800 script/myapp_create.pl view TT TT
801
802This will create lib/MyApp/View/MyView.pm, which is going to be pretty
803empty to start. However, it sets everything up that you need to get
804started. You can now define which template you want and forward to your
805view. For instance:
806
807 sub hello : Local {
808 my ( $self, $c ) = @_;
809
810 $c->stash->{template} = 'hello.tt';
811
812 $c->forward( $c->view('TT') );
813 }
814
815In practice you wouldn't do the forwarding manually, but would
816use L<Catalyst::Action::RenderView>.
817
818=head4 TTSite
819
820Although the TT helper does create a functional, working view, you may
821find yourself having to create the same template files and changing the
822same options every time you create a new application. The TTSite helper
823saves us even more time by creating the basic templates and setting some
824common options for us.
825
826Once again, you can use the helper script:
827
828 script/myapp_create.pl view TT TTSite
829
830This time, the helper sets several options for us in the generated View.
831
832 __PACKAGE__->config({
833 CATALYST_VAR => 'Catalyst',
834 INCLUDE_PATH => [
835 MyApp->path_to( 'root', 'src' ),
836 MyApp->path_to( 'root', 'lib' )
837 ],
838 PRE_PROCESS => 'config/main',
839 WRAPPER => 'site/wrapper',
840 ERROR => 'error.tt2',
841 TIMER => 0
842 });
843
844=over
845
846=item
847
848INCLUDE_PATH defines the directories that Template Toolkit should search
849for the template files.
850
851=item
852
853PRE_PROCESS is used to process configuration options which are common to
854every template file.
855
856=item
857
858WRAPPER is a file which is processed with each template, usually used to
859easily provide a common header and footer for every page.
860
861=back
862
863In addition to setting these options, the TTSite helper also created the
864template and config files for us! In the 'root' directory, you'll notice
865two new directories: src and lib.
866
867Several configuration files in root/lib/config are called by PRE_PROCESS.
868
869The files in root/lib/site are the site-wide templates, called by
870WRAPPER, and display the html framework, control the layout, and provide
871the templates for the header and footer of your page. Using the template
872organization provided makes it much easier to standardize pages and make
873changes when they are (inevitably) needed.
874
875The template files that you will create for your application will go
876into root/src, and you don't need to worry about putting the the <html>
877or <head> sections; just put in the content. The WRAPPER will the rest
878of the page around your template for you.
879
880
881=head3 $c->stash
882
883Of course, having the template system include the header and footer for
884you isn't all that we want our templates to do. We need to be able to
885put data into our templates, and have it appear where and how we want
886it, right? That's where the stash comes in.
887
888In our controllers, we can add data to the stash, and then access it
889from the template. For instance:
890
891 sub hello : Local {
892 my ( $self, $c ) = @_;
893
894 $c->stash->{name} = 'Adam';
895
896 $c->stash->{template} = 'hello.tt';
897
898 $c->forward( $c->view('TT') );
899 }
900
901Then, in hello.tt:
902
903 <strong>Hello, [% name %]!</strong>
904
905When you view this page, it will display "Hello, Adam!"
906
907All of the information in your stash is available, by its name/key, in
908your templates. And your data don't have to be plain, old, boring
909scalars. You can pass array references and hash references, too.
910
911In your controller:
912
913 sub hello : Local {
914 my ( $self, $c ) = @_;
915
916 $c->stash->{names} = [ 'Adam', 'Dave', 'John' ];
917
918 $c->stash->{template} = 'hello.tt';
919
920 $c->forward( $c->view('TT') );
921 }
922
923In hello.tt:
924
925 [% FOREACH name IN names %]
926 <strong>Hello, [% name %]!</strong><br />
927 [% END %]
928
929This allowed us to loop through each item in the arrayref, and display a
930line for each name that we have.
931
932This is the most basic usage, but Template Toolkit is quite powerful,
933and allows you to truly keep your presentation logic separate from the
934rest of your application.
935
936=head3 $c->uri_for()
937
938One of my favorite things about Catalyst is the ability to move an
939application around without having to worry that everything is going to
940break. One of the areas that used to be a problem was with the http
941links in your template files. For example, suppose you have an
942application installed at http://www.domain.com/Calendar. The links point
943to "/Calendar", "/Calendar/2005", "/Calendar/2005/10", etc. If you move
944the application to be at http://www.mydomain.com/Tools/Calendar, then
945all of those links will suddenly break.
946
947That's where $c->uri_for() comes in. This function will merge its
948parameters with either the base location for the app, or its current
949namespace. Let's take a look at a couple of examples.
950
951In your template, you can use the following:
952
953 <a href="[% c.uri_for('/login') %]">Login Here</a>
954
c718cfb6 955Although the parameter starts with a forward slash, this is relative
956to the application root, not the webserver root. This is important to
957remember. So, if your application is installed at
958http://www.domain.com/Calendar, then the link would be
959http://www.mydomain.com/Calendar/Login. If you move your application
960to a different domain or path, then that link will still be correct.
cb93c9d7 961
962Likewise,
963
964 <a href="[% c.uri_for('2005','10', '24') %]">October, 24 2005</a>
965
c718cfb6 966The first parameter does NOT have a forward slash, and so it will be
967relative to the current namespace. If the application is installed at
968http://www.domain.com/Calendar. and if the template is called from
969MyApp::Controller::Display, then the link would become
970http://www.domain.com/Calendar/Display/2005/10/24.
971
972If you want to link to a parent uri of your current namespace you can
973prefix the arguments with multiple '../':
974
975 <a href="[% c.uri_for('../../view', stashed_object.id) %]">User view</a>
cb93c9d7 976
c718cfb6 977Once again, this allows you to move your application around without
978having to worry about broken links. But there's something else, as
979well. Since the links are generated by uri_for, you can use the same
980template file by several different controllers, and each controller
981will get the links that its supposed to. Since we believe in Don't
982Repeat Yourself, this is particularly helpful if you have common
983elements in your site that you want to keep in one file.
cb93c9d7 984
985Further Reading:
986
987L<http://search.cpan.org/perldoc?Catalyst>
988
989L<http://search.cpan.org/perldoc?Catalyst%3A%3AView%3A%3ATT>
990
991L<http://search.cpan.org/perldoc?Template>
992
993=head2 Adding RSS feeds
994
995Adding RSS feeds to your Catalyst applications is simple. We'll see two
996different aproaches here, but the basic premise is that you forward to
997the normal view action first to get the objects, then handle the output
998differently.
999
1000=head3 Using TT templates
1001
1002This is the aproach used in Agave (L<http://dev.rawmode.org/>).
1003
1004 sub rss : Local {
1005 my ($self,$c) = @_;
1006 $c->forward('view');
1007 $c->stash->{template}='rss.tt';
1008 }
1009
1010Then you need a template. Here's the one from Agave:
1011
1012 <?xml version="1.0" encoding="UTF-8"?>
1013 <rss version="2.0" xmlns:dc="http://purl.org/dc/elements/1.1/">
1014 <channel>
1015 <title>[ [% blog.name || c.config.name || "Agave" %] ] RSS Feed</title>
1016 <link>[% base %]</link>
1017 <description>Recent posts</description>
1018 <language>en-us</language>
1019 <ttl>40</ttl>
1020 [% WHILE (post = posts.next) %]
1021 <item>
1022 <title>[% post.title %]</title>
1023 <description>[% post.formatted_teaser|html%]</description>
1024 <pubDate>[% post.pub_date %]</pubDate>
1025 <guid>[% post.full_uri %]</guid>
1026 <link>[% post.full_uri %]</link>
1027 <dc:creator>[% post.author.screenname %]</dc:creator>
1028 </item>
1029 [% END %]
1030 </channel>
1031 </rss>
1032
1033=head3 Using XML::Feed
1034
1035A more robust solution is to use XML::Feed, as was done in the Catalyst
1036Advent Calendar. Assuming we have a C<view> action that populates
1037'entries' with some DBIx::Class iterator, the code would look something
1038like this:
1039
1040 sub rss : Local {
1041 my ($self,$c) = @_;
1042 $c->forward('view'); # get the entries
1043
1044 my $feed = XML::Feed->new('RSS');
1045 $feed->title( $c->config->{name} . ' RSS Feed' );
1046 $feed->link( $c->req->base ); # link to the site.
1047 $feed->description('Catalyst advent calendar'); Some description
1048
1049 # Process the entries
1050 while( my $entry = $c->stash->{entries}->next ) {
1051 my $feed_entry = XML::Feed::Entry->new('RSS');
1052 $feed_entry->title($entry->title);
1053 $feed_entry->link( $c->uri_for($entry->link) );
1054 $feed_entry->issued( DateTime->from_epoch(epoch => $entry->created) );
1055 $feed->add_entry($feed_entry);
1056 }
1057 $c->res->body( $feed->as_xml );
1058 }
1059
1060A little more code in the controller, but with this approach you're
1061pretty sure to get something that validates.
1062
1063Note that for both of the above aproaches, you'll need to set the
1064content type like this:
1065
1066 $c->res->content_type('application/rss+xml');
1067
1068=head3 Final words
1069
1070You could generalize the second variant easily by replacing 'RSS' with a
1071variable, so you can generate Atom feeds with the same code.
1072
1073Now, go ahead and make RSS feeds for all your stuff. The world *needs*
1074updates on your goldfish!
1075
1076=head2 Forcing the browser to download content
1077
1078Sometimes you need your application to send content for download. For
1079example, you can generate a comma-separated values (CSV) file for your
1080users to download and import into their spreadsheet program.
1081
1082Let's say you have an C<Orders> controller which generates a CSV file
1083in the C<export> action (i.e., C<http://localhost:3000/orders/export>):
1084
1085 sub export : Local Args(0) {
1086 my ( $self, $c ) = @_;
1087
1088 # In a real application, you'd generate this from the database
1089 my $csv = "1,5.99\n2,29.99\n3,3.99\n";
1090
1091 $c->res->content_type('text/comma-separated-values');
1092 $c->res->body($csv);
1093 }
1094
1095Normally the browser uses the last part of the URI to generate a
1096filename for data it cannot display. In this case your browser would
1097likely ask you to save a file named C<export>.
1098
1099Luckily you can have the browser download the content with a specific
1100filename by setting the C<Content-Disposition> header:
1101
1102 my $filename = 'Important Orders.csv';
1103 $c->res->header('Content-Disposition', qq[attachment; filename="$filename"]);
1104
1105Note the use of quotes around the filename; this ensures that any
1106spaces in the filename are handled by the browser.
1107
1108Put this right before calling C<< $c->res->body >> and your browser
1109will download a file named C<Important Orders.csv> instead of
1110C<export>.
1111
1112You can also use this to have the browser download content which it
1113normally displays, such as JPEG images or even HTML. Just be sure to
1114set the appropriate content type and disposition.
1115
1116
1117=head1 Controllers
1118
1119Controllers are the main point of communication between the web server
1120and your application. Here we explore some aspects of how they work.
1121
1122=head2 Extending RenderView (formerly DefaultEnd)
1123
1124The recommended approach for an C<end> action is to use
1125L<Catalyst::Action::RenderView> (taking the place of
1126L<Catalyst::Plugin::DefaultEnd>), which does what you usually need.
1127However there are times when you need to add a bit to it, but don't want
1128to write your own C<end> action.
1129
1130You can extend it like this:
1131
1132To add something to an C<end> action that is called before rendering
1133(this is likely to be what you want), simply place it in the C<end>
1134method:
1135
1136 sub end : ActionClass('RenderView') {
1137 my ( $self, $c ) = @_;
1138 # do stuff here; the RenderView action is called afterwards
1139 }
1140
1141To add things to an C<end> action that are called I<after> rendering,
1142you can set it up like this:
1143
1144 sub render : ActionClass('RenderView') { }
1145
1146 sub end : Private {
1147 my ( $self, $c ) = @_;
1148 $c->forward('render');
1149 # do stuff here
1150 }
1151
1152=head2 Action Types
1153
1154=head3 Introduction
1155
c718cfb6 1156A Catalyst application is driven by one or more Controller
1157modules. There are a number of ways that Catalyst can decide which of
1158the methods in your controller modules it should call. Controller
1159methods are also called actions, because they determine how your
1160catalyst application should (re-)act to any given URL. When the
1161application is started up, catalyst looks at all your actions, and
1162decides which URLs they map to.
cb93c9d7 1163
1164=head3 Type attributes
1165
1166Each action is a normal method in your controller, except that it has an
1167L<attribute|http://search.cpan.org/~nwclark/perl-5.8.7/lib/attributes.pm>
1168attached. These can be one of several types.
1169
1170Assume our Controller module starts with the following package declaration:
1171
1172 package MyApp::Controller::Buckets;
1173
1174and we are running our application on localhost, port 3000 (the test
1175server default).
1176
1177=over 4
1178
1179=item Path
1180
1181A Path attribute also takes an argument, this can be either a relative
c718cfb6 1182or an absolute path. A relative path will be relative to the
1183controller namespace, an absolute path will represent an exact
1184matching URL.
cb93c9d7 1185
1186 sub my_handles : Path('handles') { .. }
1187
1188becomes
1189
1190 http://localhost:3000/buckets/handles
1191
1192and
1193
1194 sub my_handles : Path('/handles') { .. }
1195
1196becomes
1197
1198 http://localhost:3000/handles
1199
1200=item Local
1201
c718cfb6 1202When using a Local attribute, no parameters are needed, instead, the
1203name of the action is matched in the URL. The namespaces created by
1204the name of the controller package is always part of the URL.
cb93c9d7 1205
1206 sub my_handles : Local { .. }
1207
1208becomes
1209
1210 http://localhost:3000/buckets/my_handles
1211
1212=item Global
1213
c718cfb6 1214A Global attribute is similar to a Local attribute, except that the
1215namespace of the controller is ignored, and matching starts at root.
cb93c9d7 1216
1217 sub my_handles : Global { .. }
1218
1219becomes
1220
1221 http://localhost:3000/my_handles
1222
1223=item Regex
1224
c718cfb6 1225By now you should have figured that a Regex attribute is just what it
1226sounds like. This one takes a regular expression, and matches starting
1227from root. These differ from the rest as they can match multiple URLs.
cb93c9d7 1228
1229 sub my_handles : Regex('^handles') { .. }
1230
1231matches
1232
1233 http://localhost:3000/handles
1234
1235and
1236
1237 http://localhost:3000/handles_and_other_parts
1238
1239etc.
1240
1241=item LocalRegex
1242
1243A LocalRegex is similar to a Regex, except it only matches below the current
1244controller namespace.
1245
1246 sub my_handles : LocalRegex(^handles') { .. }
1247
1248matches
1249
1250 http://localhost:3000/buckets/handles
1251
1252and
1253
1254 http://localhost:3000/buckets/handles_and_other_parts
1255
1256etc.
1257
1258=item Private
1259
c718cfb6 1260Last but not least, there is the Private attribute, which allows you
1261to create your own internal actions, which can be forwarded to, but
1262won't be matched as URLs.
cb93c9d7 1263
1264 sub my_handles : Private { .. }
1265
1266becomes nothing at all..
1267
c718cfb6 1268Catalyst also predefines some special Private actions, which you can
1269override, these are:
cb93c9d7 1270
1271=over 4
1272
1273=item default
1274
c718cfb6 1275The default action will be called, if no other matching action is
1276found. If you don't have one of these in your namespace, or any sub
1277part of your namespace, you'll get an error page instead. If you want
1278to find out where it was the user was trying to go, you can look in
1279the request object using C<< $c->req->path >>.
cb93c9d7 1280
85d49fb6 1281 sub default :Path { .. }
cb93c9d7 1282
c718cfb6 1283works for all unknown URLs, in this controller namespace, or every one
1284if put directly into MyApp.pm.
cb93c9d7 1285
1286=item index
1287
c718cfb6 1288The index action is called when someone tries to visit the exact
1289namespace of your controller. If index, default and matching Path
1290actions are defined, then index will be used instead of default and
1291Path.
cb93c9d7 1292
85d49fb6 1293 sub index :Path :Args(0) { .. }
cb93c9d7 1294
1295becomes
1296
1297 http://localhost:3000/buckets
1298
1299=item begin
1300
c718cfb6 1301The begin action is called at the beginning of every request involving
1302this namespace directly, before other matching actions are called. It
1303can be used to set up variables/data for this particular part of your
1304app. A single begin action is called, its always the one most relevant
1305to the current namespace.
cb93c9d7 1306
1307 sub begin : Private { .. }
1308
1309is called once when
1310
1311 http://localhost:3000/bucket/(anything)?
1312
1313is visited.
1314
1315=item end
1316
c718cfb6 1317Like begin, this action is always called for the namespace it is in,
1318after every other action has finished. It is commonly used to forward
1319processing to the View component. A single end action is called, its
1320always the one most relevant to the current namespace.
cb93c9d7 1321
1322
1323 sub end : Private { .. }
1324
1325is called once after any actions when
1326
1327 http://localhost:3000/bucket/(anything)?
1328
1329is visited.
1330
1331=item auto
1332
c718cfb6 1333Lastly, the auto action is magic in that B<every> auto action in the
1334chain of paths up to and including the ending namespace, will be
1335called. (In contrast, only one of the begin/end/default actions will
1336be called, the relevant one).
cb93c9d7 1337
1338 package MyApp.pm;
1339 sub auto : Private { .. }
1340
1341and
1342
1343 sub auto : Private { .. }
1344
1345will both be called when visiting
1346
1347 http://localhost:3000/bucket/(anything)?
1348
1349=back
1350
1351=back
1352
1353=head3 A word of warning
1354
c718cfb6 1355Due to possible namespace conflicts with Plugins, it is advised to
1356only put the pre-defined Private actions in your main MyApp.pm file,
1357all others should go in a Controller module.
cb93c9d7 1358
1359=head3 More Information
1360
1361L<http://search.cpan.org/author/SRI/Catalyst-5.61/lib/Catalyst/Manual/Intro.pod>
1362
1363L<http://dev.catalyst.perl.org/wiki/FlowChart>
1364
1365=head2 Component-based Subrequests
1366
1367See L<Catalyst::Plugin::SubRequest>.
1368
1369=head2 File uploads
1370
1371=head3 Single file upload with Catalyst
1372
1373To implement uploads in Catalyst, you need to have a HTML form similar to
1374this:
1375
1376 <form action="/upload" method="post" enctype="multipart/form-data">
1377 <input type="hidden" name="form_submit" value="yes">
1378 <input type="file" name="my_file">
1379 <input type="submit" value="Send">
1380 </form>
1381
1382It's very important not to forget C<enctype="multipart/form-data"> in
1383the form.
1384
1385Catalyst Controller module 'upload' action:
1386
1387 sub upload : Global {
1388 my ($self, $c) = @_;
1389
1390 if ( $c->request->parameters->{form_submit} eq 'yes' ) {
1391
1392 if ( my $upload = $c->request->upload('my_file') ) {
1393
1394 my $filename = $upload->filename;
1395 my $target = "/tmp/upload/$filename";
1396
1397 unless ( $upload->link_to($target) || $upload->copy_to($target) ) {
1398 die( "Failed to copy '$filename' to '$target': $!" );
1399 }
1400 }
1401 }
1402
1403 $c->stash->{template} = 'file_upload.html';
1404 }
1405
1406=head3 Multiple file upload with Catalyst
1407
1408Code for uploading multiple files from one form needs a few changes:
1409
1410The form should have this basic structure:
1411
1412 <form action="/upload" method="post" enctype="multipart/form-data">
1413 <input type="hidden" name="form_submit" value="yes">
1414 <input type="file" name="file1" size="50"><br>
1415 <input type="file" name="file2" size="50"><br>
1416 <input type="file" name="file3" size="50"><br>
1417 <input type="submit" value="Send">
1418 </form>
1419
1420And in the controller:
1421
1422 sub upload : Local {
1423 my ($self, $c) = @_;
1424
1425 if ( $c->request->parameters->{form_submit} eq 'yes' ) {
1426
1427 for my $field ( $c->req->upload ) {
1428
1429 my $upload = $c->req->upload($field);
1430 my $filename = $upload->filename;
1431 my $target = "/tmp/upload/$filename";
1432
1433 unless ( $upload->link_to($target) || $upload->copy_to($target) ) {
1434 die( "Failed to copy '$filename' to '$target': $!" );
1435 }
1436 }
1437 }
1438
1439 $c->stash->{template} = 'file_upload.html';
1440 }
1441
1442C<for my $field ($c-E<gt>req->upload)> loops automatically over all file
1443input fields and gets input names. After that is basic file saving code,
1444just like in single file upload.
1445
1446Notice: C<die>ing might not be what you want to do, when an error
1447occurs, but it works as an example. A better idea would be to store
1448error C<$!> in $c->stash->{error} and show a custom error template
1449displaying this message.
1450
1451For more information about uploads and usable methods look at
1452L<Catalyst::Request::Upload> and L<Catalyst::Request>.
1453
1454=head2 Forwarding with arguments
1455
1456Sometimes you want to pass along arguments when forwarding to another
1457action. As of version 5.30, arguments can be passed in the call to
1458C<forward>; in earlier versions, you can manually set the arguments in
1459the Catalyst Request object:
1460
1461 # version 5.30 and later:
1462 $c->forward('/wherever', [qw/arg1 arg2 arg3/]);
1463
1464 # pre-5.30
1465 $c->req->args([qw/arg1 arg2 arg3/]);
1466 $c->forward('/wherever');
1467
1468(See the L<Catalyst::Manual::Intro> Flow_Control section for more
1469information on passing arguments via C<forward>.)
1470
1471
1472=head1 Deployment
1473
1474The recipes below describe aspects of the deployment process,
1475including web server engines and tips to improve application efficiency.
1476
1477=head2 mod_perl Deployment
1478
1479mod_perl is the best solution for many applications, but we'll list some pros
1480and cons so you can decide for yourself. The other production deployment
1481option is FastCGI, for which see below.
1482
1483=head3 Pros
1484
1485=head4 Speed
1486
1487mod_perl is very fast and your app will benefit from being loaded in memory
1488within each Apache process.
1489
1490=head4 Shared memory for multiple apps
1491
1492If you need to run several Catalyst apps on the same server, mod_perl will
1493share the memory for common modules.
1494
1495=head3 Cons
1496
1497=head4 Memory usage
1498
1499Since your application is fully loaded in memory, every Apache process will
1500be rather large. This means a large Apache process will be tied up while
1501serving static files, large files, or dealing with slow clients. For this
1502reason, it is best to run a two-tiered web architecture with a lightweight
1503frontend server passing dynamic requests to a large backend mod_perl
1504server.
1505
1506=head4 Reloading
1507
1508Any changes made to the core code of your app require a full Apache restart.
1509Catalyst does not support Apache::Reload or StatINC. This is another good
1510reason to run a frontend web server where you can set up an
1511C<ErrorDocument 502> page to report that your app is down for maintenance.
1512
1513=head4 Cannot run multiple versions of the same app
1514
1515It is not possible to run two different versions of the same application in
1516the same Apache instance because the namespaces will collide.
1517
1518=head4 Setup
1519
1520Now that we have that out of the way, let's talk about setting up mod_perl
1521to run a Catalyst app.
1522
1523=head4 1. Install Catalyst::Engine::Apache
1524
1525You should install the latest versions of both Catalyst and
1526Catalyst::Engine::Apache. The Apache engines were separated from the
1527Catalyst core in version 5.50 to allow for updates to the engine without
1528requiring a new Catalyst release.
1529
1530=head4 2. Install Apache with mod_perl
1531
1532Both Apache 1.3 and Apache 2 are supported, although Apache 2 is highly
1533recommended. With Apache 2, make sure you are using the prefork MPM and not
1534the worker MPM. The reason for this is that many Perl modules are not
1535thread-safe and may have problems running within the threaded worker
1536environment. Catalyst is thread-safe however, so if you know what you're
1537doing, you may be able to run using worker.
1538
1539In Debian, the following commands should get you going.
1540
1541 apt-get install apache2-mpm-prefork
1542 apt-get install libapache2-mod-perl2
1543
1544=head4 3. Configure your application
1545
1546Every Catalyst application will automagically become a mod_perl handler
1547when run within mod_perl. This makes the configuration extremely easy.
1548Here is a basic Apache 2 configuration.
1549
1550 PerlSwitches -I/var/www/MyApp/lib
1551 PerlModule MyApp
1552
1553 <Location />
1554 SetHandler modperl
1555 PerlResponseHandler MyApp
1556 </Location>
1557
1558The most important line here is C<PerlModule MyApp>. This causes mod_perl
1559to preload your entire application into shared memory, including all of your
1560controller, model, and view classes and configuration. If you have -Debug
1561mode enabled, you will see the startup output scroll by when you first
1562start Apache.
1563
1564For an example Apache 1.3 configuration, please see the documentation for
1565L<Catalyst::Engine::Apache::MP13>.
1566
1567=head3 Test It
1568
1569That's it, your app is now a full-fledged mod_perl application! Try it out
1570by going to http://your.server.com/.
1571
1572=head3 Other Options
1573
1574=head4 Non-root location
1575
1576You may not always want to run your app at the root of your server or virtual
1577host. In this case, it's a simple change to run at any non-root location
1578of your choice.
1579
1580 <Location /myapp>
1581 SetHandler modperl
1582 PerlResponseHandler MyApp
1583 </Location>
1584
1585When running this way, it is best to make use of the C<uri_for> method in
1586Catalyst for constructing correct links.
1587
1588=head4 Static file handling
1589
1590Static files can be served directly by Apache for a performance boost.
1591
1592 DocumentRoot /var/www/MyApp/root
1593 <Location /static>
1594 SetHandler default-handler
1595 </Location>
1596
1597This will let all files within root/static be handled directly by Apache. In
1598a two-tiered setup, the frontend server should handle static files.
1599The configuration to do this on the frontend will vary.
1600
3cca8359 1601The same is accomplished in lighttpd with the following snippet:
1602
1603 $HTTP["url"] !~ "^/(?:img/|static/|css/|favicon.ico$)" {
1604 fastcgi.server = (
1605 "" => (
1606 "MyApp" => (
1607 "socket" => "/tmp/myapp.socket",
1608 "check-local" => "disable",
1609 )
1610 )
1611 )
1612 }
1613
1614Which serves everything in the img, static, css directories
1615statically, as well as the favicon file.
1616
c1c35b01 1617Note the path of the application needs to be stated explicitly in the
1618web server configuration for both these recipes.
3cca8359 1619
cb93c9d7 1620=head2 Catalyst on shared hosting
1621
1622So, you want to put your Catalyst app out there for the whole world to
1623see, but you don't want to break the bank. There is an answer - if you
1624can get shared hosting with FastCGI and a shell, you can install your
1625Catalyst app in a local directory on your shared host. First, run
1626
1627 perl -MCPAN -e shell
1628
1629and go through the standard CPAN configuration process. Then exit out
1630without installing anything. Next, open your .bashrc and add
1631
1632 export PATH=$HOME/local/bin:$HOME/local/script:$PATH
1633 perlversion=`perl -v | grep 'built for' | awk '{print $4}' | sed -e 's/v//;'`
1634 export PERL5LIB=$HOME/local/share/perl/$perlversion:$HOME/local/lib/perl/$perlversion:$HOME/local/lib:$PERL5LIB
1635
1636and log out, then back in again (or run C<". .bashrc"> if you
1637prefer). Finally, edit C<.cpan/CPAN/MyConfig.pm> and add
1638
1639 'make_install_arg' => qq[SITEPREFIX=$ENV{HOME}/local],
1640 'makepl_arg' => qq[INSTALLDIRS=site install_base=$ENV{HOME}/local],
1641
1642Now you can install the modules you need using CPAN as normal; they
1643will be installed into your local directory, and perl will pick them
1644up. Finally, change directory into the root of your virtual host and
1645symlink your application's script directory in:
1646
1647 cd path/to/mydomain.com
1648 ln -s ~/lib/MyApp/script script
1649
1650And add the following lines to your .htaccess file (assuming the server
1651is setup to handle .pl as fcgi - you may need to rename the script to
1652myapp_fastcgi.fcgi and/or use a SetHandler directive):
1653
1654 RewriteEngine On
1655 RewriteCond %{REQUEST_URI} !^/?script/myapp_fastcgi.pl
1656 RewriteRule ^(.*)$ script/myapp_fastcgi.pl/$1 [PT,L]
1657
1658Now C<http://mydomain.com/> should now Just Work. Congratulations, now
1659you can tell your friends about your new website (or in our case, tell
1660the client it's time to pay the invoice :) )
1661
1662=head2 FastCGI Deployment
1663
1664FastCGI is a high-performance extension to CGI. It is suitable
1665for production environments.
1666
1667=head3 Pros
1668
1669=head4 Speed
1670
1671FastCGI performs equally as well as mod_perl. Don't let the 'CGI' fool you;
1672your app runs as multiple persistent processes ready to receive connections
1673from the web server.
1674
1675=head4 App Server
1676
1677When using external FastCGI servers, your application runs as a standalone
1678application server. It may be restarted independently from the web server.
1679This allows for a more robust environment and faster reload times when
1680pushing new app changes. The frontend server can even be configured to
1681display a friendly "down for maintenance" page while the application is
1682restarting.
1683
1684=head4 Load-balancing
1685
1686You can launch your application on multiple backend servers and allow the
1687frontend web server to load-balance between all of them. And of course, if
1688one goes down, your app continues to run fine.
1689
1690=head4 Multiple versions of the same app
1691
1692Each FastCGI application is a separate process, so you can run different
1693versions of the same app on a single server.
1694
1695=head4 Can run with threaded Apache
1696
1697Since your app is not running inside of Apache, the faster mpm_worker module
1698can be used without worrying about the thread safety of your application.
1699
1700=head3 Cons
1701
1702=head4 More complex environment
1703
1704With FastCGI, there are more things to monitor and more processes running
1705than when using mod_perl.
1706
1707=head3 Setup
1708
1709=head4 1. Install Apache with mod_fastcgi
1710
1711mod_fastcgi for Apache is a third party module, and can be found at
1712L<http://www.fastcgi.com/>. It is also packaged in many distributions,
1713for example, libapache2-mod-fastcgi in Debian.
1714
1715=head4 2. Configure your application
1716
1717 # Serve static content directly
1718 DocumentRoot /var/www/MyApp/root
1719 Alias /static /var/www/MyApp/root/static
1720
1721 FastCgiServer /var/www/MyApp/script/myapp_fastcgi.pl -processes 3
1722 Alias /myapp/ /var/www/MyApp/script/myapp_fastcgi.pl/
1723
1724 # Or, run at the root
1725 Alias / /var/www/MyApp/script/myapp_fastcgi.pl/
1726
1727The above commands will launch 3 app processes and make the app available at
1728/myapp/
1729
1730=head3 Standalone server mode
1731
1732While not as easy as the previous method, running your app as an external
1733server gives you much more flexibility.
1734
1735First, launch your app as a standalone server listening on a socket.
1736
1737 script/myapp_fastcgi.pl -l /tmp/myapp.socket -n 5 -p /tmp/myapp.pid -d
1738
1739You can also listen on a TCP port if your web server is not on the same
1740machine.
1741
1742 script/myapp_fastcgi.pl -l :8080 -n 5 -p /tmp/myapp.pid -d
1743
1744You will probably want to write an init script to handle starting/stopping
1745of the app using the pid file.
1746
1747Now, we simply configure Apache to connect to the running server.
1748
1749 # 502 is a Bad Gateway error, and will occur if the backend server is down
1750 # This allows us to display a friendly static page that says "down for
1751 # maintenance"
1752 Alias /_errors /var/www/MyApp/root/error-pages
1753 ErrorDocument 502 /_errors/502.html
1754
31bdf270 1755 FastCgiExternalServer /tmp/myapp.fcgi -socket /tmp/myapp.socket
1756 Alias /myapp/ /tmp/myapp.fcgi/
cb93c9d7 1757
1758 # Or, run at the root
31bdf270 1759 Alias / /tmp/myapp.fcgi/
cb93c9d7 1760
1761=head3 More Info
1762
1763L<Catalyst::Engine::FastCGI>.
1764
1765=head2 Development server deployment
1766
1767The development server is a mini web server written in perl. If you
1768expect a low number of hits or you don't need mod_perl/FastCGI speed,
1769you could use the development server as the application server with a
ad2a47ab 1770lightweight proxy web server at the front. However, consider using
816fc503 1771L<Catalyst::Engine::HTTP::Prefork> for this kind of deployment instead, since
ad2a47ab 1772it can better handle multiple concurrent requests without forking, or can
1773prefork a set number of servers for improved performance.
cb93c9d7 1774
1775=head3 Pros
1776
1777As this is an application server setup, the pros are the same as
1778FastCGI (with the exception of speed).
1779It is also:
1780
1781=head4 Simple
1782
1783The development server is what you create your code on, so if it works
1784here, it should work in production!
1785
1786=head3 Cons
1787
1788=head4 Speed
1789
1790Not as fast as mod_perl or FastCGI. Needs to fork for each request
1791that comes in - make sure static files are served by the web server to
1792save forking.
1793
1794=head3 Setup
1795
1796=head4 Start up the development server
1797
ad2a47ab 1798 script/myapp_server.pl -p 8080 -k -f -pidfile=/tmp/myapp.pid
cb93c9d7 1799
1800You will probably want to write an init script to handle stop/starting
1801the app using the pid file.
1802
1803=head4 Configuring Apache
1804
1805Make sure mod_proxy is enabled and add:
1806
1807 # Serve static content directly
1808 DocumentRoot /var/www/MyApp/root
1809 Alias /static /var/www/MyApp/root/static
1810
1811 ProxyRequests Off
1812 <Proxy *>
1813 Order deny,allow
1814 Allow from all
1815 </Proxy>
816fc503 1816
1817 # Need to specifically stop these paths from being passed to proxy
1818 ProxyPass /static !
1819 ProxyPass /favicon.ico !
1820
cb93c9d7 1821 ProxyPass / http://localhost:8080/
1822 ProxyPassReverse / http://localhost:8080/
1823
816fc503 1824 # This is optional if you'd like to show a custom error page
1825 # if the proxy is not available
1826 ErrorDocument 502 /static/error_pages/http502.html
1827
cb93c9d7 1828You can wrap the above within a VirtualHost container if you want
1829different apps served on the same host.
1830
1831=head2 Quick deployment: Building PAR Packages
1832
1833You have an application running on your development box, but then you
1834have to quickly move it to another one for
1835demonstration/deployment/testing...
1836
1837PAR packages can save you from a lot of trouble here. They are usual Zip
1838files that contain a blib tree; you can even include all prereqs and a
1839perl interpreter by setting a few flags!
1840
1841=head3 Follow these few points to try it out!
1842
18431. Install Catalyst and PAR 0.89 (or later)
1844
1845 % perl -MCPAN -e 'install Catalyst'
1846 ...
1847 % perl -MCPAN -e 'install PAR'
1848 ...
1849
18502. Create a application
1851
1852 % catalyst.pl MyApp
1853 ...
1854 % cd MyApp
1855
1856Recent versions of Catalyst (5.62 and up) include
1857L<Module::Install::Catalyst>, which simplifies the process greatly. From the shell in your application directory:
1858
1859 % perl Makefile.PL
1860 % make catalyst_par
1861
1862Congratulations! Your package "myapp.par" is ready, the following
1863steps are just optional.
1864
18653. Test your PAR package with "parl" (no typo)
1866
1867 % parl myapp.par
1868 Usage:
1869 [parl] myapp[.par] [script] [arguments]
1870
1871 Examples:
1872 parl myapp.par myapp_server.pl -r
1873 myapp myapp_cgi.pl
1874
1875 Available scripts:
1876 myapp_cgi.pl
1877 myapp_create.pl
1878 myapp_fastcgi.pl
1879 myapp_server.pl
1880 myapp_test.pl
1881
1882 % parl myapp.par myapp_server.pl
1883 You can connect to your server at http://localhost:3000
1884
1885Yes, this nifty little starter application gets automatically included.
1886You can also use "catalyst_par_script('myapp_server.pl')" to set a
1887default script to execute.
1888
18896. Want to create a binary that includes the Perl interpreter?
1890
1891 % pp -o myapp myapp.par
1892 % ./myapp myapp_server.pl
1893 You can connect to your server at http://localhost:3000
1894
1895=head2 Serving static content
1896
1897Serving static content in Catalyst used to be somewhat tricky; the use
1898of L<Catalyst::Plugin::Static::Simple> makes everything much easier.
1899This plugin will automatically serve your static content during development,
1900but allows you to easily switch to Apache (or other server) in a
1901production environment.
1902
1903=head3 Introduction to Static::Simple
1904
1905Static::Simple is a plugin that will help to serve static content for your
1906application. By default, it will serve most types of files, excluding some
1907standard Template Toolkit extensions, out of your B<root> file directory. All
1908files are served by path, so if B<images/me.jpg> is requested, then
1909B<root/images/me.jpg> is found and served.
1910
1911=head3 Usage
1912
1913Using the plugin is as simple as setting your use line in MyApp.pm to include:
1914
ca7528df 1915 __PACKAGE__->setup( qw/Static::Simple/);
cb93c9d7 1916
1917and already files will be served.
1918
1919=head3 Configuring
1920
1921Static content is best served from a single directory within your root
1922directory. Having many different directories such as C<root/css> and
1923C<root/images> requires more code to manage, because you must separately
1924identify each static directory--if you decide to add a C<root/js>
1925directory, you'll need to change your code to account for it. In
1926contrast, keeping all static directories as subdirectories of a main
1927C<root/static> directory makes things much easier to manage. Here's an
1928example of a typical root directory structure:
1929
1930 root/
1931 root/content.tt
1932 root/controller/stuff.tt
1933 root/header.tt
1934 root/static/
1935 root/static/css/main.css
1936 root/static/images/logo.jpg
1937 root/static/js/code.js
1938
1939
1940All static content lives under C<root/static>, with everything else being
1941Template Toolkit files.
1942
1943=over 4
1944
1945=item Include Path
1946
1947You may of course want to change the default locations, and make
1948Static::Simple look somewhere else, this is as easy as:
1949
1950 MyApp->config->{static}->{include_path} = [
1951 MyApp->config->{root},
1952 '/path/to/my/files'
1953 ];
1954
1955When you override include_path, it will not automatically append the
1956normal root path, so you need to add it yourself if you still want
1957it. These will be searched in order given, and the first matching file
1958served.
1959
1960=item Static directories
1961
1962If you want to force some directories to be only static, you can set
1963them using paths relative to the root dir, or regular expressions:
1964
1965 MyApp->config->{static}->{dirs} = [
1966 'static',
1967 qr/^(images|css)/,
1968 ];
1969
1970=item File extensions
1971
1972By default, the following extensions are not served (that is, they will
1973be processed by Catalyst): B<tmpl, tt, tt2, html, xhtml>. This list can
1974be replaced easily:
1975
1976 MyApp->config->{static}->{ignore_extensions} = [
1977 qw/tmpl tt tt2 html xhtml/
1978 ];
1979
1980=item Ignoring directories
1981
1982Entire directories can be ignored. If used with include_path,
1983directories relative to the include_path dirs will also be ignored:
1984
1985 MyApp->config->{static}->{ignore_dirs} = [ qw/tmpl css/ ];
1986
1987=back
1988
1989=head3 More information
1990
1991L<http://search.cpan.org/dist/Catalyst-Plugin-Static-Simple/>
1992
1993=head3 Serving manually with the Static plugin with HTTP::Daemon (myapp_server.pl)
1994
1995In some situations you might want to control things more directly,
1996using L<Catalyst::Plugin::Static>.
1997
1998In your main application class (MyApp.pm), load the plugin:
1999
ca7528df 2000 __PACKAGE__->setup( qw/-Debug FormValidator Static OtherPlugin/);
cb93c9d7 2001
2002You will also need to make sure your end method does I<not> forward
2003static content to the view, perhaps like this:
2004
2005 sub end : Private {
2006 my ( $self, $c ) = @_;
2007
2008 $c->forward( 'MyApp::View::TT' )
2009 unless ( $c->res->body || !$c->stash->{template} );
2010 }
2011
2012This code will only forward to the view if a template has been
2013previously defined by a controller and if there is not already data in
2014C<$c-E<gt>res-E<gt>body>.
2015
2016Next, create a controller to handle requests for the /static path. Use
2017the Helper to save time. This command will create a stub controller as
2018C<lib/MyApp/Controller/Static.pm>.
2019
2020 $ script/myapp_create.pl controller Static
2021
2022Edit the file and add the following methods:
2023
2024 # serve all files under /static as static files
2025 sub default : Path('/static') {
2026 my ( $self, $c ) = @_;
2027
2028 # Optional, allow the browser to cache the content
2029 $c->res->headers->header( 'Cache-Control' => 'max-age=86400' );
2030
2031 $c->serve_static; # from Catalyst::Plugin::Static
2032 }
2033
2034 # also handle requests for /favicon.ico
2035 sub favicon : Path('/favicon.ico') {
2036 my ( $self, $c ) = @_;
2037
2038 $c->serve_static;
2039 }
2040
2041You can also define a different icon for the browser to use instead of
2042favicon.ico by using this in your HTML header:
2043
2044 <link rel="icon" href="/static/myapp.ico" type="image/x-icon" />
2045
2046=head3 Common problems with the Static plugin
2047
2048The Static plugin makes use of the C<shared-mime-info> package to
2049automatically determine MIME types. This package is notoriously
2050difficult to install, especially on win32 and OS X. For OS X the easiest
2051path might be to install Fink, then use C<apt-get install
2052shared-mime-info>. Restart the server, and everything should be fine.
2053
2054Make sure you are using the latest version (>= 0.16) for best
2055results. If you are having errors serving CSS files, or if they get
2056served as text/plain instead of text/css, you may have an outdated
2057shared-mime-info version. You may also wish to simply use the following
2058code in your Static controller:
2059
2060 if ($c->req->path =~ /css$/i) {
2061 $c->serve_static( "text/css" );
2062 } else {
2063 $c->serve_static;
2064 }
2065
2066=head3 Serving Static Files with Apache
2067
2068When using Apache, you can bypass Catalyst and any Static
2069plugins/controllers controller by intercepting requests for the
2070C<root/static> path at the server level. All that is required is to
2071define a DocumentRoot and add a separate Location block for your static
2072content. Here is a complete config for this application under mod_perl
20731.x:
2074
2075 <Perl>
2076 use lib qw(/var/www/MyApp/lib);
2077 </Perl>
2078 PerlModule MyApp
2079
2080 <VirtualHost *>
2081 ServerName myapp.example.com
2082 DocumentRoot /var/www/MyApp/root
2083 <Location />
2084 SetHandler perl-script
2085 PerlHandler MyApp
2086 </Location>
2087 <LocationMatch "/(static|favicon.ico)">
2088 SetHandler default-handler
2089 </LocationMatch>
2090 </VirtualHost>
2091
2092And here's a simpler example that'll get you started:
2093
2094 Alias /static/ "/my/static/files/"
2095 <Location "/static">
2096 SetHandler none
2097 </Location>
2098
2099=head2 Caching
2100
2101Catalyst makes it easy to employ several different types of caching to
2102speed up your applications.
2103
2104=head3 Cache Plugins
2105
2106There are three wrapper plugins around common CPAN cache modules:
2107Cache::FastMmap, Cache::FileCache, and Cache::Memcached. These can be
2108used to cache the result of slow operations.
2109
ca7528df 2110The Catalyst Advent Calendar uses the FileCache plugin to cache the
cb93c9d7 2111rendered XHTML version of the source POD document. This is an ideal
ca7528df 2112application for a cache because the source document changes
2113infrequently but may be viewed many times.
cb93c9d7 2114
ca7528df 2115 __PACKAGE__->setup( qw/Cache::FileCache/);
cb93c9d7 2116
2117 ...
2118
2119 use File::stat;
2120 sub render_pod : Local {
2121 my ( self, $c ) = @_;
2122
2123 # the cache is keyed on the filename and the modification time
2124 # to check for updates to the file.
2125 my $file = $c->path_to( 'root', '2005', '11.pod' );
2126 my $mtime = ( stat $file )->mtime;
2127
2128 my $cached_pod = $c->cache->get("$file $mtime");
2129 if ( !$cached_pod ) {
2130 $cached_pod = do_slow_pod_rendering();
2131 # cache the result for 12 hours
2132 $c->cache->set( "$file $mtime", $cached_pod, '12h' );
2133 }
2134 $c->stash->{pod} = $cached_pod;
2135 }
2136
2137We could actually cache the result forever, but using a value such as 12 hours
2138allows old entries to be automatically expired when they are no longer needed.
2139
2140=head3 Page Caching
2141
2142Another method of caching is to cache the entire HTML page. While this is
2143traditionally handled by a front-end proxy server like Squid, the Catalyst
2144PageCache plugin makes it trivial to cache the entire output from
2145frequently-used or slow actions.
2146
2147Many sites have a busy content-filled front page that might look something
2148like this. It probably takes a while to process, and will do the exact same
2149thing for every single user who views the page.
2150
2151 sub front_page : Path('/') {
2152 my ( $self, $c ) = @_;
2153
2154 $c->forward( 'get_news_articles' );
2155 $c->forward( 'build_lots_of_boxes' );
2156 $c->forward( 'more_slow_stuff' );
2157
2158 $c->stash->{template} = 'index.tt';
2159 }
2160
2161We can add the PageCache plugin to speed things up.
2162
ca7528df 2163 __PACKAGE__->setup( qw/Cache::FileCache PageCache/);
cb93c9d7 2164
2165 sub front_page : Path ('/') {
2166 my ( $self, $c ) = @_;
2167
2168 $c->cache_page( 300 );
2169
2170 # same processing as above
2171 }
2172
2173Now the entire output of the front page, from <html> to </html>, will be
2174cached for 5 minutes. After 5 minutes, the next request will rebuild the
2175page and it will be re-cached.
2176
2177Note that the page cache is keyed on the page URI plus all parameters, so
2178requests for / and /?foo=bar will result in different cache items. Also,
2179only GET requests will be cached by the plugin.
2180
2181You can even get that front-end Squid proxy to help out by enabling HTTP
2182headers for the cached page.
2183
2184 MyApp->config->{page_cache}->{set_http_headers} = 1;
2185
2186This would now set the following headers so proxies and browsers may cache
2187the content themselves.
2188
2189 Cache-Control: max-age=($expire_time - time)
2190 Expires: $expire_time
2191 Last-Modified: $cache_created_time
2192
2193=head3 Template Caching
2194
2195Template Toolkit provides support for caching compiled versions of your
2196templates. To enable this in Catalyst, use the following configuration.
2197TT will cache compiled templates keyed on the file mtime, so changes will
2198still be automatically detected.
2199
2200 package MyApp::View::TT;
2201
2202 use strict;
2203 use warnings;
2204 use base 'Catalyst::View::TT';
2205
2206 __PACKAGE__->config(
2207 COMPILE_DIR => '/tmp/template_cache',
2208 );
2209
2210 1;
2211
2212=head3 More Info
2213
2214See the documentation for each cache plugin for more details and other
2215available configuration options.
2216
2217L<Catalyst::Plugin::Cache::FastMmap>
2218L<Catalyst::Plugin::Cache::FileCache>
2219L<Catalyst::Plugin::Cache::Memcached>
2220L<Catalyst::Plugin::PageCache>
2221L<http://search.cpan.org/dist/Template-Toolkit/lib/Template/Manual/Config.pod#Caching_and_Compiling_Options>
2222
2223=head1 Testing
2224
2225Testing is an integral part of the web application development
2226process. Tests make multi developer teams easier to coordinate, and
2227they help ensure that there are no nasty surprises after upgrades or
2228alterations.
2229
2230=head2 Testing
2231
2232Catalyst provides a convenient way of testing your application during
2233development and before deployment in a real environment.
2234
2235C<Catalyst::Test> makes it possible to run the same tests both locally
2236(without an external daemon) and against a remote server via HTTP.
2237
2238=head3 Tests
2239
2240Let's examine a skeleton application's C<t/> directory:
2241
2242 mundus:~/MyApp chansen$ ls -l t/
2243 total 24
2244 -rw-r--r-- 1 chansen chansen 95 18 Dec 20:50 01app.t
2245 -rw-r--r-- 1 chansen chansen 190 18 Dec 20:50 02pod.t
2246 -rw-r--r-- 1 chansen chansen 213 18 Dec 20:50 03podcoverage.t
2247
2248=over 4
2249
2250=item C<01app.t>
2251
2252Verifies that the application loads, compiles, and returns a successful
2253response.
2254
2255=item C<02pod.t>
2256
2257Verifies that all POD is free from errors. Only executed if the C<TEST_POD>
2258environment variable is true.
2259
2260=item C<03podcoverage.t>
2261
2262Verifies that all methods/functions have POD coverage. Only executed if the
2263C<TEST_POD> environment variable is true.
2264
2265=back
2266
2267=head3 Creating tests
2268
2269 mundus:~/MyApp chansen$ cat t/01app.t | perl -ne 'printf( "%2d %s", $., $_ )'
2270 1 use Test::More tests => 2;
2271 2 use_ok( Catalyst::Test, 'MyApp' );
2272 3
2273 4 ok( request('/')->is_success );
2274
2275The first line declares how many tests we are going to run, in this case
2276two. The second line tests and loads our application in test mode. The
2277fourth line verifies that our application returns a successful response.
2278
2279C<Catalyst::Test> exports two functions, C<request> and C<get>. Each can
2280take three different arguments:
2281
2282=over 4
2283
2284=item A string which is a relative or absolute URI.
2285
2286 request('/my/path');
2287 request('http://www.host.com/my/path');
2288
2289=item An instance of C<URI>.
2290
2291 request( URI->new('http://www.host.com/my/path') );
2292
2293=item An instance of C<HTTP::Request>.
2294
2295 request( HTTP::Request->new( GET => 'http://www.host.com/my/path') );
2296
2297=back
2298
2299C<request> returns an instance of C<HTTP::Response> and C<get> returns the
2300content (body) of the response.
2301
2302=head3 Running tests locally
2303
2304 mundus:~/MyApp chansen$ CATALYST_DEBUG=0 TEST_POD=1 prove --lib lib/ t/
2305 t/01app............ok
2306 t/02pod............ok
2307 t/03podcoverage....ok
2308 All tests successful.
2309 Files=3, Tests=4, 2 wallclock secs ( 1.60 cusr + 0.36 csys = 1.96 CPU)
2310
2311C<CATALYST_DEBUG=0> ensures that debugging is off; if it's enabled you
2312will see debug logs between tests.
2313
2314C<TEST_POD=1> enables POD checking and coverage.
2315
2316C<prove> A command-line tool that makes it easy to run tests. You can
2317find out more about it from the links below.
2318
2319=head3 Running tests remotely
2320
2321 mundus:~/MyApp chansen$ CATALYST_SERVER=http://localhost:3000/ prove --lib lib/ t/01app.t
2322 t/01app....ok
2323 All tests successful.
2324 Files=1, Tests=2, 0 wallclock secs ( 0.40 cusr + 0.01 csys = 0.41 CPU)
2325
2326C<CATALYST_SERVER=http://localhost:3000/> is the absolute deployment URI of
2327your application. In C<CGI> or C<FastCGI> it should be the host and path
2328to the script.
2329
2330=head3 C<Test::WWW::Mechanize> and Catalyst
2331
2332Be sure to check out C<Test::WWW::Mechanize::Catalyst>. It makes it easy to
2333test HTML, forms and links. A short example of usage:
2334
2335 use Test::More tests => 6;
2336 use_ok( Test::WWW::Mechanize::Catalyst, 'MyApp' );
2337
2338 my $mech = Test::WWW::Mechanize::Catalyst->new;
2339 $mech->get_ok("http://localhost/", 'Got index page');
2340 $mech->title_like( qr/^MyApp on Catalyst/, 'Got right index title' );
2341 ok( $mech->find_link( text_regex => qr/^Wiki/i ), 'Found link to Wiki' );
2342 ok( $mech->find_link( text_regex => qr/^Mailing-List/i ), 'Found link to Mailing-List' );
2343 ok( $mech->find_link( text_regex => qr/^IRC channel/i ), 'Found link to IRC channel' );
2344
2345=head3 Further Reading
2346
2347=over 4
2348
2349=item Catalyst::Test
2350
2351L<http://search.cpan.org/dist/Catalyst/lib/Catalyst/Test.pm>
2352
2353=item Test::WWW::Mechanize::Catalyst
2354
2355L<http://search.cpan.org/dist/Test-WWW-Mechanize-Catalyst/lib/Test/WWW/Mechanize/Catalyst.pm>
2356
2357=item Test::WWW::Mechanize
2358
2359L<http://search.cpan.org/dist/Test-WWW-Mechanize/Mechanize.pm>
2360
2361=item WWW::Mechanize
2362
2363L<http://search.cpan.org/dist/WWW-Mechanize/lib/WWW/Mechanize.pm>
2364
2365=item LWP::UserAgent
2366
2367L<http://search.cpan.org/dist/libwww-perl/lib/LWP/UserAgent.pm>
2368
2369=item HTML::Form
2370
2371L<http://search.cpan.org/dist/libwww-perl/lib/HTML/Form.pm>
2372
2373=item HTTP::Message
2374
2375L<http://search.cpan.org/dist/libwww-perl/lib/HTTP/Message.pm>
2376
2377=item HTTP::Request
2378
2379L<http://search.cpan.org/dist/libwww-perl/lib/HTTP/Request.pm>
2380
2381=item HTTP::Request::Common
2382
2383L<http://search.cpan.org/dist/libwww-perl/lib/HTTP/Request/Common.pm>
2384
2385=item HTTP::Response
2386
2387L<http://search.cpan.org/dist/libwww-perl/lib/HTTP/Response.pm>
2388
2389=item HTTP::Status
2390
2391L<http://search.cpan.org/dist/libwww-perl/lib/HTTP/Status.pm>
2392
2393=item URI
2394
2395L<http://search.cpan.org/dist/URI/URI.pm>
2396
2397=item Test::More
2398
2399L<http://search.cpan.org/dist/Test-Simple/lib/Test/More.pm>
2400
2401=item Test::Pod
2402
2403L<http://search.cpan.org/dist/Test-Pod/Pod.pm>
2404
2405=item Test::Pod::Coverage
2406
2407L<http://search.cpan.org/dist/Test-Pod-Coverage/Coverage.pm>
2408
2409=item prove (Test::Harness)
2410
2411L<http://search.cpan.org/dist/Test-Harness/bin/prove>
2412
2413=back
2414
2415=head3 More Information
2416
2417L<http://search.cpan.org/perldoc?Catalyst::Plugin::Authorization::Roles>
2418L<http://search.cpan.org/perldoc?Catalyst::Plugin::Authorization::ACL>
2419
2420=head1 AUTHORS
2421
2422Sebastian Riedel C<sri@oook.de>
2423
2424Danijel Milicevic C<me@danijel.de>
2425
2426Viljo Marrandi C<vilts@yahoo.com>
2427
2428Marcus Ramberg C<mramberg@cpan.org>
2429
2430Jesse Sheidlower C<jester@panix.com>
2431
2432Andy Grundman C<andy@hybridized.org>
2433
2434Chisel Wright C<pause@herlpacker.co.uk>
2435
2436Will Hawes C<info@whawes.co.uk>
2437
2438Gavin Henry C<ghenry@perl.me.uk>
2439
2440Kieren Diment C<kd@totaldatasolution.com>
2441
2442=head1 COPYRIGHT
2443
2444This document is free, you can redistribute it and/or modify it
2445under the same terms as Perl itself.
2446