97ff614722031cedb3123fd23dafc07bbe06e2dc
[catagits/Catalyst-Runtime.git] / lib / Catalyst / Manual / Tutorial / CatalystBasics.pod
1 =head1 NAME
2
3 Catalyst::Manual::Tutorial::CatalystBasics - Catalyst Tutorial - Part 2: Catalyst Application Development Basics
4
5
6 =head1 OVERVIEW
7
8 This is B<Part 2 of 9> for the Catalyst tutorial.
9
10 L<Tutorial Overview|Catalyst::Manual::Tutorial>
11
12 =over 4
13
14 =item 1
15
16 L<Introduction|Catalyst::Manual::Tutorial::Intro>
17
18 =item 2
19
20 B<Catalyst Basics>
21
22 =item 3
23
24 L<Basic CRUD|Catalyst::Manual::Tutorial::BasicCRUD>
25
26 =item 4
27
28 L<Authentication|Catalyst::Manual::Tutorial::Authentication>
29
30 =item 5
31
32 L<Authorization|Catalyst::Manual::Tutorial::Authorization>
33
34 =item 6
35
36 L<Debugging|Catalyst::Manual::Tutorial::Debugging>
37
38 =item 7
39
40 L<Testing|Catalyst::Manual::Tutorial::Testing>
41
42 =item 8
43
44 L<Advanced CRUD|Catalyst::Manual::Tutorial::AdvancedCRUD>
45
46 =item 9
47
48 L<Appendices|Catalyst::Manual::Tutorial::Appendices>
49
50 =back
51
52
53 =head1 DESCRIPTION
54
55 In this part of the tutorial, we will create a very basic Catalyst web
56 application.  Though simple in many respects, this section will already
57 demonstrate a number of powerful capabilities such as:
58
59 =over 4
60
61 =item * Helper Scripts
62
63 Catalyst helper scripts that can be used to rapidly bootstrap the
64 skeletal structure of an application.
65
66 =item * MVC
67
68 Model/View/Controller (MVC) provides an architecture that facilitates a
69 clean "separation of control" between the different portions of your
70 application. Given that many other documents cover this subject in
71 detail, MVC will not be discussed in depth here (for an excellent
72 introduction to MVC and general Catalyst concepts, please see
73 L<Catalyst::Manual::About>. In short:
74
75 =over 4
76
77 =item * Model
78
79 The model usually represents a data store. In most applications, the
80 model equates to the objects that are created from and saved to your SQL
81 database.
82
83 =item * View
84
85 The view takes model objects and renders them into something for the end
86 user to look at. Normally this involves a template-generation tool that
87 creates HTML for the user's web browser, but it could easily be code
88 that generates other forms such as PDF documents, e-mails, or Excel
89 spreadsheets.
90
91 =item * Controller
92
93 As suggested by its name, the controller takes user requests and routes
94 them to the necessary model and view.
95
96 =back
97
98 =item * ORM
99
100 The use of Object-Relational Mapping (ORM) technology for database
101 access. Specifically, ORM provides an automated and standardized means
102 to persist and restore objects to/from a relational database.
103
104 =back
105
106 You can checkout the source code for this example from the catalyst
107 subversion repository as per the instructions in
108 L<Catalyst::Manual::Tutorial::Intro>
109
110 =head1 CREATE A CATALYST PROJECT
111
112 Catalyst provides a number of helper scripts that can be used to quickly
113 flesh out the basic structure of your application. All Catalyst projects
114 begin with the C<catalyst.pl> helper (see L<Catalyst::Helper|Catalyst::Helper>
115 for more information on helpers).  Also note that as of Catalyst 5.7000,
116 you will not have the helper scripts unless you install both 
117 L<Catalyst::Runtime|Catalyst::Runtime> and L<Catalyst::Devel|Catalyst::Devel>.
118
119 In the case of this tutorial, use the Catalyst C<catalyst.pl> script to
120 initialize the framework for an application called C<MyApp>:
121
122     $ catalyst.pl MyApp
123     created "MyApp"
124     created "MyApp/script"
125     created "MyApp/lib"
126     created "MyApp/root"
127     ...
128     created "MyApp/script/myapp_create.pl"
129     $ cd MyApp
130
131 The C<catalyst.pl> helper script will display the names of the
132 directories and files it creates.
133
134 Though it's too early for any significant celebration, we already have a
135 functioning application. Run the following command to run this
136 application with the built-in development web server:
137
138     $ script/myapp_server.pl
139     [debug] Debug messages enabled
140     [debug] Loaded plugins:
141     .----------------------------------------------------------------------------.
142     | Catalyst::Plugin::ConfigLoader  0.13                                       |
143     | Catalyst::Plugin::Static::Simple  0.14                                     |
144     '----------------------------------------------------------------------------'
145     
146     [debug] Loaded dispatcher "Catalyst::Dispatcher"
147     [debug] Loaded engine "Catalyst::Engine::HTTP"
148     [debug] Found home "/home/me/MyApp"
149     [debug] Loaded Config "/home/me/myapp.yml"
150     [debug] Loaded components:
151     .-----------------------------------------------------------------+----------.
152     | Class                                                           | Type     |
153     +-----------------------------------------------------------------+----------+
154     | MyApp::Controller::Root                                         | instance |
155     '-----------------------------------------------------------------+----------'
156     
157     [debug] Loaded Private actions:
158     .----------------------+--------------------------------------+--------------.
159     | Private              | Class                                | Method       |
160     +----------------------+--------------------------------------+--------------+
161     | /default             | MyApp::Controller::Root              | default      |
162     | /end                 | MyApp::Controller::Root              | end          |
163     '----------------------+--------------------------------------+--------------'
164     
165     [info] MyApp powered by Catalyst 5.7002
166     You can connect to your server at http://localhost.localdomain:3000
167
168 B<NOTE>: Be sure you run the C<script/myapp_server.pl> command from the
169 'base' directory of your application, not inside the C<script> directory 
170 itself.  It doesn't make a difference at this point, but it will as soon
171 as we get the database going in the next section.
172
173 Point your web browser to L<http://localhost:3000> (substituting a 
174 different hostname or IP address as appropriate) and you should be 
175 greeted by the Catalyst welcome screen.  Information similar to the 
176 following should be appended to the logging output of the development 
177 server:
178
179     [info] *** Request 1 (0.043/s) [6003] [Fri Jul  7 13:32:53 2006] ***
180     [debug] "GET" request for "/" from "127.0.0.1"
181     [info] Request took 0.067675s (14.777/s)
182     .----------------------------------------------------------------+-----------.
183     | Action                                                         | Time      |
184     +----------------------------------------------------------------+-----------+
185     | /default                                                       | 0.002844s |
186     | /end                                                           | 0.000207s |
187     '----------------------------------------------------------------+-----------'
188
189 Press Ctrl-C to break out of the development server.
190
191
192 =head1 CREATE A SQLITE DATABASE
193
194 In this step, we make a text file with the required SQL commands to
195 create a database table and load some sample data.  Open C<myapp01.sql>
196 in your editor and enter:
197
198     --
199     -- Create a very simple database to hold book and author information
200     --
201     CREATE TABLE books (
202             id          INTEGER PRIMARY KEY,
203             title       TEXT ,
204             rating      INTEGER
205     );
206     -- 'book_authors' is a many-to-many join table between books & authors
207     CREATE TABLE book_authors (
208             book_id     INTEGER,
209             author_id   INTEGER,
210             PRIMARY KEY (book_id, author_id)
211     );
212     CREATE TABLE authors (
213             id          INTEGER PRIMARY KEY,
214             first_name  TEXT,
215             last_name   TEXT
216     );
217     ---
218     --- Load some sample data
219     ---
220     INSERT INTO books VALUES (1, 'CCSP SNRS Exam Certification Guide', 5);
221     INSERT INTO books VALUES (2, 'TCP/IP Illustrated, Volume 1', 5);
222     INSERT INTO books VALUES (3, 'Internetworking with TCP/IP Vol.1', 4);
223     INSERT INTO books VALUES (4, 'Perl Cookbook', 5);
224     INSERT INTO books VALUES (5, 'Designing with Web Standards', 5);
225     INSERT INTO authors VALUES (1, 'Greg', 'Bastien');
226     INSERT INTO authors VALUES (2, 'Sara', 'Nasseh');
227     INSERT INTO authors VALUES (3, 'Christian', 'Degu');
228     INSERT INTO authors VALUES (4, 'Richard', 'Stevens');
229     INSERT INTO authors VALUES (5, 'Douglas', 'Comer');
230     INSERT INTO authors VALUES (6, 'Tom', 'Christiansen');
231     INSERT INTO authors VALUES (7, ' Nathan', 'Torkington');
232     INSERT INTO authors VALUES (8, 'Jeffrey', 'Zeldman');
233     INSERT INTO book_authors VALUES (1, 1);
234     INSERT INTO book_authors VALUES (1, 2);
235     INSERT INTO book_authors VALUES (1, 3);
236     INSERT INTO book_authors VALUES (2, 4);
237     INSERT INTO book_authors VALUES (3, 5);
238     INSERT INTO book_authors VALUES (4, 6);
239     INSERT INTO book_authors VALUES (4, 7);
240     INSERT INTO book_authors VALUES (5, 8);
241
242 B<TIP>: See Appendix 1 for tips on removing the leading spaces when
243 cutting and pasting example code from POD-based documents.
244
245 Then use the following command to build a C<myapp.db> SQLite database:
246
247     $ sqlite3 myapp.db < myapp01.sql
248
249 If you need to create the database more than once, you probably want to
250 issue the C<rm myapp.db> command to delete the database before you use
251 the C<sqlite3 myapp.db < myapp01.sql> command.
252
253 Once the C<myapp.db> database file has been created and initialized, you
254 can use the SQLite command line environment to do a quick dump of the
255 database contents:
256
257     $ sqlite3 myapp.db
258     SQLite version 3.2.2
259     Enter ".help" for instructions
260     sqlite> select * from books;
261     1|CCSP SNRS Exam Certification Guide|5
262     2|TCP/IP Illustrated, Volume 1|5
263     3|Internetworking with TCP/IP Vol.1|4
264     4|Perl Cookbook|5
265     5|Designing with Web Standards|5
266     sqlite> .q
267     $
268
269 Or:
270
271     $ sqlite3 myapp.db "select * from books"
272     1|CCSP SNRS Exam Certification Guide|5
273     2|TCP/IP Illustrated, Volume 1|5
274     3|Internetworking with TCP/IP Vol.1|4
275     4|Perl Cookbook|5
276     5|Designing with Web Standards|5
277
278 As with most other SQL tools, if you are using the full "interactive"
279 environment you need to terminate your SQL commands with a ";" (it's not
280 required if you do a single SQL statement on the command line).  Use
281 ".q" to exit from SQLite from the SQLite interactive mode and return to
282 your OS command prompt.
283
284
285 =head1 EDIT THE LIST OF CATALYST PLUGINS
286
287 One of the greatest benefits of Catalyst is that it has such a large
288 library of plugins available.  Plugins are used to seamlessly integrate
289 existing Perl modules into the overall Catalyst framework.  In general,
290 they do this by adding additional methods to the C<context> object
291 (generally written as C<$c>) that Catalyst passes to every component
292 throughout the framework.
293
294 By default, Catalyst enables three plugins/flags:
295
296 =over 4
297
298 =item * 
299
300 C<-Debug> Flag
301
302 Enables the Catalyst debug output you saw when we started the
303 C<script/myapp_server.pl> development server earlier.  You can remove
304 this plugin when you place your application into production.
305
306 As you may have noticed, C<-Debug> is not a plugin, but a I<flag>.
307 Although most of the items specified on the C<use Catalyst> line of your
308 application class will be plugins, Catalyst supports a limited number of
309 flag options (of these, C<-Debug> is the most common).  See the
310 documentation for C<Catalyst.pm> to get details on other flags 
311 (currently C<-Engine>, C<-Home>, and C<-Log>).
312
313 If you prefer, you can use the C<$c-E<gt>debug> method to enable debug
314 messages.
315
316 =item *
317
318 L<Catalyst::Plugin::ConfigLoader|Catalyst::Plugin::ConfigLoader>
319
320 C<ConfigLoader> provides an automatic way to load configurable
321 parameters for your application from a central YAML file (versus having
322 the values hard-coded inside your Perl modules).  If you have not been
323 exposed to YAML before, it is a human-readable data serialization format
324 that can be used to read (and write) values to/from text files.  We will
325 see how to use this feature of Catalyst during the authentication and
326 authorization sections (Part 4 and Part 5).
327
328 =item *
329
330 L<Catalyst::Plugin::Static::Simple|Catalyst::Plugin::Static::Simple>
331
332 C<Static::Simple> provides an easy method of serving static content such
333 as images and CSS files under the development server.
334
335 =back
336
337 To modify the list of plugins, edit C<lib/MyApp.pm> (this file is
338 generally referred to as your I<application class>) and delete the line
339 with:
340
341     use Catalyst qw/-Debug ConfigLoader Static::Simple/;
342
343 Replace it with:
344
345     use Catalyst qw/
346             -Debug
347             ConfigLoader
348             Static::Simple
349             
350             StackTrace
351             /;
352
353 This tells Catalyst to start using one new plugin:
354
355 =over 4
356
357 =item * 
358
359 L<Catalyst::Plugin::StackTrace|Catalyst::Plugin::StackTrace>
360
361 Adds a stack trace to the standard Catalyst "debug screen" (this is the
362 screen Catalyst sends to your browser when an error occurs).
363
364 Note: L<StackTrace|Catalyst::Plugin::StackTrace> output appears in your
365 browser, not in the console window from which you're running your
366 application, which is where logging output usually goes.
367
368 =back
369
370 Note that when specifying plugins on the C<use Catalyst> line, you can
371 omit C<Catalyst::Plugin::> from the name.  Additionally, you can spread
372 the plugin names across multiple lines as shown here, or place them all
373 on one (or more) lines as with the default configuration.
374
375 B<TIP:> You may see examples that include the
376 L<Catalyst::Plugin::DefaultEnd|Catalyst::Plugin::DefaultEnd>
377 plugins.  As of Catalyst 5.7000, C<DefaultEnd> has been
378 deprecated in favor of 
379 L<Catalyst::Action::RenderView|Catalyst::Action::RenderView>
380 (as the name of the package suggests, C<RenderView> is not
381 a plugin, but an action). The purpose of both is essentially the same: 
382 forward processing to the view to be rendered.  Applications generated
383 under 5.7000 should automatically use C<RenderView> and "just work"
384 for most applications.  For more information on C<RenderView> and 
385 the various options for forwarding to your view logic, please refer 
386 to the "Using RenderView for the Default View" section under 
387 "CATALYST VIEWS" below.
388
389
390 =head1 DATABASE ACCESS WITH C<DBIx::Class>
391
392 Catalyst can be used with virtually any form of persistent datastore
393 available via Perl.  For example, 
394 L<Catalyst::Model::DBI|Catalyst::Model::DBI> can be used to
395 easily access databases through the traditional Perl C<DBI> interface.
396 However, most Catalyst applications use some form of ORM technology to
397 automatically create and save model objects as they are used.  Although
398 Tony Bowden's L<Class::DBI|Class::DBI> has been the traditional 
399 Perl ORM engine, Matt Trout's L<DBIx::Class|DBIx::Class> (abbreviated 
400 as "DBIC") has rapidly emerged as the Perl-based ORM technology of choice.  
401 Most new Catalyst applications rely on DBIC, as will this tutorial.
402
403 Note: See L<Catalyst::Model::CDBI> for more information on using
404 Catalyst with L<Class::DBI|Class::DBI>.
405
406 =head2 Create a DBIC Schema File
407
408 DBIx::Class uses a schema file to load other classes that represent the
409 tables in your database (DBIC refers to these "table objects" as "result
410 sources"; see L<DBIx::Class::ResultSource>).  In this case, we want to
411 load the model object for the C<books>, C<book_authors>, and C<authors>
412 tables created in the previous step.
413
414 Open C<lib/MyAppDB.pm> in your editor and insert:
415
416     package MyAppDB;
417     
418     =head1 NAME 
419     
420     MyAppDB - DBIC Schema Class
421     
422     =cut
423     
424     # Our schema needs to inherit from 'DBIx::Class::Schema'
425     use base qw/DBIx::Class::Schema/;
426     
427     # Need to load the DB Model classes here.
428     # You can use this syntax if you want:
429     #    __PACKAGE__->load_classes(qw/Book BookAuthor Author/);
430     # Also, if you simply want to load all of the classes in a directory
431     # of the same name as your schema class (as we do here) you can use:
432     #    __PACKAGE__->load_classes(qw//);
433     # But the variation below is more flexible in that it can be used to 
434     # load from multiple namespaces.
435     __PACKAGE__->load_classes({
436         MyAppDB => [qw/Book BookAuthor Author/]
437     });
438     
439     1;
440
441 B<Note:> C<__PACKAGE__> is just a shorthand way of referencing the name
442 of the package where it is used.  Therefore, in C<MyAppDB.pm>,
443 C<__PACKAGE__> is equivalent to C<MyAppDB>.
444
445
446 =head2 Create the DBIC "Result Source" Files
447
448 In this step, we create "table classes" (again, these are called a
449 "result source" classes in DBIC) that act as model objects for the
450 C<books>, C<book_authors>, and C<authors> tables in our database.
451
452 First, create a directory to hold the class:
453
454     $ mkdir lib/MyAppDB
455
456 Then open C<lib/MyAppDB/Book.pm> in your editor and enter:
457
458     package MyAppDB::Book;
459     
460     use base qw/DBIx::Class/;  
461     
462     # Load required DBIC stuff
463     __PACKAGE__->load_components(qw/PK::Auto Core/);
464     # Set the table name
465     __PACKAGE__->table('books');
466     # Set columns in table
467     __PACKAGE__->add_columns(qw/id title rating/);
468     # Set the primary key for the table
469     __PACKAGE__->set_primary_key(qw/id/);
470     
471     #
472     # Set relationships:
473     #
474     
475     # has_many():
476     #   args:
477     #     1) Name of relationship, DBIC will create accessor with this name
478     #     2) Name of the model class referenced by this relationship
479     #     3) Column name in *foreign* table
480     __PACKAGE__->has_many(book_authors => 'MyAppDB::BookAuthor', 'book_id');
481     
482     # many_to_many():
483     #   args:
484     #     1) Name of relationship, DBIC will create accessor with this name
485     #     2) Name of has_many() relationship this many_to_many() is shortcut for
486     #     3) Name of belongs_to() relationship in model class of has_many() above 
487     #   You must already have the has_many() defined to use a many_to_many().
488     __PACKAGE__->many_to_many(authors => 'book_authors', 'author');
489     
490     
491     =head1 NAME
492     
493     MyAppDB::Book - A model object representing a book.
494     
495     =head1 DESCRIPTION
496     
497     This is an object that represents a row in the 'books' table of your application
498     database.  It uses DBIx::Class (aka, DBIC) to do ORM.
499     
500     For Catalyst, this is designed to be used through MyApp::Model::MyAppDB.
501     Offline utilities may wish to use this class directly.
502     
503     =cut
504     
505     1;
506
507 This defines both a C<has_many> and a C<many_to_many> relationship.  The
508 C<many_to_many> relationship is optional, but it makes it easier to map
509 a book to its collection of authors.  Without it, we would have to
510 "walk" though the C<book_authors> table as in
511 C<$book-E<gt>book_authors-E<gt>first-E<gt>author-E<gt>last_name> (we
512 will see examples on how to use DBIC objects in your code soon, but note
513 that because C<$book-E<gt>book_authors> can return multiple authors, we
514 have to use C<first> to display a single author). C<many_to_many> allows
515 us to use the shorter C<$book-E<gt>authors-E<gt>first-E<gt>last_name>.
516 Note that you cannot define a C<many_to_many> relationship without also
517 having the C<has_many> relationship in place.
518
519 Next, open C<lib/MyAppDB/Author.pm> in your editor and enter:
520
521     package MyAppDB::Author;
522     
523     use base qw/DBIx::Class/;
524     
525     # Load required DBIC stuff
526     __PACKAGE__->load_components(qw/PK::Auto Core/);
527     # Set the table name
528     __PACKAGE__->table('authors');
529     # Set columns in table
530     __PACKAGE__->add_columns(qw/id first_name last_name/);
531     # Set the primary key for the table
532     __PACKAGE__->set_primary_key(qw/id/);
533     
534     #
535     # Set relationships:
536     #
537     
538     # has_many():
539     #   args:
540     #     1) Name of relationship, DBIC will create accessor with this name
541     #     2) Name of the model class referenced by this relationship
542     #     3) Column name in *foreign* table
543     __PACKAGE__->has_many(book_author => 'MyAppDB::BookAuthor', 'author_id');
544     
545     # many_to_many():
546     #   args:
547     #     1) Name of relationship, DBIC will create accessor with this name
548     #     2) Name of has_many() relationship this many_to_many() is shortcut for
549     #     3) Name of belongs_to() relationship in model class of has_many() above 
550     #   You must already have the has_many() defined to use a many_to_many().
551     __PACKAGE__->many_to_many(books => 'book_author', 'book');
552     
553     
554     =head1 NAME
555     
556     MyAppDB::Author - A model object representing an author of a book (if a book has 
557     multiple authors, each will be represented be separate Author object).
558     
559     =head1 DESCRIPTION
560     
561     This is an object that represents a row in the 'authors' table of your application
562     database.  It uses DBIx::Class (aka, DBIC) to do ORM.
563     
564     For Catalyst, this is designed to be used through MyApp::Model::MyAppDB.
565     Offline utilities may wish to use this class directly.
566     
567     =cut
568     
569     1;
570
571 Finally, open C<lib/MyAppDB/BookAuthor.pm> in your editor and enter:
572
573     package MyAppDB::BookAuthor;
574     
575     use base qw/DBIx::Class/;
576     
577     # Load required DBIC stuff
578     __PACKAGE__->load_components(qw/PK::Auto Core/);
579     # Set the table name
580     __PACKAGE__->table('book_authors');
581     # Set columns in table
582     __PACKAGE__->add_columns(qw/book_id author_id/);
583     # Set the primary key for the table
584     __PACKAGE__->set_primary_key(qw/book_id author_id/);
585     
586     #
587     # Set relationships:
588     #
589     
590     # belongs_to():
591     #   args:
592     #     1) Name of relationship, DBIC will create accessor with this name
593     #     2) Name of the model class referenced by this relationship
594     #     3) Column name in *this* table
595     __PACKAGE__->belongs_to(book => 'MyAppDB::Book', 'book_id');
596     
597     # belongs_to():
598     #   args:
599     #     1) Name of relationship, DBIC will create accessor with this name
600     #     2) Name of the model class referenced by this relationship
601     #     3) Column name in *this* table
602     __PACKAGE__->belongs_to(author => 'MyAppDB::Author', 'author_id');
603     
604     
605     =head1 NAME
606     
607     MyAppDB::BookAuthor - A model object representing the JOIN between an author and 
608     a book.
609     
610     =head1 DESCRIPTION
611     
612     This is an object that represents a row in the 'book_authors' table of your 
613     application database.  It uses DBIx::Class (aka, DBIC) to do ORM.
614     
615     You probably won't need to use this class directly -- it will be automatically
616     used by DBIC where joins are needed.
617     
618     For Catalyst, this is designed to be used through MyApp::Model::MyAppDB.
619     Offline utilities may wish to use this class directly.
620     
621     =cut
622     
623     1;
624
625 B<Note:> This sample application uses a plural form for the database
626 tables (e.g., C<books> and C<authors>) and a singular form for the model
627 objects (e.g., C<Book> and C<Author>); however, Catalyst places no
628 restrictions on the naming conventions you wish to use.
629
630 =head2 Use C<Catalyst::Model::DBIC::Schema> To Load The Model Class
631
632 When L<Catalyst::Model::DBIC::Schema|Catalyst::Model::DBIC::Schema> is
633 in use, Catalyst essentially reads an existing copy of your database
634 model and creates a new set of objects under C<MyApp::Model> for use
635 inside of Catalyst.
636
637 B<Note:> With 
638 L<Catalyst::Model::DBIC::Schema|Catalyst::Model::DBIC::Schema> you 
639 essentially end up with two sets of model classes (only one of which 
640 you write... the other set is created automatically in memory when 
641 your Catalyst application initializes).  For this tutorial application, 
642 the important points to remember are: you write the I<result source> 
643 files in C<MyAppDB>, but I<within Catalyst> you use the I<automatically 
644 created model classes> in C<MyApp::Model>.
645
646 Use the 
647 L<Catalyst::Helper::Model::DBIC::Schema|Catalyst::Helper::Model::DBIC::Schema> 
648 helper script to create the model class that loads up the model we 
649 created in the previous step:
650
651     $ script/myapp_create.pl model MyAppDB DBIC::Schema MyAppDB dbi:SQLite:myapp.db '' '' '{ AutoCommit => 1 }'
652      exists "/root/dev/MyApp/script/../lib/MyApp/Model"
653      exists "/root/dev/MyApp/script/../t"
654     created "/root/dev/MyApp/script/../lib/MyApp/Model/MyAppDB.pm"
655     created "/root/dev/MyApp/script/../t/model_MyAppDB.t"
656
657
658 Where the first C<MyAppDB> is the name of the class to be created by the
659 helper in C<lib/MyApp/Model> and the second C<MyAppDB> is the name of
660 existing schema file we created (in C<lib/MyAppDB.pm>).  You can see
661 that the helper creates a model file under C<lib/MyApp/Model> (Catalyst
662 has a separate directory under C<lib/MyApp> for each of the three parts
663 of MVC: C<Model>, C<View>, and C<Controller> [although older Catalyst
664 applications often use the directories C<M>, C<V>, and C<C>]).
665
666
667 =head1 CREATE A CATALYST CONTROLLER
668
669 Controllers are where you write methods that interact with user
670 input--typically, controller methods respond to C<GET> and C<POST>
671 messages from the user's web browser.
672
673 Use the Catalyst C<create> script to add a controller for book-related
674 actions:
675
676     $ script/myapp_create.pl controller Books
677      exists "/root/dev/MyApp/script/../lib/MyApp/Controller"
678      exists "/root/dev/MyApp/script/../t"
679     created "/root/dev/MyApp/script/../lib/MyApp/Controller/Books.pm"
680     created "/root/dev/MyApp/script/../t/controller_Books.t"
681
682 Then edit C<lib/MyApp/Controller/Books.pm> and add the following method
683 to the controller:
684
685     =head2 list
686     
687     Fetch all book objects and pass to books/list.tt2 in stash to be displayed
688     
689     =cut
690      
691     sub list : Local {
692         # Retrieve the usual perl OO '$self' for this object. $c is the Catalyst
693         # 'Context' that's used to 'glue together' the various components
694         # that make up the application
695         my ($self, $c) = @_;
696     
697         # Retrieve all of the book records as book model objects and store in the
698         # stash where they can be accessed by the TT template
699         $c->stash->{books} = [$c->model('MyAppDB::Book')->all];
700         
701         # Set the TT template to use.  You will almost always want to do this
702         # in your action methods (actions methods respond to user input in
703         # your controllers).
704         $c->stash->{template} = 'books/list.tt2';
705     }
706
707 B<Note:> Programmers experienced with object-oriented Perl should
708 recognize C<$self> as a reference to the object where this method was
709 called.  On the other hand, C<$c> will be new to many Perl programmers
710 who have not used Catalyst before (it's sometimes written as
711 C<$context>).  The Context object is automatically passed to all
712 Catalyst components.  It is used to pass information between components
713 and provide access to Catalyst and plugin functionality.
714
715 B<TIP>: You may see the C<$c-E<gt>model('MyAppDB::Book')> used above
716 written as C<$c-E<gt>model('MyAppDB')-E<gt>resultset('Book)>.  The two
717 are equivalent.
718
719 B<Note:> Catalyst actions are regular Perl methods, but they make use of
720 Nicholas Clark's C<attributes> module (that's the C<: Local> next to the
721 C<sub list> in the code above) to provide additional information to the 
722 Catalyst dispatcher logic.
723
724
725 =head1 CATALYST VIEWS
726
727 Views are where you render output, typically for display in the user's
728 web browser, but also possibly using other display output-generation
729 systems.  As with virtually every aspect of Catalyst, options abound
730 when it comes to the specific view technology you adopt inside your
731 application.  However, most Catalyst applications use the Template
732 Toolkit, known as TT (for more information on TT, see
733 L<http://www.template-toolkit.org>). Other popular view technologies
734 include Mason (L<http://www.masonhq.com> and
735 L<http://www.masonbook.com>) and L<HTML::Template|HTML::Template>
736 (L<http://html-template.sourceforge.net>).
737
738 =head2 Create a Catalyst View Using C<TTSite>
739
740 When using TT for the Catalyst view, there are two main helper scripts:
741
742 =over 4
743
744 =item *
745
746 L<Catalyst::Helper::View::TT|Catalyst::Helper::View::TT>
747
748 =item *
749
750 L<Catalyst::Helper::View::TTSite|Catalyst::Helper::View::TTSite>
751
752 =back
753
754 Both are similar, but C<TT> merely creates the C<lib/MyApp/View/TT.pm>
755 file and leaves the creation of any hierarchical template organization
756 entirely up to you. (It also creates a C<t/view_TT.t> file for testing;
757 test cases will be discussed in Part 7). The C<TTSite> helper creates a
758 modular and hierarchical view layout with separate Template Toolkit (TT)
759 files for common header and footer information, configuration values, a
760 CSS stylesheet, and more.
761
762 Enter the following command to enable the C<TTSite> style of view
763 rendering for this tutorial:
764
765     $ script/myapp_create.pl view TT TTSite
766      exists "/root/dev/MyApp/script/../lib/MyApp/View"
767      exists "/root/dev/MyApp/script/../t"
768     created "/root/dev/MyApp/script/../lib/MyApp/View/TT.pm"
769     created "/root/dev/MyApp/script/../root/lib"
770     ...
771     created "/root/dev/MyApp/script/../root/src/ttsite.css"
772
773 This puts a number of files in the C<root/lib> and C<root/src>
774 directories that can be used to customize the look and feel of your
775 application.  Also take a look at C<lib/MyApp/View/TT.pm> for config
776 values set by the C<TTSite> helper.
777
778 B<TIP>: Note that TTSite does one thing that could confuse people who
779 are used to the normal C<TT> Catalyst view: it redefines the Catalyst
780 context object in templates from its usual C<c> to C<Catalyst>. When
781 looking at other Catalyst examples, remember that they almost always use
782 C<c>.  Note that Catalyst and TT I<do not complain> when you use the
783 wrong name to access the context object...TT simply outputs blanks for
784 that bogus logic (see next tip to change this behavior with TT C<DEBUG>
785 options).  Finally, be aware that this change in name I<only>
786 applies to how the context object is accessed inside your TT templates;
787 your controllers will continue to use C<$c> (or whatever name you use
788 when fetching the reference from C<@_> inside your methods). (You can
789 change back to the "default" behavior be removing the C<CATALYST_VAR>
790 line from C<lib/MyApp/View/TT.pm>, but you will also have to edit
791 C<root/lib/config/main> and C<root/lib/config/url>.  If you do this, be
792 careful not to have a collision between your own C<c> variable and the
793 Catalyst C<c> variable.)
794
795 B<TIP>: When troubleshooting TT it can be helpful to enable variable
796 C<DEBUG> options.  You can do this in a Catalyst environment by adding
797 a C<DEBUG> line to the C<__PACKAGE__->config> declaration in 
798 C<lib/MyApp/View/TT.pm>:
799
800     __PACKAGE__->config({
801         CATALYST_VAR => 'Catalyst',
802         ...
803         DEBUG        => 'undef',
804         ...
805     });
806
807 There are a variety of options you can use, such as 'undef', 'all', 
808 'service', 'context', 'parser', 'provider', and 'service'.  See
809 L<Template::Constants> for more information (remove the C<DEBUG_>
810 portion of the name shown in the TT docs and convert to lower case
811 for use inside Catalyst).
812
813 B<NOTE:> Please be sure to disable TT debug options before 
814 continuing the tutorial (especially the 'undef' option -- leaving
815 this enabled will conflict with several of the conventions used
816 by this tutorial and TTSite to leave some variables undefined
817 on purpose).
818
819
820 =head2 Using C<RenderView> for the Default View
821
822 Once your controller logic has processed the request from a user, it 
823 forwards processing to your view in order to generate the appropriate 
824 response output.  Catalyst v5.7000 ships with a new mechanism, 
825 L<Catalyst::Action::RenderView|Catalyst::Action::RenderView>, that 
826 automatically performs this operation.  If you look in 
827 C<lib/MyApp/Controller/Root.pm>, you should see the this empty 
828 definition for the C<sub end> method:
829
830     sub end : ActionClass('RenderView') {}
831
832 The following bullet points provide a quick overview of the 
833 C<RenderView> process:
834
835 =over 4
836
837 =item *
838
839 C<Root.pm> is designed to hold application-wide logic.
840
841 =item *
842
843 At the end of a given user request, Catalyst will call the most specific 
844 C<end> method that's appropriate.  For example, if the controller for a 
845 request has an C<end> method defined, it will be called.  However, if 
846 the controller does not define a controller-specific C<end> method, the 
847 "global" C<end> method in C<Root.pm> will be called.
848
849 =item *
850
851 Because the definition includes an C<ActionClass> attribute, the
852 L<Catalyst::Action::RenderView|Catalyst::Action::RenderView> logic
853 will be executed B<after> any code inside the definition of C<sub end>
854 is run.  See L<Catalyst::Manual::Actions|Catalyst::Manual::Actions>
855 for more information on C<ActionClass>.
856
857 =item *
858
859 Because C<sub end> is empty, this effectively just runs the default 
860 logic in C<RenderView>.  However, you can easily extend the 
861 C<RenderView> logic by adding your own code inside the empty method body 
862 (C<{}>) created by the Catalyst Helpers when we first ran the 
863 C<catalyst.pl> to initialize our application.  See 
864 L<Catalyst::Action::RenderView|Catalyst::Action::RenderView> for more 
865 detailed information on how to extended C<RenderView> in C<sub end>.
866
867 =back
868
869
870 =head3 The History Leading Up To C<RenderView>
871
872 Although C<RenderView> strikes a nice balance between default
873 behavior and easy extensibility, it is a new feature that won't 
874 appear in most existing Catalyst examples.  This section provides
875 some brief background on the evolution of default view rendering
876 logic with an eye to how they can be migrated to C<RenderView>:
877
878 =over 4
879
880 =item *
881
882 Private C<end> Action in Application Class
883
884 Older Catalyst-related documents often suggest that you add a "private 
885 end action" to your application class (C<MyApp.pm>) or Root.pm 
886 (C<MyApp/Controller/Root.pm>).  These examples should be easily 
887 converted to L<RenderView|Catalyst::Action::RenderView> by simply adding 
888 the attribute C<:ActionClass('RenderView')> to the C<sub end> 
889 definition. If end sub is defined in your application class 
890 (C<MyApp.pm>), you should also migrate it to 
891 C<MyApp/Controller/Root.pm>.
892
893 =item *
894
895 L<Catalyst::Plugin::DefaultEnd|Catalyst::Plugin::DefaultEnd>
896
897 C<DefaultEnd> represented the "next step" in passing processing from 
898 your controller to your view.  It has the advantage of only requiring 
899 that C<DefaultEnd> be added to the list of plugins in C<lib/MyApp.pm>. 
900 It also allowed you to add "dump_info=1" (precede with "?" or "&" 
901 depending on where it is in the URL) to I<force> the debug screen at the 
902 end of the Catalyst request processing cycle.  However, it was more 
903 difficult to extend than the C<RenderView> mechanism, and is now 
904 deprecated.
905
906 =item *
907
908 L<Catalyst::Action::RenderView|Catalyst::Action::RenderView>
909
910 As discussed above, the current recommended approach to handling your 
911 view logic relies on 
912 L<Catalyst::Action::RenderView|Catalyst::Action::RenderView>.  Although 
913 similar in first appearance to the "private end action" approach, it 
914 utilizes Catalyst's "ActionClass" mechanism to provide both automatic 
915 default behavior (you don't have to include a plugin as with 
916 C<DefaultEnd>) and easy extensibility.  As with C<DefaultEnd>, it allows 
917 you to add "dump_info=1" (precede with "?" or "&" depending on where it 
918 is in the URL) to I<force> the debug screen at the end of the Catalyst 
919 request processing cycle.
920
921 =back
922
923 It is recommended that all Catalyst applications use or migrate to
924 the C<RenderView> approach.
925
926
927 =head2 Globally Customize Every View
928
929 When using TTSite, files in the subdirectories of C<root/lib> can be
930 used to make changes that will appear in every view.  For example, to
931 display optional status and error messages in every view, edit
932 C<root/lib/site/layout>, updating it to match the following (the two HTML
933 C<span> elements are new):
934
935     <div id="header">[% PROCESS site/header %]</div>
936     
937     <div id="content">
938     <span class="message">[% status_msg %]</span>
939     <span class="error">[% error_msg %]</span>
940     [% content %]
941     </div>
942     
943     <div id="footer">[% PROCESS site/footer %]</div>
944
945 If we set either message in the Catalyst stash (e.g.,
946 C<$c-E<gt>stash-E<gt>{status_msg} = 'Request was successful!'>) it will
947 be displayed whenever any view used by that request is rendered.  The
948 C<message> and C<error> CSS styles are automatically defined in
949 C<root/src/ttsite.css> and can be customized to suit your needs.
950
951 B<Note:> The Catalyst stash only lasts for a single HTTP request.  If
952 you need to retain information across requests you can use
953 L<Catalyst::Plugin::Session|Catalyst::Plugin::Session> (we will use
954 Catalyst sessions in the Authentication part of the tutorial).
955
956
957 =head2 Create a TT Template Page
958
959 To add a new page of content to the TTSite view hierarchy, just create a
960 new C<.tt2> file in C<root/src>.  Only include HTML markup that goes
961 inside the HTML <body> and </body> tags, TTSite will use the contents of
962 C<root/lib/site> to add the top and bottom.
963
964 First create a directory for book-related TT templates:
965
966     $ mkdir root/src/books
967
968 Then open C<root/src/books/list.tt2> in your editor and enter:
969
970     [% # This is a TT comment.  The '-' at the end "chomps" the newline.  You won't -%]
971     [% # see this "chomping" in your browser because HTML ignores blank lines, but  -%]
972     [% # it WILL eliminate a blank line if you view the HTML source.  It's purely   -%]
973     [%- # optional, but both the beginning and the ending TT tags support chomping. -%]
974     
975     [% # Provide a title to root/lib/site/header -%]
976     [% META title = 'Book List' -%]
977     
978     <table>
979     <tr><th>Title</th><th>Rating</th><th>Author(s)</th></tr>
980     [% # Display each book in a table row %]
981     [% FOREACH book IN books -%]
982       <tr>
983         <td>[% book.title %]</td>
984         <td>[% book.rating %]</td>
985         <td>
986           [% # First initialize a TT variable to hold a list.  Then use a TT FOREACH -%]
987           [% # loop in 'side effect notation' to load just the last names of the     -%]
988           [% # authors into the list.  Note that the 'push' TT vmethod does not      -%]
989           [% # a value, so nothing will be printed here.  But, if you have something -%]
990           [% # in TT that does return a method and you don't want it printed, you    -%]
991           [% # can: 1) assign it to a bogus value, or 2) use the CALL keyword to     -%]
992           [% # call it and discard the return value.                                 -%]
993           [% tt_authors = [ ];
994              tt_authors.push(author.last_name) FOREACH author = book.authors %]
995           [% # Now use a TT 'virtual method' to display the author count in parens   -%]
996           ([% tt_authors.size %])
997           [% # Use another TT vmethod to join & print the names & comma separators   -%]
998           [% tt_authors.join(', ') %]
999         </td>
1000       </tr>
1001     [% END -%]
1002     </table>
1003
1004 As indicated by the inline comments above, the C<META title> line uses
1005 TT's META feature to provide a title to C<root/lib/site/header>.
1006 Meanwhile, the outer C<FOREACH> loop iterates through each C<book> model
1007 object and prints the C<title> and C<rating> fields.  An inner
1008 C<FOREACH> loop prints the last name of each author in a comma-separated
1009 list within a single table cell.
1010
1011 If you are new to TT, the C<[%> and C<%]> tags are used to delimit TT
1012 code.  TT supports a wide variety of directives for "calling" other
1013 files, looping, conditional logic, etc.  In general, TT simplifies the
1014 usual range of Perl operators down to the single dot (C<.>) operator.
1015 This applies to operations as diverse as method calls, hash lookups, and
1016 list index values (see
1017 L<http://www.template-toolkit.org/docs/default/Manual/Variables.html>
1018 for details and examples).  In addition to the usual C<Template> module
1019 Pod documentation, you can access the TT manual at
1020 L<http://www.template-toolkit.org/docs/default/>.
1021
1022 B<NOTE>: The C<TTSite> helper creates several TT files using an
1023 extension of C<.tt2>. Most other Catalyst and TT examples use an
1024 extension of C<.tt>.  You can use either extension (or no extension at
1025 all) with TTSite and TT, just be sure to use the appropriate extension
1026 for both the file itself I<and> the C<$c-E<gt>stash-E<gt>{template} =
1027 ...> line in your controller.  This document will use C<.tt2> for
1028 consistency with the files already created by the C<TTSite> helper.
1029
1030
1031 =head1 RUN THE APPLICATION
1032
1033 First, let's enable an environment variable option that causes
1034 DBIx::Class to dump the SQL statements it's using to access the database
1035 (this option can provide extremely helpful troubleshooting information):
1036
1037     $ export DBIC_TRACE=1
1038
1039 B<NOTE>: You can also use the older 
1040 C<export DBIX_CLASS_STORAGE_DBI_DEBUG=1>, that that's a lot more to
1041 type.
1042
1043 This assumes you are using BASH as your shell -- adjust accordingly if
1044 you are using a different shell (for example, under tcsh, use
1045 C<setenv DBIX_CLASS_STORAGE_DBI_DEBUG 1>).
1046
1047 B<NOTE>: You can also set this in your code using
1048 C<$class-E<gt>storage-E<gt>debug(1);>.  See
1049 L<DBIx::Class::Manual::Troubleshooting> for details (including options
1050 to log to file instead of displaying to the Catalyst development server
1051 log).
1052
1053 Then run the Catalyst "demo server" script:    
1054
1055     $ script/myapp_server.pl
1056
1057 Your development server log output should display something like:
1058
1059     $ script/myapp_server.pl
1060     [debug] Debug messages enabled
1061     [debug] Loaded plugins:
1062     .----------------------------------------------------------------------------.
1063     | Catalyst::Plugin::ConfigLoader  0.13                                       |
1064     | Catalyst::Plugin::StackTrace  0.06                                         |
1065     | Catalyst::Plugin::Static::Simple  0.14                                     |
1066     '----------------------------------------------------------------------------'
1067     
1068     [debug] Loaded dispatcher "Catalyst::Dispatcher"
1069     [debug] Loaded engine "Catalyst::Engine::HTTP"
1070     [debug] Found home "/home/me/MyApp"
1071     [debug] Loaded Config "/home/me/myapp.yml"
1072     [debug] Loaded components:
1073     .-----------------------------------------------------------------+----------.
1074     | Class                                                           | Type     |
1075     +-----------------------------------------------------------------+----------+
1076     | MyApp::Controller::Books                                        | instance |
1077     | MyApp::Controller::Root                                         | instance |
1078     | MyApp::Model::MyAppDB                                           | instance |
1079     | MyApp::Model::MyAppDB::Author                                   | class    |
1080     | MyApp::Model::MyAppDB::Book                                     | class    |
1081     | MyApp::Model::MyAppDB::BookAuthor                               | class    |
1082     | MyApp::View::TT                                                 | instance |
1083     '-----------------------------------------------------------------+----------'
1084     
1085     [debug] Loaded Private actions:
1086     .----------------------+--------------------------------------+--------------.
1087     | Private              | Class                                | Method       |
1088     +----------------------+--------------------------------------+--------------+
1089     | /default             | MyApp::Controller::Root              | default      |
1090     | /end                 | MyApp::Controller::Root              | end          |
1091     | /books/index         | MyApp::Controller::Books             | index        |
1092     | /books/list          | MyApp::Controller::Books             | list         |
1093     '----------------------+--------------------------------------+--------------'
1094     
1095     [debug] Loaded Path actions:
1096     .-------------------------------------+--------------------------------------.
1097     | Path                                | Private                              |
1098     +-------------------------------------+--------------------------------------+
1099     | /books/list                         | /books/list                          |
1100     '-------------------------------------+--------------------------------------'
1101     
1102     [info] MyApp powered by Catalyst 5.7002
1103     You can connect to your server at http://localhost.localdomain:3000
1104
1105 Some things you should note in the output above:
1106
1107 =over 4
1108
1109 =item * 
1110
1111 Catalyst::Model::DBIC::Schema took our C<MyAppDB::Book> and made it
1112 C<MyApp::Model::MyAppDB::Book> (and similar actions were performed on
1113 C<MyAppDB::Author> and C<MyAppDB::BookAuthor>).
1114
1115 =item * 
1116
1117 The "list" action in our Books controller showed up with a path of
1118 C</books/list>.
1119
1120 =back
1121
1122 Point your browser to L<http://localhost:3000> and you should still get
1123 the Catalyst welcome page.
1124
1125 Next, to view the book list, change the URL in your browser to
1126 L<http://localhost:3000/books/list>. You should get a list of the five
1127 books loaded by the C<myapp01.sql> script above, with TTSite providing
1128 the formatting for the very simple output we generated in our template.
1129 The count and space-separated list of author last names appear on the
1130 end of each row.
1131
1132 Also notice in the output of the C<script/myapp_server.pl> that DBIC
1133 used the following SQL to retrieve the data:
1134
1135     SELECT me.id, me.title, me.rating FROM books me
1136
1137 Along with a list of the following commands to retrieve the authors for
1138 each book (the lines have been "word wrapped" here to improve
1139 legibility):
1140
1141     SELECT author.id, author.first_name, author.last_name 
1142         FROM book_authors me  
1143         JOIN authors author ON ( author.id = me.author_id ) 
1144         WHERE ( me.book_id = ? ): `1'
1145
1146 You should see 5 such lines of debug output as DBIC fetches the author 
1147 information for each book.
1148
1149
1150 =head1 USING THE DEFAULT TEMPLATE NAME
1151
1152 By default, C<Catalyst::View::TT> will look for a template that uses the 
1153 same name as your controller action, allowing you to save the step of 
1154 manually specifying the template name in each action.  For example, this 
1155 would allow us to remove (or comment out) the 
1156 C<$c-E<gt>stash-E<gt>{template} = 'books/list.tt2';> line of our 
1157 C<list> action in the Books controller.  Open 
1158 C<lib/MyApp/Controller/Books.pm> in your editor and update it to 
1159 match the following:
1160
1161     =head2 list
1162     
1163     Fetch all book objects and pass to books/list.tt2 in stash to be displayed
1164     
1165     =cut
1166     
1167     sub list : Local {
1168         # Retrieve the usual perl OO '$self' for this object. $c is the Catalyst
1169         # 'Context' that's used to 'glue together' the various components
1170         # that make up the application
1171         my ($self, $c) = @_;
1172     
1173         # Retrieve all of the book records as book model objects and store in the
1174         # stash where they can be accessed by the TT template
1175         $c->stash->{books} = [$c->model('MyAppDB::Book')->all];
1176     
1177         # Automatically look for a template of 'books/list.tt2' template
1178         # (if TEMPLATE_EXTENSION is set to '.tt2')
1179     }
1180
1181 C<Catalyst::View::TT> defaults to looking for a template with no 
1182 extension.  In our case, we need to override this to look for an 
1183 extension of C<.tt2>.  Open C<lib/MyApp/View/TT.pm> and add the 
1184 C<TEMPLATE_EXTENSION> definition as follows:
1185
1186     __PACKAGE__->config({
1187         CATALYST_VAR => 'Catalyst',
1188         INCLUDE_PATH => [
1189             MyApp->path_to( 'root', 'src' ),
1190             MyApp->path_to( 'root', 'lib' )
1191         ],
1192         PRE_PROCESS  => 'config/main',
1193         WRAPPER      => 'site/wrapper',
1194         ERROR        => 'error.tt2',
1195         TIMER        => 0,
1196         TEMPLATE_EXTENSION => '.tt2',
1197     });
1198
1199 You should now be able to restart the development server as per the 
1200 previous section and access the L<http://localhost:3000/books/list>
1201 as before.
1202
1203 Although this can be a valuable technique to establish a default 
1204 template for each of your actions, the remainder of the tutorial
1205 will manually assign the template name to 
1206 C<$c-E<gt>stash-E<gt>{template}> in each action in order to make 
1207 the logic as conspicuous as possible.
1208
1209
1210 =head1 AUTHOR
1211
1212 Kennedy Clark, C<hkclark@gmail.com>
1213
1214 Please report any errors, issues or suggestions to the author.  The
1215 most recent version of the Catalyst Tutorial can be found at
1216 L<http://dev.catalyst.perl.org/repos/Catalyst/trunk/Catalyst-Runtime/lib/Catalyst/Manual/Tutorial/>.
1217
1218 Copyright 2006, Kennedy Clark, under Creative Commons License
1219 (L<http://creativecommons.org/licenses/by-nc-sa/2.5/>).
1220