ripped out the guts of merge_config_hashes and put it in a merge_hashes utility sub
[catagits/Catalyst-Runtime.git] / lib / Catalyst / Manual / Tutorial / CatalystBasics.pod
CommitLineData
4d583dd8 1=head1 NAME
2
64ccd8a8 3Catalyst::Manual::Tutorial::CatalystBasics - Catalyst Tutorial - Part 2: Catalyst Application Development Basics
4d583dd8 4
5
4d583dd8 6=head1 OVERVIEW
7
8This is B<Part 2 of 9> for the Catalyst tutorial.
9
64ccd8a8 10L<Tutorial Overview|Catalyst::Manual::Tutorial>
4d583dd8 11
12=over 4
13
14=item 1
15
16L<Introduction|Catalyst::Manual::Tutorial::Intro>
17
18=item 2
19
20B<Catalyst Basics>
21
22=item 3
23
653f4595 24L<Basic CRUD|Catalyst::Manual::Tutorial::BasicCRUD>
4d583dd8 25
26=item 4
27
28L<Authentication|Catalyst::Manual::Tutorial::Authentication>
29
30=item 5
31
32L<Authorization|Catalyst::Manual::Tutorial::Authorization>
33
34=item 6
35
36L<Debugging|Catalyst::Manual::Tutorial::Debugging>
37
38=item 7
39
40L<Testing|Catalyst::Manual::Tutorial::Testing>
41
42=item 8
43
653f4595 44L<Advanced CRUD|Catalyst::Manual::Tutorial::AdvancedCRUD>
4d583dd8 45
46=item 9
47
653f4595 48L<Appendices|Catalyst::Manual::Tutorial::Appendicies>
4d583dd8 49
50=back
51
4d583dd8 52=head1 DESCRIPTION
53
64ccd8a8 54In this part of the tutorial, we will create a very basic Catalyst web
55application. Though simple in many respects, this section will already
56demonstrate a number of powerful capabilities such as:
4d583dd8 57
58=over 4
59
60=item * Helper Scripts
61
64ccd8a8 62Catalyst helper scripts that can be used to rapidly bootstrap the
63skeletal structure of an application.
4d583dd8 64
65=item * MVC
66
64ccd8a8 67Model/View/Controller (MVC) provides an architecture that facilitates a
68clean "separation of control" between the different portions of your
653f4595 69application. Given that many other documents cover this subject in
64ccd8a8 70detail, MVC will not be discussed in depth here (for an excellent
71introduction to MVC and general Catalyst concepts, please see
653f4595 72L<Catalyst::Manual::About>. In short:
4d583dd8 73
74=over 4
75
76=item * Model
77
653f4595 78The model usually represents a data store. In most applications, the
79model equates to the objects that are created from and saved to your SQL
80database.
4d583dd8 81
82=item * View
83
64ccd8a8 84The view takes model objects and renders them into something for the end
653f4595 85user to look at. Normally this involves a template-generation tool that
64ccd8a8 86creates HTML for the user's web browser, but it could easily be code
653f4595 87that generates other forms such as PDF documents, e-mails, or Excel
88spreadsheets.
4d583dd8 89
90=item * Controller
91
64ccd8a8 92As suggested by its name, the controller takes user requests and routes
93them to the necessary model and view.
4d583dd8 94
95=back
96
97=item * ORM
98
653f4595 99The use of Object-Relational Mapping (ORM) technology for database
100access. Specifically, ORM provides an automated and standardized means
101to persist and restore objects to/from a relational database.
4d583dd8 102
103=back
104
64ccd8a8 105B<TIP>: Note that all of the code for this part of the tutorial can be
106pulled from the Catalyst Subversion repository in one step with the
107following command:
4d583dd8 108
109 svn checkout http://dev.catalyst.perl.org/repos/Catalyst/trunk/examples/Tutorial@###
110 IMPORTANT: Does not work yet. Will be completed for final version.
111
112
4d583dd8 113=head1 CREATE A CATALYST PROJECT
114
64ccd8a8 115Catalyst provides a number of helper scripts that can be used to quickly
653f4595 116flesh out the basic structure of your application. All Catalyst projects
117begin with the C<catalyst.pl> helper.
4d583dd8 118
64ccd8a8 119In the case of this tutorial, use the Catalyst C<catalyst.pl> script to
120initialize the framework for an application called C<MyApp>:
4d583dd8 121
122 $ catalyst.pl MyApp
123 $ cd MyApp
124
64ccd8a8 125The C<catalyst.pl> helper script will display the names of the
126directories and files it creates.
4d583dd8 127
653f4595 128Though it's too early for any significant celebration, we already have a
129functioning application. Run the following command to run this
130application with the built-in development web server:
4d583dd8 131
132 $ script/myapp_server.pl
133
64ccd8a8 134Point your web browser to L<http://localhost:3000> (substituting a
135different hostname or IP address as appropriate) and you should be
136greeted by the Catalyst welcome screen. Press Ctrl-C to break out of
137the development server.
4d583dd8 138
4d583dd8 139=head1 CREATE A SQLITE DATABASE
140
64ccd8a8 141In this step, we make a text file with the required SQL commands to
142create a database table and load some sample data. Open C<myapp01.sql>
143in your editor and enter:
4d583dd8 144
145 --
146 -- Create a very simple database to hold book and author information
147 --
148 CREATE TABLE books (
149 id INTEGER PRIMARY KEY,
150 title TEXT ,
151 rating INTEGER
152 );
153 -- 'book_authors' is a many-to-many join table between books & authors
154 CREATE TABLE book_authors (
155 book_id INTEGER,
156 author_id INTEGER,
157 PRIMARY KEY (book_id, author_id)
158 );
159 CREATE TABLE authors (
160 id INTEGER PRIMARY KEY,
161 first_name TEXT,
162 last_name TEXT
163 );
164 ---
165 --- Load some sample data
166 ---
167 INSERT INTO books VALUES (1, 'CCSP SNRS Exam Certification Guide', 5);
168 INSERT INTO books VALUES (2, 'TCP/IP Illustrated, Volume 1', 5);
169 INSERT INTO books VALUES (3, 'Internetworking with TCP/IP Vol.1', 4);
170 INSERT INTO books VALUES (4, 'Perl Cookbook', 5);
171 INSERT INTO books VALUES (5, 'Designing with Web Standards', 5);
172 INSERT INTO authors VALUES (1, 'Greg', 'Bastien');
173 INSERT INTO authors VALUES (2, 'Sara', 'Nasseh');
174 INSERT INTO authors VALUES (3, 'Christian', 'Degu');
175 INSERT INTO authors VALUES (4, 'Richard', 'Stevens');
176 INSERT INTO authors VALUES (5, 'Douglas', 'Comer');
177 INSERT INTO authors VALUES (6, 'Tom', 'Christiansen');
178 INSERT INTO authors VALUES (7, ' Nathan', 'Torkington');
179 INSERT INTO authors VALUES (8, 'Jeffrey', 'Zeldman');
180 INSERT INTO book_authors VALUES (1, 1);
181 INSERT INTO book_authors VALUES (1, 2);
182 INSERT INTO book_authors VALUES (1, 3);
183 INSERT INTO book_authors VALUES (2, 4);
184 INSERT INTO book_authors VALUES (3, 5);
185 INSERT INTO book_authors VALUES (4, 6);
186 INSERT INTO book_authors VALUES (4, 7);
187 INSERT INTO book_authors VALUES (5, 8);
188
64ccd8a8 189B<TIP>: See Appendix 1 for tips on removing the leading spaces when
653f4595 190cutting and pasting example code from POD documents.
4d583dd8 191
192Then use the following command to build a C<myapp.db> SQLite database:
193
194 $ sqlite3 myapp.db < myapp01.sql
195
64ccd8a8 196If you need to create the database more than once, you probably want to
197issue the C<rm myapp.db> command to delete the database before you use
198the C<sqlite3 myapp.db < myapp01.sql> command.
4d583dd8 199
64ccd8a8 200Once the C<myapp.db> database file has been created and initialized, you
201can use the SQLite command line environment to do a quick dump of the
202database contents:
4d583dd8 203
204 $ sqlite3 myapp.db
205 SQLite version 3.2.2
206 Enter ".help" for instructions
207 sqlite> select * from books;
208 1|CCSP SNRS Exam Certification Guide|5
209 2|TCP/IP Illustrated, Volume 1|5
210 3|Internetworking with TCP/IP Vol.1|4
211 4|Perl Cookbook|5
212 5|Designing with Web Standards|5
213 sqlite> .q
214 $
215
216Or:
217
218 $ sqlite3 myapp.db "select * from books"
219 1|CCSP SNRS Exam Certification Guide|5
220 2|TCP/IP Illustrated, Volume 1|5
221 3|Internetworking with TCP/IP Vol.1|4
222 4|Perl Cookbook|5
223 5|Designing with Web Standards|5
224
64ccd8a8 225As with most other SQL tools, if you are using the full "interactive"
226environment you need to terminate your SQL commands with a ";" (it's not
227required if you do a single SQL statement on the command line). Use
228".q" to exit from SQLite from the SQLite interactive mode and return to
229your OS command prompt.
4d583dd8 230
231
4d583dd8 232=head1 EDIT THE LIST OF CATALYST PLUGINS
233
64ccd8a8 234One of the greatest benefits of Catalyst is that it has such a large
235library of plugins available. Plugins are used to seamlessly integrate
236existing Perl modules into the overall Catalyst framework. In general,
237they do this by adding additional methods to the C<context> object
238(generally written as C<$c>) that Catalyst passes to every component
239throughout the framework.
4d583dd8 240
241By default, Catalyst enables three plugins/flags:
242
243=over 4
244
245=item *
246
247C<-Debug> Flag
248
64ccd8a8 249Enables the Catalyst debug output you saw when we started the
250C<script/myapp_server.pl> development server earlier. You can remove
251this plugin when you place your application into production.
4d583dd8 252
64ccd8a8 253As you may have noticed, C<-Debug> is not a plugin, but a I<flag>.
254Although most of the items specified on the C<use Catalyst> line of your
255application class will be plugins, Catalyst supports a limited number of
256flag options (of these, C<-Debug> is the most common).
4d583dd8 257
64ccd8a8 258If you prefer, you can use the C<$c-E<gt>debug> method to enable debug
259messages.
4d583dd8 260
261=item *
262
263L<Catalyst::Plugin::ConfigLoader|Catalyst::Plugin::ConfigLoader>
264
653f4595 265C<ConfigLoader> provides an automatic way to load configurable
64ccd8a8 266parameters for your application from a central YAML file (versus having
267the values hard-coded inside your Perl modules). If you have not been
268exposed to YAML before, it is a human-readable data serialization format
269that can be used to read (and write) values to/from text files. We will
270see how to use this feature of Catalyst during the authentication and
271authorization sections (Part 4 and Part 5).
4d583dd8 272
4d583dd8 273=item *
274
653f4595 275L<Catalyst::Plugin::Static::Simple>
4d583dd8 276
64ccd8a8 277C<Static::Simple> provides an easy method of serving static content such
278as images and CSS files under the development server.
4d583dd8 279
280=back
281
64ccd8a8 282To modify the list of plugins, edit C<lib/MyApp.pm> (this file is
283generally referred to as your I<application class>) and delete the line
284with:
4d583dd8 285
286 use Catalyst qw/-Debug ConfigLoader Static::Simple/;
287
288Replace it with:
289
290 use Catalyst qw/
291 -Debug
292 ConfigLoader
293 Static::Simple
294
4d583dd8 295 StackTrace
296 DefaultEnd
297 /;
298
299This tells Catalyst to start using three new plugins:
300
301=over 4
302
303=item *
304
4d583dd8 305L<Catalyst::Plugin::StackTrace|Catalyst::Plugin::StackTrace>
306
64ccd8a8 307Adds a stack trace to the standard Catalyst "debug screen" (this is the
308screen Catalyst sends to your browser when an error occurs).
4d583dd8 309
c19d127e 310Note: L<StackTrace|Catalyst::Plugin::StackTrace> output appears in your
311browser, not in the console window from which you're running your
312application, which is where logging output usually goes.
4d583dd8 313
314=item *
315
316L<Catalyst::Plugin::DefaultEnd|Catalyst::Plugin::DefaultEnd>
317
64ccd8a8 318Automatically provides a Catalyst "end action" that invokes your view at
319the end of each request. Also allows you to add "dump_info=1" (precede
320with "?" or "&" depending on where it is in the URL) to I<force> the
321debug screen at the end of the Catalyst request processing cycle.
4d583dd8 322
653f4595 323B<TIP>: Many Catalyst-related documents predate
64ccd8a8 324L<DefaultEnd|Catalyst::Plugin::DefaultEnd> and suggest that you add an
325C<end> action to your application class (C<MyApp.pm>) or Root.pm
326(C<MyApp/Controller/Root.pm>). In most of these cases, you can convert
327to L<DefaultEnd|Catalyst::Plugin::DefaultEnd> by deleting the C<end>
71dedf57 328action and using the plugin instead. There are certainly cases when
329you'd want to write your own custom C<end> action, but for most
330circumstances, DefaultEnd will be exactly what you want.
4d583dd8 331
332=back
333
64ccd8a8 334Note that when specifying plugins on the C<use Catalyst> line, you can
71dedf57 335omit C<Catalyst::Plugin::> from the name. Additionally, you can spread
64ccd8a8 336the plugin names across multiple lines as shown here, or place them all
337on one (or more) lines as with the default configuration.
4d583dd8 338
4d583dd8 339=head1 DATABASE ACCESS WITH C<DBIx::Class>
340
64ccd8a8 341Catalyst can be used with virtually any form of persistent datastore
71dedf57 342available via Perl. For example, L<Catalyst::Model::DBI> can be used to
343easily access databases through the traditional Perl L<DBI> interface.
344However, most Catalyst applications use some form of ORM technology to
64ccd8a8 345automatically create and save model objects as they are used. Although
71dedf57 346Tony Bowden's L<Class::DBI> has been the traditional Perl ORM engine,
347Matt Trout's L<DBIx::Class> (abbreviated as "DBIC") has rapidly emerged
348as the Perl-based ORM technology of choice. Most new Catalyst
349applications rely on DBIC, as will this tutorial.
4d583dd8 350
71dedf57 351Note: See L<Catalyst:: Model::CDBI > for more information on using
352Catalyst with L<Class::DBI>.
4d583dd8 353
354=head2 Create a DBIC Schema File
355
64ccd8a8 356DBIx::Class uses a schema file to load other classes that represent the
357tables in your database (DBIC refers to these "table objects" as "result
71dedf57 358sources"; see L<DBIx::Class::ResultSource>). In this case, we want to
359load the model object for the C<books>, C<book_authors>, and C<authors>
360tables created in the previous step.
4d583dd8 361
362Open C<lib/MyAppDB.pm> in your editor and insert:
363
364 package MyAppDB;
365
366 =head1 NAME
367
71dedf57 368 MyAppDB - DBIC Schema Class
4d583dd8 369
370 =cut
371
372 # Our schema needs to inherit from 'DBIx::Class::Schema'
373 use base qw/DBIx::Class::Schema/;
374
375 # Need to load the DB Model classes here.
376 # You can use this syntax if you want:
377 # __PACKAGE__->load_classes(qw/Book BookAuthor Author/);
378 # Also, if you simply want to load all of the classes in a directory
379 # of the same name as your schema class (as we do here) you can use:
380 # __PACKAGE__->load_classes(qw//);
381 # But the variation below is more flexible in that it can be used to
382 # load from multiple namespaces.
383 __PACKAGE__->load_classes({
384 MyAppDB => [qw/Book BookAuthor Author/]
385 });
386
387 1;
388
64ccd8a8 389B<Note:> C<__PACKAGE__> is just a shorthand way of referencing the name
390of the package where it is used. Therefore, in C<MyAppDB.pm>,
71dedf57 391C<__PACKAGE__> is equivalent to C<MyAppDB>
4d583dd8 392
393
394=head2 Create the DBIC "Result Source" Files
395
64ccd8a8 396In this step, we create "table classes" (again, these are called a
71dedf57 397"result source" classes in DBIC) that act as model objects for the
64ccd8a8 398C<books>, C<book_authors>, and C<authors> tables in our database.
4d583dd8 399
400First, create a directory to hold the class:
401
402 $ mkdir lib/MyAppDB
403
404Then open C<lib/MyAppDB/Book.pm> in your editor and enter:
405
406 package MyAppDB::Book;
407
408 use base qw/DBIx::Class/;
409
410 # Load required DBIC stuff
411 __PACKAGE__->load_components(qw/PK::Auto Core/);
412 # Set the table name
413 __PACKAGE__->table('books');
414 # Set columns in table
415 __PACKAGE__->add_columns(qw/id title rating/);
416 # Set the primary key for the table
417 __PACKAGE__->set_primary_key(qw/id/);
418
419 #
420 # Set relationships:
421 #
422
423 # has_many():
424 # args:
425 # 1) Name of relationship, DBIC will create accessor with this name
426 # 2) Name of the model class referenced by this relationship
427 # 3) Column name in *foreign* table
428 __PACKAGE__->has_many(book_authors => 'MyAppDB::BookAuthor', 'book_id');
429
430 # many_to_many():
431 # args:
432 # 1) Name of relationship, DBIC will create accessor with this name
433 # 2) Name of has_many() relationship this many_to_many() is shortcut for
434 # 3) Name of belongs_to() relationship in model class of has_many() above
435 # You must already have the has_many() defined to use a many_to_many().
436 __PACKAGE__->many_to_many(authors => 'book_authors', 'author');
437
438
439 =head1 NAME
440
441 MyAppDB::Book - A model object representing a book.
442
443 =head1 DESCRIPTION
444
445 This is an object that represents a row in the 'books' table of your application
446 database. It uses DBIx::Class (aka, DBIC) to do ORM.
447
448 For Catalyst, this is designed to be used through MyApp::Model::MyAppDB.
449 Offline utilities may wish to use this class directly.
450
451 =cut
452
453 1;
454
64ccd8a8 455This defines both a C<has_many> and a C<many_to_many> relationship. The
456C<many_to_many> relationship is optional, but it makes it easier to map
457a book to its collection of authors. Without it, we would have to
458"walk" though the C<book_authors> table as in
459C<$book-E<gt>book_authors-E<gt>first-E<gt>author-E<gt>last_name> (we
460will see examples on how to use DBIC objects in your code soon, but note
461that because C<$book-E<gt>book_authors> can return multiple authors, we
71dedf57 462have to use C<first> to display a single author). C<many_to_many> allows
463us to use the shorter C<$book-E<gt>authors-E<gt>first-E<gt>last_name>.
464Note that you cannot define a C<many_to_many> relationship without also
465having the C<has_many> relationship in place.
4d583dd8 466
467Next, open C<lib/MyAppDB/Author.pm> in your editor and enter:
468
469 package MyAppDB::Author;
470
471 use base qw/DBIx::Class/;
472
473 # Load required DBIC stuff
474 __PACKAGE__->load_components(qw/PK::Auto Core/);
475 # Set the table name
476 __PACKAGE__->table('authors');
477 # Set columns in table
478 __PACKAGE__->add_columns(qw/id first_name last_name/);
479 # Set the primary key for the table
480 __PACKAGE__->set_primary_key(qw/id/);
481
482 #
483 # Set relationships:
484 #
485
486 # has_many():
487 # args:
488 # 1) Name of relationship, DBIC will create accessor with this name
489 # 2) Name of the model class referenced by this relationship
490 # 3) Column name in *foreign* table
491 __PACKAGE__->has_many(book_author => 'MyAppDB::BookAuthor', 'author_id');
492
493 # many_to_many():
494 # args:
495 # 1) Name of relationship, DBIC will create accessor with this name
496 # 2) Name of has_many() relationship this many_to_many() is shortcut for
497 # 3) Name of belongs_to() relationship in model class of has_many() above
498 # You must already have the has_many() defined to use a many_to_many().
499 __PACKAGE__->many_to_many(books => 'book_author', 'book');
500
501
502 =head1 NAME
503
504 MyAppDB::Author - A model object representing an author of a book (if a book has
505 multiple authors, each will be represented be separate Author object).
506
507 =head1 DESCRIPTION
508
509 This is an object that represents a row in the 'authors' table of your application
510 database. It uses DBIx::Class (aka, DBIC) to do ORM.
511
512 For Catalyst, this is designed to be used through MyApp::Model::MyAppDB.
513 Offline utilities may wish to use this class directly.
514
515 =cut
516
517 1;
518
519Finally, open C<lib/MyAppDB/BookAuthor.pm> in your editor and enter:
520
521 package MyAppDB::BookAuthor;
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('book_authors');
529 # Set columns in table
530 __PACKAGE__->add_columns(qw/book_id author_id/);
531 # Set the primary key for the table
532 __PACKAGE__->set_primary_key(qw/book_id author_id/);
533
534 #
535 # Set relationships:
536 #
537
538 # belongs_to():
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 *this* table
543 __PACKAGE__->belongs_to(book => 'MyAppDB::Book', 'book_id');
544
545 # belongs_to():
546 # args:
547 # 1) Name of relationship, DBIC will create accessor with this name
548 # 2) Name of the model class referenced by this relationship
549 # 3) Column name in *this* table
550 __PACKAGE__->belongs_to(author => 'MyAppDB::Author', 'author_id');
551
552
553 =head1 NAME
554
555 MyAppDB::BookAuthor - A model object representing the JOIN between an author and
556 a book.
557
558 =head1 DESCRIPTION
559
560 This is an object that represents a row in the 'book_authors' table of your
561 application database. It uses DBIx::Class (aka, DBIC) to do ORM.
562
563 You probably won't need to use this class directly -- it will be automatically
564 used by DBIC where joins are needed.
565
566 For Catalyst, this is designed to be used through MyApp::Model::MyAppDB.
567 Offline utilities may wish to use this class directly.
568
569 =cut
570
571 1;
572
64ccd8a8 573B<Note:> This sample application uses a plural form for the database
574tables (e.g., C<books> and C<authors>) and a singular form for the model
575objects (e.g., C<Book> and C<Author>); however, Catalyst places no
576restrictions on the naming conventions you wish to use.
4d583dd8 577
4d583dd8 578=head2 Use C<Catalyst::Model::DBIC::Schema> To Load The Model Class
579
71dedf57 580When L<Catalyst::Model::DBIC::Schema> is
64ccd8a8 581in use, Catalyst essentially reads an existing copy of your database
582model and creates a new set of objects under C<MyApp::Model> for use
583inside of Catalyst.
4d583dd8 584
71dedf57 585B<Note:> With L<Catalyst::Model::DBIC::Schema> you essentially end up
586with two sets of model classes (only one of which you write... the other
587set is created automatically in memory when your Catalyst application
588initializes). For this tutorial application, the important points to
589remember are: you write the I<result source> files in C<MyAppDB>, but
590I<within Catalyst> you use the I<automatically created model classes> in
591C<MyApp::Model>.
4d583dd8 592
71dedf57 593Use the L<Catalyst::Helper::Model::DBIC::Schema > helper script to
594create the model class that loads up the model we created in the
595previous step:
4d583dd8 596
597 $ script/myapp_create.pl model MyAppDB DBIC::Schema MyAppDB dbi:SQLite:myapp.db '' '' '{ AutoCommit => 1 }'
598
64ccd8a8 599Where the first C<MyAppDB> is the name of the class to be created by the
600helper in C<lib/MyApp/Model> and the second C<MyAppDB> is the name of
601existing schema file we created (in C<lib/MyAppDB.pm>). You can see
602that the helper creates a model file under C<lib/MyApp/Model> (Catalyst
603has a separate directory under C<lib/MyApp> for each of the three parts
604of MVC: C<Model>, C<View>, and C<Controller> [although older Catalyst
605applications often use the directories C<M>, C<V>, and C<C>]).
4d583dd8 606
607
4d583dd8 608=head1 CREATE A CATALYST CONTROLLER
609
71dedf57 610Controllers are where you write methods that interact with user
611input--typically, controller methods respond to C<GET> and C<POST>
612messages from the user's web browser.
4d583dd8 613
71dedf57 614Use the Catalyst C<create> script to add a controller for book-related
615actions:
4d583dd8 616
617 $ script/myapp_create.pl controller Books
618
64ccd8a8 619Then edit C<lib/MyApp/Controller/Books.pm> and add the following method
620to the controller:
4d583dd8 621
622 =head2 list
623
624 Fetch all book objects and pass to books/list.tt2 in stash to be displayed
625
626 =cut
627
628 sub list : Local {
629 # Retrieve the usual perl OO '$self' for this object. $c is the Catalyst
630 # 'Context' that's used to 'glue together' the various components
631 # that make up the application
632 my ($self, $c) = @_;
633
634 # Retrieve all of the book records as book model objects and store in the
635 # stash where they can be accessed by the TT template
636 $c->stash->{books} = [$c->model('MyAppDB::Book')->all];
637
638 # Set the TT template to use. You will almost always want to do this
639 # in your action methods.
640 $c->stash->{template} = 'books/list.tt2';
641 }
642
64ccd8a8 643B<Note:> Programmers experienced with object-oriented Perl should
644recognize C<$self> as a reference to the object where this method was
645called. On the other hand, C<$c> will be new to many Perl programmers
646who have not used Catalyst before (it's sometimes written as
647C<$context>). The Context object is automatically passed to all
648Catalyst components. It is used to pass information between components
649and provide access to Catalyst and plugin functionality.
4d583dd8 650
64ccd8a8 651B<TIP>: You may see the C<$c-E<gt>model('MyAppDB::Book')> used above
652written as C<$c-E<gt>model('MyAppDB')-E<gt>resultset('Book)>. The two
653are equivalent.
4d583dd8 654
64ccd8a8 655B<Note:> Catalyst actions are regular Perl methods, but they make use of
656Nicholas Clark's C<attributes> module to provide additional information
657to the Catalyst dispatcher logic.
4d583dd8 658
4d583dd8 659=head1 CATALYST VIEWS
660
71dedf57 661Views are where you render output, typically for display in the user's
662web browser, but also possibly using other display our output-generation
663systems. As with virtually every aspect of Catalyst, options abound
664when it comes to the specific view technology you adopt inside your
665application. However, most Catalyst applications use the Template
666Toolkit, known as TT (for more information on TT, see
667L<http://www.template-toolkit.org>). Other popular View technologies
668include Mason (L<http://www.masonhq.com> and
669L<http://www.masonbook.com>) and L<HTML::Template>
64ccd8a8 670(L<http://html-template.sourceforge.net>).
4d583dd8 671
4d583dd8 672=head2 Create a Catalyst View Using C<TTSITE>
673
674When using TT for the Catalyst view, there are two main helper scripts:
675
676=over 4
677
678=item *
679
71dedf57 680L<Catalyst::Helper::View::TT>
4d583dd8 681
682=item *
683
71dedf57 684L<Catalyst::Helper::View::TTSite>
4d583dd8 685
686=back
687
64ccd8a8 688Both are similar, but C<TT> merely creates the C<lib/MyApp/View/TT.pm>
689file and leaves the creation of any hierarchical template organization
71dedf57 690entirely up to you. (It also creates a C<t/view_TT.t> file for testing;
691test cases will be discussed in Part 7). The C<TTSite> helper creates a
692modular and hierarchical view layout with separate Template Toolkit (TT)
693files for common header and footer information, configuration values, a
694CSS stylesheet, and more.
4d583dd8 695
64ccd8a8 696Enter the following command to enable the C<TTSite> style of view
71dedf57 697rendering for this tutorial:
4d583dd8 698
699 $ script/myapp_create.pl view TT TTSite
700
64ccd8a8 701This puts a number of files in the C<root/lib> and C<root/src>
702directories that can be used to customize the look and feel of your
703application. Also take a look at C<lib/MyApp/View/TT.pm> for config
704values set by the C<TTSite> helper.
705
706B<TIP>: Note that TTSite does one thing that could confuse people who
707are used to the normal C<TT> Catalyst View: it redefines the Catalyst
71dedf57 708context object in templates from its usual C<c> to C<Catalyst>. When
709looking at other Catalyst examples, remember that they almost always use
710C<c>. Note that Catalyst and TT I<do not complain> when you use the
711wrong name to access the context object...TT simply outputs blanks for
64ccd8a8 712that bogus logic. Finally, be aware that this change in name I<only>
71dedf57 713applies to how the context object is accessed inside your TT templates;
64ccd8a8 714your controllers will continue to use C<$c> (or whatever name you use
71dedf57 715when fetching the reference from C<@_> inside your methods). (You can
64ccd8a8 716change back to the "default" behavior be removing the C<CATALYST_VAR>
717line from C<lib/MyApp/View/TT.pm>, but you will also have to edit
718C<root/lib/config/main> and C<root/lib/config/url>. If you do this, be
719careful not to have a collision between your own C<c> variable and the
720Catalyst C<c> variable.)
4d583dd8 721
4d583dd8 722=head2 Globally Customize Every View
723
64ccd8a8 724When using TTSite, files in the subdirectories of C<root/lib> can be
725used to make changes that will appear in every view. For example, to
726display optional status and error messages in every view, edit
71dedf57 727C<root/lib/site/layout>, updating it to match the following (the two HTML
64ccd8a8 728C<span> elements are new):
4d583dd8 729
730 <div id="header">[% PROCESS site/header %]</div>
731
732 <div id="content">
733 <span class="message">[% status_msg %]</span>
734 <span class="error">[% error_msg %]</span>
735 [% content %]
736 </div>
737
738 <div id="footer">[% PROCESS site/footer %]</div>
739
64ccd8a8 740If we set either message in the Catalyst stash (e.g.,
71dedf57 741C<$c-E<gt>stash-E<gt>{status_msg} = 'Request was successful!'>) it will
742be displayed whenever any view used by that request is rendered. The
743C<message> and C<error> CSS styles are automatically defined in
744C<root/src/ttsite.css> and can be customized to suit your needs.
4d583dd8 745
64ccd8a8 746B<Note:> The Catalyst stash only lasts for a single HTTP request. If
747you need to retain information across requests you can use
71dedf57 748L<Catalyst::Plugin::Session> (we will use
64ccd8a8 749Catalyst sessions in the Authentication part).
4d583dd8 750
751
752=head2 Create a TT Template Page
753
64ccd8a8 754To add a new page of content to the TTSite view hierarchy, just create a
755new C<.tt2> file in C<root/src>. Only include HTML markup that goes
756inside the HTML <body> and </body> tags, TTSite will use the contents of
757C<root/lib/site> to add the top and bottom.
4d583dd8 758
759First create a directory for book-related TT templates:
760
761 $ mkdir root/src/books
762
763Then open C<root/src/books/list.tt2> in your editor and enter:
764
765 [% # This is a TT comment. The '-' at the end "chomps" the newline. You won't -%]
766 [% # see this "chomping" in your browser because HTML ignores blank lines, but -%]
767 [% # it WILL eliminate a blank line if you view the HTML source. It's purely -%]
768 [%- # optional, but both the beginning and the ending TT tags support chomping. -%]
769
770 [% # Provide a title to root/lib/site/header -%]
771 [% META title = 'Book List' -%]
772
773 <table>
774 <tr><th>Title</th><th>Rating</th><th>Author(s)</th></tr>
775 [% # Display each book in a table row %]
776 [% FOREACH book IN books -%]
777 <tr>
778 <td>[% book.title %]</td>
779 <td>[% book.rating %]</td>
780 <td>
781 [% # Print author count in parens. 'book.authors' uses the 'many_to_many' -%]
782 [% # relationship to retrieve all of the authors of a book. 'size' is a -%]
783 [% # TT VMethod to get the number of elements in a list. -%]
784 ([% book.authors.size %])
785 [% # Use an alternate form of a FOREACH loop to display authors. -%]
786 [% # _ below is the TT string concatenation operator. -%]
787 [% author.last_name _' ' FOREACH author = book.authors %]
788 [% # Note: if many_to_many relationship not used in Authors.pm, you could -%]
789 [% # have used the following to 'walk' through the 'join table objects' -%]
790 [% # bk_author.author.last_name _' ' FOREACH bk_author = book.book_authors %]
791 </td>
792 </tr>
793 [% END -%]
794 </table>
795
64ccd8a8 796As indicated by the inline comments above, the C<META title> line uses
797TT's META feature to provide a title to C<root/lib/site/header>.
798Meanwhile, the outer C<FOREACH> loop iterates through each C<book> model
799object and prints the C<title> and C<rating> fields. An inner
800C<FOREACH> loop prints the last name of each author in a single table
801cell (a simple space is used between the names; in reality you would
802probably want to modify the code to use a comma as a separator).
803
71dedf57 804If you are new to TT, the C<[%> and C<%]> tags are used to delimit TT
805code. TT supports a wide variety of directives for "calling" other
64ccd8a8 806files, looping, conditional logic, etc. In general, TT simplifies the
807usual range of Perl operators down to the single dot (C<.>) operator.
808This applies to operations as diverse as method calls, hash lookups, and
809list index values (see
810L<http://www.template-toolkit.org/docs/default/Manual/Variables.html>
811for details and examples). In addition to the usual C<Template> module
812Pod documentation, you can access the TT manual at
813L<http://www.template-toolkit.org/docs/default/>.
814
815B<NOTE>: The C<TTSite> helper creates several TT files using an
816extension of C<.tt2>. Most other Catalyst and TT examples use an
817extension of C<.tt>. You can use either extension (or no extension at
818all) with TTSite and TT, just be sure to use the appropriate extension
819for both the file itself I<and> the C<$c-E<gt>stash-E<gt>{template} =
820...> line in your controller. This document will use C<.tt2> for
821consistency with the files already created by the C<TTSite> helper.
4d583dd8 822
823
4d583dd8 824=head1 RUN THE APPLICATION
825
64ccd8a8 826First, let's enable an environment variable option that causes
827DBIx::Class to dump the SQL statements it's using to access the database
828(this option can provide extremely helpful troubleshooting information):
4d583dd8 829
830 $ export DBIX_CLASS_STORAGE_DBI_DEBUG=1
831
64ccd8a8 832B<NOTE>: You can also set this in your code using
833C<$class-E<gt>storage-E<gt>debug(1);>. See
71dedf57 834L<DBIx::Class::Manual::Troubleshooting> for details (including options
835to log to file instead of displaying to the Catalyst development server
836log).
4d583dd8 837
838Then run the Catalyst "demo server" script:
839
840 $ script/myapp_server.pl
841
842You should get something like this:
843
844 $ script/myapp_server.pl
845 [Tue May 16 12:51:33 2006] [catalyst] [debug] Debug messages enabled
846 [Tue May 16 12:51:33 2006] [catalyst] [debug] Loaded plugins:
847 .------------------------------------------------------------------------------.
848 | Catalyst::Plugin::ConfigLoader 0.07 |
849 | Catalyst::Plugin::Static::Simple 0.14 |
4d583dd8 850 | Catalyst::Plugin::StackTrace 0.04 |
851 | Catalyst::Plugin::DefaultEnd 0.06 |
852 '------------------------------------------------------------------------------'
853
854 [Tue May 16 12:51:33 2006] [catalyst] [debug] Loaded dispatcher "Catalyst::Dispatcher"
855 [Tue May 16 12:51:33 2006] [catalyst] [debug] Loaded engine "Catalyst::Engine::HTTP"
856 [Tue May 16 12:51:33 2006] [catalyst] [debug] Found home "/home/me/MyApp"
857 [Tue May 16 12:51:37 2006] [catalyst] [debug] Loaded components:
858 .-------------------------------------------------------------------+----------.
859 | Class | Type |
860 +-------------------------------------------------------------------+----------+
861 | MyApp::Controller::Books | instance |
862 | MyApp::Controller::Root | instance |
863 | MyApp::Model::MyAppDB | instance |
864 | MyApp::Model::MyAppDB::Author | class |
865 | MyApp::Model::MyAppDB::Book | class |
866 | MyApp::Model::MyAppDB::BookAuthor | class |
867 | MyApp::View::TT | instance |
868 '-------------------------------------------------------------------+----------'
869
870 [Tue May 16 12:51:37 2006] [catalyst] [debug] Loaded Private actions:
871 .----------------------+----------------------------------------+--------------.
872 | Private | Class | Method |
873 +----------------------+----------------------------------------+--------------+
874 | /default | MyApp::Controller::Root | default |
875 | /end | MyApp | end |
876 | /books/list | MyApp::Controller::Books | list |
877 '----------------------+----------------------------------------+--------------'
878
879 [Tue May 16 12:51:37 2006] [catalyst] [debug] Loaded Path actions:
880 .--------------------------------------+---------------------------------------.
881 | Path | Private |
882 +--------------------------------------+---------------------------------------+
883 | /books/list | /books/list |
884 '--------------------------------------+---------------------------------------'
885
886 [Tue May 16 12:51:37 2006] [catalyst] [info] MyApp powered by Catalyst 5.6902
887 You can connect to your server at http://localhost:3000
888
889Some things you should note in the output above:
890
891=over 4
892
893=item *
894
64ccd8a8 895Catalyst::Model::DBIC::Schema took our C<MyAppDB::Book> and made it
896C<MyApp::Model::MyAppDB::Book> (and similar actions were performed on
897C<MyAppDB::Author> and C<MyAppDB::BookAuthor>).
4d583dd8 898
899=item *
900
64ccd8a8 901The "list" action in our Books controller showed up with a path of
902C</books/list>.
4d583dd8 903
904=back
905
64ccd8a8 906Point your browser to L<http://localhost:3000> and you should still get
907the Catalyst welcome page.
4d583dd8 908
64ccd8a8 909Next, to view the book list, change the URL in your browser to
910L<http://localhost:3000/books/list>. You should get a list of the five
911books loaded by the C<myapp01.sql> script above, with TTSite providing
912the formatting for the very simple output we generated in our template.
913The count and space-separated list of author last names appear on the
914end of each row.
4d583dd8 915
64ccd8a8 916Also notice in the output of the C<script/myapp_server.pl> that DBIC
917used the following SQL to retrieve the data:
4d583dd8 918
919 SELECT me.id, me.title, me.rating FROM books me
920
64ccd8a8 921Along with a list of the following commands to retrieve the authors for
922each book (the lines have been "word wrapped" here to improve
923legibility):
4d583dd8 924
925 SELECT author.id, author.first_name, author.last_name
926 FROM book_authors me
927 JOIN authors author ON ( author.id = me.author_id )
928 WHERE ( me.book_id = ? ): `1'
929
64ccd8a8 930You should see 10 such lines of debug output, two for each of the five
931author_id values (it pulls the data once for the count logic and another
932time to actually display the list).
4d583dd8 933
934
935=head1 AUTHOR
936
937Kennedy Clark, C<hkclark@gmail.com>
938
939Please report any errors, issues or suggestions to the author.
940
71dedf57 941Copyright 2006, Kennedy Clark, under Creative Commons License
942(L<http://creativecommons.org/licenses/by-nc-sa/2.5/>).
4d583dd8 943
944Version: .94
945