Home Backend Development PHP Tutorial 21 Tips CakePHP Programmers Must Know_PHP Tutorial

21 Tips CakePHP Programmers Must Know_PHP Tutorial

Jul 13, 2016 pm 05:42 PM
cakephp Can Skill Tutorial article of Know programmer classic

This article can be said to be the most classic among CakePHP tutorials. Although it is not a complete step-by-step series, the author summarized his own experience in using CakePHP in 21 items, which are very useful especially for novices.

During the translation, some words unique to CakePHP were intentionally left untranslated, such as controller, model, etc. I believe that people who have studied CakePHP should be able to understand their meaning immediately.

In addition, CakePHP’s wiki has expired and has been replaced by a website called bakery. The links to the wiki cited in the original article have also been updated to the bakery.

Quickly create static pages

I want to create several pages that only contain static data, use the default layout, and do not require any models. Initially I tried to create a controller and define an action for each static page. But this method is clumsy and not suitable for quickly creating static pages.

In fact, you can do it by using the pages controller - just create a view under the views/pages folder and access it through /pages. For example, I created /views/pages/matt.thtml, which can be accessed via http://www.example.com/pages/matt.

Change the title of the static page

If you want to change the page title when using pages controller, just add the following code to the view:

pageTitle = Title of your page.; ?>

Send data to layout in a static page

If you need to pass data to the layout (such as a variable indicating which part of the navigation bar should be highlighted), you can add the following code to the view:

 _viewVars[somedata] = array(some,data); ?>

This array can be accessed through $somedata in layout.

Quickly create background management

If you need to create a background management program and want all management actions to be located in a specific folder, then open config/core.php and uncomment the following line:

define(CAKE_ADMIN, admin);

In this way, all actions starting with "admin_" can be accessed through /admin/yourcontroller/youraction. For example, if you create an action named "admin_add" in the posts controller, you can access this action through www.example.com/admin/posts/add. In this way, you can easily set a password for the admin directory to prevent others from accessing it at will.

View the SQL statements executed in the background

Just change the DEBUG constant in config/core.php to see the SQL statements executed in the background. 0 is product level, 1 is development level, 2 is complete debugging SQL, and 3 is complete debugging SQL and displaying object data. I usually set DEBUG to 2 so that a table with SQL debugging information appears at the bottom of each page.

If the table added at the bottom of the page will break the page layout (especially when using Ajax to get the page and display it in the middle of the page instead of the bottom), you can add the following code in CSS to hide the debugging information:

 #cakeSqlLog { display: none; }

This way you can maintain the page layout and see the debugging information by viewing the source code. Of course, don’t forget to change the debugging level back to 0 when you finally publish the website.

Get rich development documentation

Don’t always look at the manual. The wiki and API are also invaluable. The development guide in the wiki is very useful, and the API documentation seems difficult at first, but you will soon find that the information here is very important for you to create a CakePHP website. `

Use bake.php

Bake is a command line PHP script that can automatically generate model, controller and view based on the database. During the initial stages of development, I highly recommend using scaffolding to get your prototype program running. But if you clearly know that scaffolding is not suitable, I recommend you to use bake. bake will generate all files and save them to disk so that you can modify them at will. This saves the repetitive work of creating associations, views, and basic CRUD scrollder operations.

 (Translator's Note: CRUD - Create, Read, Update, Delete, the four basic operations of database applications, namely "add, delete, check and modify".)

Bake is very convenient. You only need to create a table in the database, and then execute php bake.php in the /cake/scripts/ directory.

If you run bake interactively, it will prompt you to create models, controllers and views in several steps. After creation, I usually read all the generated code and make any necessary changes.

Pay attention to permissions when publishing programs

Once when I was publishing a program, I packaged the entire cake directory and uploaded it to the server using scp. As soon as debugging information is turned off, an error occurs - the database call cannot return any data. I'm at a loss as I have to go through the debug information to debug the problem. Someone later told me that /app/tmp should be writable by apache. After changing the permissions to 777, the problem was solved.

Complex model verification

I need to perform more complex verification, not just simple verification that the input box is not empty or matches a certain regular expression. For example, I want to verify that the email address a user signed up with is already in use. I found this article about advanced verification in the wiki, which mentioned some very useful advanced verification methods.

Record error log

$this->log(Something broke);

This will log the error to /tmp/logs/ (I initially thought it would be logged to apache’s error log).

Let the controller use other models

If your controller needs to call data from different models, just use the following code at the beginning of the controller:

class yourController extends AppController {

 var $uses = array(Post,User);

 }

In this way, the controller can access the Post and User models.

Create a model that does not use database tables

I need to create a model that does not use any tables. For example, I want to easily verify the input data through the $validate array and maintain the correctness of the model logic. But when the model is created, the corresponding table does not exist, and CakePHP will report an error. This problem can be solved by adding the following code to the model:

 var $useTable = false;

You can also change the table name corresponding to the model through this method.

 var $useTable = some_table;

Remember to exit() after redirection

This should be a matter of course for experienced people. After calling $this->redirect(), the remaining code must exit() if you don’t want to run. I do this too, but previously thought $this->redirect() would call exit for me (it doesn't).

Advanced model functions

Looking through the API you can find many very useful functions that you don’t know about. I highly recommend reading the Model class reference manual at least once. Here are a few important functions that I didn’t notice before:

* generateList() - Mainly used to generate the data required for the selection box () * query() - Write your own SQL statement to query * findCount() - Return the number of rows that meet the specified conditions * hasAny() - When there is Returns true when the record meets the condition. Again, I strongly recommend reading the entire model class reference, you will be amazed at what you learn. How to insert multiple rows correctly I need to iterate through a list and insert each element in it into the database. I found that if I perform the next insert immediately after one insert is completed, the contents of the second insert will not be inserted at all, but will be updated to the first inserted row. For example: $items = array(Item 1,Item 2,Item 3); foreach ($items as $item) { $this->Post->save(array(Post => array(title => $ item))); } This code will insert only one row in the posts table: "Item 3". CakePHP first inserts "Item 1", but immediately updates it to "Item 2", and then updates it to "Item 3", because $this->Post->id saves the id of the row that was successfully inserted last time. Usually this feature is useful, but in this case it doesn't help. In fact, this problem can be solved by setting $this->Post->id = false after each insertion. Update: Someone sent me an email and told me that the correct way is to call create() to initialize the model, and then set/save the new data. Insert logic before or after the controller function Suppose you need to set a color array in every view rendered by the controller, but you don't want to define it in every action. This can be achieved through the beforeRender () callback function: function beforeRender () { $this->set(colors,array(red,blue,green); } } In this way, all views rendered by the controller can access the $colors variable. beforeRender ( ) function is executed after the controller logic is completed and before the view is rendered. Similarly, the beforeFilter() and afterFilter() functions are executed before and after each controller action. For more information, please read the models section of the manual. WYSIWYG Editor Here is a great tutorial on how to use TinyMCE with CakePHP. Basically you just link the tiny_mce.js file on the page and add some initialization code to set which textarea becomes the TinyMCE editor. That’s it. Customized HABTM relationship SQL statements I tried to define a HABTM relationship (has-and-belongs-to-many) on a custom SQL statement, but encountered a problem. According to the documentation at the time of writing this article, it should be. Set up finderSql in your own model first, but judging from the source code of CakePHP, you should set up finderQuery. This is just a small problem in the documentation, but pointing it out will save others time. Send me a Trac ticket here. I found two tutorials in the wiki: sending emails and sending emails through PHPMailer. The latter is highly recommended. Sending emails through PHPMailer is more secure, and you don’t need to deal with the email headers yourself, which reduces a lot of trouble. Customize the HTML generated by Helper. I need to modify the call $. html->selectTag() so that it generates the "please select" option instead of the default blank option. I also want the radio buttons to be labeled so the user doesn't have to click on the radio button itself exactly. Simply click on the associated text to create /app/config/tags.ini.php and add the following: Tag template for a input type=radio tag. radio = "%s"

; Tag template for an empty select option tag.

 selectempty = "-- Please Select --"

You can get the complete list of tags from /cake/config/tags.ini.php. But I don't recommend modifying this file, otherwise your modifications may be lost when upgrading CakePHP.

Customized 404 page

If you need to customize the 404 page, just create /app/views/errors/error404.thtml.

www.bkjia.comtruehttp: //www.bkjia.com/PHPjc/486029.htmlTechArticleThis article can be said to be the most classic among CakePHP tutorials. Although it is not a complete step-by-step series, the author summarized his experience in using CakePHP in 21 points, which are especially useful for novices...
Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
Repo: How To Revive Teammates
1 months ago By 尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
4 weeks ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

CakePHP Project Configuration CakePHP Project Configuration Sep 10, 2024 pm 05:25 PM

In this chapter, we will understand the Environment Variables, General Configuration, Database Configuration and Email Configuration in CakePHP.

CakePHP Date and Time CakePHP Date and Time Sep 10, 2024 pm 05:27 PM

To work with date and time in cakephp4, we are going to make use of the available FrozenTime class.

Win11 Tips Sharing: Skip Microsoft Account Login with One Trick Win11 Tips Sharing: Skip Microsoft Account Login with One Trick Mar 27, 2024 pm 02:57 PM

Win11 Tips Sharing: One trick to skip Microsoft account login Windows 11 is the latest operating system launched by Microsoft, with a new design style and many practical functions. However, for some users, having to log in to their Microsoft account every time they boot up the system can be a bit annoying. If you are one of them, you might as well try the following tips, which will allow you to skip logging in with a Microsoft account and enter the desktop interface directly. First, we need to create a local account in the system to log in instead of a Microsoft account. The advantage of doing this is

CakePHP File upload CakePHP File upload Sep 10, 2024 pm 05:27 PM

To work on file upload we are going to use the form helper. Here, is an example for file upload.

Which AI programmer is the best? Explore the potential of Devin, Tongyi Lingma and SWE-agent Which AI programmer is the best? Explore the potential of Devin, Tongyi Lingma and SWE-agent Apr 07, 2024 am 09:10 AM

On March 3, 2022, less than a month after the birth of the world's first AI programmer Devin, the NLP team of Princeton University developed an open source AI programmer SWE-agent. It leverages the GPT-4 model to automatically resolve issues in GitHub repositories. SWE-agent's performance on the SWE-bench test set is similar to Devin, taking an average of 93 seconds and solving 12.29% of the problems. By interacting with a dedicated terminal, SWE-agent can open and search file contents, use automatic syntax checking, edit specific lines, and write and execute tests. (Note: The above content is a slight adjustment of the original content, but the key information in the original text is retained and does not exceed the specified word limit.) SWE-A

CakePHP Routing CakePHP Routing Sep 10, 2024 pm 05:25 PM

In this chapter, we are going to learn the following topics related to routing ?

Discuss CakePHP Discuss CakePHP Sep 10, 2024 pm 05:28 PM

CakePHP is an open-source framework for PHP. It is intended to make developing, deploying and maintaining applications much easier. CakePHP is based on a MVC-like architecture that is both powerful and easy to grasp. Models, Views, and Controllers gu

In summer, you must try shooting a rainbow In summer, you must try shooting a rainbow Jul 21, 2024 pm 05:16 PM

After rain in summer, you can often see a beautiful and magical special weather scene - rainbow. This is also a rare scene that can be encountered in photography, and it is very photogenic. There are several conditions for a rainbow to appear: first, there are enough water droplets in the air, and second, the sun shines at a low angle. Therefore, it is easiest to see a rainbow in the afternoon after the rain has cleared up. However, the formation of a rainbow is greatly affected by weather, light and other conditions, so it generally only lasts for a short period of time, and the best viewing and shooting time is even shorter. So when you encounter a rainbow, how can you properly record it and photograph it with quality? 1. Look for rainbows. In addition to the conditions mentioned above, rainbows usually appear in the direction of sunlight, that is, if the sun shines from west to east, rainbows are more likely to appear in the east.

See all articles