Model-View-Controller Component - Part 3 - Using the Database

Model-View-Controller Component - Part 3 - Using the Database
Introduction

In the first two tutorials, we showed you how to build a simple model-view-controller component. We had one view which retrieved data from a model (which was created in the 2nd tutorial). In this tutorial, we will be working with the model. Instead of the data being hard coded in the model, the model will retrieve the data from a table in the database.

This tutorial will demonstrate how to use the JDatabase class to retrieve data from the database.
Retrieving the Data

Our model currently has one method: getGreeting(). This method is very simple - all it does is return the hard-coded greeting.

To make things more interesting, we will load the greeting from a database table. We will demonstrate later how to create an SQL file and add the appropriate code to the XML manifest file so that the table and some sample data will be created when the component is installed. For now, we will simply replace our return statement with some code that will retrieve the greeting from the database and return it.

The first step is to obtain a reference to a database object. Since Joomla! uses the database for its normal operation, a database connection already exists; therefore, it is not necessary to create your own. A reference to the existing database can be obtained using:

$db =& JFactory::getDBO();

JFactory is a static class that is used to retrieve references to many of the system objects. More information about this class can be found in the API documentation.

The method name (getDBO) stands for get DataBase Object, and is easy and important to remember.

Now that we have obtained a reference to the database object, we can retrieve our data. We do this in two steps: * store our query in the database object

*

load the result

Our new getGreeting() method will therefore look like:

function getGreeting()
{
$db =& JFactory::getDBO();

$query = 'SELECT greeting FROM #__hello';
$db->setQuery( $query );
$greeting = $db->loadResult();

return $greeting;
}

hello is the name of the table that we will create later, and greeting is the name of the field that stores the greetings. If you are not familiar with SQL, it would be helpful to take a tutorial or a lesson to get yourself up to speed. One such tutorial can be found at w3schools.

The $db→loadResult() method will execute the stored database query and return the first field of the first row of the result. See JDatabase API reference for more information about other load methods in the JDatabase class.
Creating the Installation SQL File

The Joomla! installer has built-in support for executing queries during component installation. These queries are all stored in a standard text file.

We will have three queries in our install file: the first will drop the table in case it already exists, the second will create the table with the appropriate fields, and the third will insert the data.

Here are our queries:

DROP TABLE IF EXISTS `#__hello`;

CREATE TABLE `#__hello` (
`id` int(11) NOT NULL auto_increment,
`greeting` varchar(25) NOT NULL,
PRIMARY KEY (`id`)
) ENGINE=MyISAM AUTO_INCREMENT DEFAULT CHARSET=utf8;

INSERT INTO `#__hello` (`greeting`) VALUES ('Hello, World!'),
('Bonjour, Monde!'),
('Ciao, Mondo!');

You might find the prefix on the table names rather odd. Joomla! will replace this prefix with the prefix used by the current install. For most installs, this table will become jos_hello. This allows multiple installs of Joomla! to use the same database, and prevents collisions with other applications using the same table names (i.e. two applications might share a database, but might both require a ‘users’ table. This convention avoids problems.)

We have specified two fields in our database. The first field is id, and is called the ‘primary key’. The primary key of a database table is a field that is used to uniquely identify a record. This is often used to lookup rows in the database. The other field is greeting. This is the field that stores the greeting that is returned from the query that we used above.

We will save our queries in a file called install.utf.sql.
Creating the Uninstall SQL File

Though we might hope that people will never want to uninstall our component, it is important that if they do, we don’t leave anything behind. Joomla! will look after deleting the files and directories that were created during install, but you must manually include queries that will remove and tables that have been added to the database. Since we have only created one table, we only need one query:

DROP TABLE IF EXISTS `#__hello`;

We will save this query in a file called uninstall.utf.sql.
Updating our Install File

We need to change a few things in our install file. First, we need to add our two new files to the list of files to install. SQL install file have to go in the admin directory. Second, we need to tell the installer to execute the queries in our files on install and uninstall.

Our new file looks like this:

&lt ?xml version="1.0" encoding="utf-8"?>
&lt !DOCTYPE install SYSTEM "http://dev.joomla.org/xml/1.5/component-install.dtd">
&lt install type="component" version="1.5.0">
&lt name>Hello&lt /name>
&lt !-- The following elements are optional and free of formatting conttraints -->
&lt creationDate>2007 02 22&lt /creationDate>
&lt author>John Doe&lt /author>
&lt authorEmail>john.doe@example.org&lt /authorEmail>
&lt authorUrl>http://www.example.org&lt /authorUrl>
&lt copyright>Copyright Info&lt /copyright>
&lt license>License Info&lt /license>
&lt !-- The version string is recorded in the components table -->
&lt version>Component Version String&lt /version>
&lt !-- The description is optional and defaults to the name -->
&lt description>Description of the component ...&lt /description>

&lt !-- Site Main File Copy Section -->
&lt files folder="site">
&lt filename>index.html&lt /filename>
&lt filename>hello.php&lt /filename>
&lt filename>controller.php&lt /filename>
&lt filename>views/index.html&lt /filename>
&lt filename>views/hello/index.html&lt /filename>
&lt filename>views/hello/view.html.php&lt /filename>
&lt filename>views/hello/tmpl/index.html&lt /filename>
&lt filename>views/hello/tmpl/default.php&lt /filename>
&lt filename>models/hello.php&lt /filename>
&lt /files>
&lt install>
&lt sql>
&lt file charset="utf8" driver="mysql">install.sql&lt /file>
&lt /sql>
&lt /install>
&lt uninstall>
&lt sql>
&lt file charset="utf8" driver="mysql">uninstall.sql&lt /file>
&lt /sql>
&lt /uninstall>
&lt administration>
&lt !-- Administration Menu Section -->
&lt menu>Hello World!&lt /menu>

&lt !-- Administration Main File Copy Section -->
&lt !-- Note the folder attribute: This attribute describes the folder
to copy FROM in the package to install therefore files copied
in this section are copied from /admin/ in the package -->
&lt files folder="admin">
&lt !-- Site Main File Copy Section -->
&lt filename>index.html&lt /filename>
&lt filename>admin.hello.php&lt /filename>
&lt filename>install.sql&lt /filename>
&lt filename>uninstall.sql&lt /filename>
&lt /files>
&lt /administration>
&lt /install>

You will notice two attributes present on the &lt file> tags within the &lt install> and &lt uninstall> sections: charset and driver. The charset is the type of charset to use. The only valid charset is utf8. If you want to create install files for non-utf8 databases (for older version of MySQL), you should omit this attribute.

The driver attribute specifies which database the queries were written for. Currently, this can only be mysql, but in future versions of Joomla! there may be more database drivers available.
Conclusion

We now have a component that takes advantage of both the Joomla! MVC framework classes and the JDatabase classes. You are now able to write MVC components that interact with the database and can use the Joomla! installer to create and populate database tables.

Nhận xét

  1. Mình gặp trục trặc khi cài đặt component, đã làm giống như cách bạn post ở trên, tuy nhiên là không tạo được table vào database.
    CREATE TABLE '#__member` (
    `id` INT( 8 ) NOT NULL ,
    `name` TEXT NOT NULL ,
    'Birth_date' Date(10) NOT NULL,
    `Address` TEXT NOT NULL
    ) TYPE = MYISAM DEFAULT CHARSET=utf8;
    Đây là câu lệnh trong file install.sql của mình. File này đã được đặt trong folder admin và add vào tag install sql đầy đủ. Bạn nào biết nguyên nhân chỉ giúp mình với nhé

    Trả lờiXóa
  2. YM ID của mình là kenoiloan, nếu có thông tin pm cho mình nhé. Thanks

    Trả lờiXóa
  3. Bạn down về tài liệu này nói rất rõ. chắc sẽ giải quyết được vấn đề của bạn.
    http://www.box.net/shared/ylmrtlt6lr

    http://www.box.net/shared/07u2ivvxr3

    http://www.box.net/shared/x0441le006

    http://www.box.net/shared/h234ppfvao

    http://www.box.net/shared/jxml4sfsmn

    Trả lờiXóa

Đăng nhận xét

Bài đăng phổ biến từ blog này

Ký tự viết tắt trong chat & email

dung lượng RAM lớn nhất mà HĐH cấu trúc 32-bit nhận được

Ubuntu LAMP Server