Table of Contents
yii scheduled task, yii
Home Backend Development PHP Tutorial yii scheduled tasks, yii_PHP tutorial

yii scheduled tasks, yii_PHP tutorial

Jul 13, 2016 am 10:10 AM
yii

yii scheduled task, yii

Yii框架自动生成的Web应用骨架的目录里面有连个脚步文件,yiic和yiic.bat。

yiic是Unix/Linux平台用的,yiic.bat是windows平台用的。如果要查看脚本的帮助可以进入到脚步所在的根目录,然后执行yiic help,他会列出所有可用的命令,里面包括Yii提供的系统命令和用户自定义的命令。

如果要知道如何执行一个命令可以执行以下命令:

1	yiic help
如果要执行一个命令,可以使用如下格式:

1	yiic [parameters...]
1、创建命令

控制台命令都是以类文件的方式存储在 CConsoleApplication::commandPath 指定的目录。默认是存储在 protected/commands 。

每个类必须继承自 CConsoleCommand 。类名的格式是 XyzCommand ,命令的名字首字母大写,xyz才是命令本身。

可以通过配置 CConsoleApplication::commandMap ,命令类可以有不同的命名约定和不同的目录。

创建一个新命令你可以覆盖 CConsoleCommand::run() 或者写一个或多个action.

覆盖父类的run方法格式可以是:

1	public   function   run( $args ) { ... }
当执行一个命令的时候,run方法将会被调用,任何加在调用命令后面的参数将会赋给$args。

在命令内部可以用 Yii::app() 调用这个控制台的实例。

从1.1.1版本开始,可以创建一个全局的命令,被在同一台机器上的所有的Yii应用所共享。为了达到这样的目的,你需要定义一个名为

YII_CONSOLE_COMMANDS 的环境变量,指向一个已存在的目录,然后把这个全局的命令类放在这个目录里面。

2、控制台命令Action

一个控制台命令action就是一个控制台命令类的一个方法。

方法名的格式: actionXyz ,action名的首字母大写,xyz才是被调用的action本身。

执行一个action的命令格式:

1	yiic --option1=value1 --option2=value2 ...
后面的option-value对将会赋给这个action方法的参数。如果你给出了option名而没有给出对应的值,那么这个option将会被认为是boolean值true。

action的参数也可以声明一个数组类型,如:

1	public   function   actionIndex( array   $types ) { ... }
调用它的命令是:

1	yiic sitemap index --types=News --types=Article
最终命令调用是: actionIndex(array('News', 'Article'))。

从1.1.6开始,还支持匿名参数和全局选项。

匿名参数 指的是不按正常选项参数格式(the format of options)的命令行参数,比如: yiic sitemap index --limit=5 News ,News就是一个匿名参数。

要使用匿名参数,action必须声明一个 $args变量,比如:

1	public   function   actionIndex( $limit =10, $args = array ()) {...}
$ args 会接收到所有可用的匿名参数。

全局选项 (Global options)指的是一个命令行选项被这个命令的所有action所共享。

比如:一个命令有好几个action,我们想在每个action里面都有一个名字叫 verbose 的选项,我们可以在每个action方法里面都声明一个叫 $verbose 的参数。

一个更好的做法是把它声明成这个命令类的公共成员变量( public member variable ),这样 verbose 就会成为一个全局的选项。

1	class   SitemapCommand extends   CConsoleCommand
2	{
3	public   $verbose =false;
4	public   function   actionIndex( $type ) {...}
5	}
这样就可以执行一个带 verbose 选项的命令:

1	yiic sitemap index --verbose=1 --type=News
3、退出代码

执行命令的宿主机器可能需要检测我们的命令执行成功与否,它可以通过检测命令最后退出是返回的退出码来识别。

退出码是介于0到254之间的整型值 ,0表示这个命令执行成功,非0表示这个命令执行期间出现错误。

你可以在action或者是run方法里面通过一个退出码来退出你的应用程序。

比如:

1	if   ( /* error */ ) {
2	return   1; // exit with error code 1
3	}
4	// ... do something ...
5	return   0; // exit successfully
假如没有返回值,将会有一个默认的0被返回

4、定制控制台应用

默认的控制台应用配置位置: protected/config/console.php 。

任何 CConsoleApplication 的公共属性都可以在这个文件里面配置。

这个配置文件类似于普通的web应用的配置文件。

Customizing Console Applications 

By default, if an application is created using the  yiic webapp  tool, the configuration for the console application will be  protected/config/console.php . Like a Web application configuration file, this file is a PHP script which returns an array representing the property initial values for a console application instance. As a result, any public property of  CConsoleApplication  can be configured in this file.

Because console commands are often created to serve for the Web application, they need to access the resources (such as DB connections) that are used by the latter. We can do so in the console application configuration file like the following:

return array(
    ......
    'components'=>array(
        'db'=>array(
            ......
        ),
    ),
);
As we can see, the format of the configuration is very similar to what we do in a Web application configuration. This is because both  CConsoleApplication  and  CWebApplication  share the same base class.

文章参考: http://www.yiiframework.com/doc/guide/1.1/zh_cn/topics.console

----------------------------------------------------------------------------------------------------------------------

一篇文章:

使用YII框架进行PHP程序的计划任务教程

1.当你通过yiic创建一个webapp应用后, 
会在 webapp/protected/下生成yiic.php, 由于是命令行应用,所以这里的yiic.php其实就是与webapp下的index.php一样的,命令行入口文件。

2.打开yiic文件,添加一行设置,将commands目录的路径添加到yiic中,这样,yiic就能够找到commands目录下的命令文件了,修改后的代码如下,红色为新加入代码:

1
2
3
4
5
6
$yiic =dirname( __FILE__ ). '/http://www.cnblogs.com/yii-read-only/framework/yiic.php' ;

$config =dirname( __FILE__ ). '/config/console.php' ;

@putenv( 'YII_CONSOLE_COMMANDS=' . dirname( __FILE__ ). '/commands' );

require_once ( $yiic );

或者是:

 配置好,要执行的页面。本文为 protected/commands/crons.php

run();
?>

3.配置好produ ct/config/console.php里面需要用到的组件,像数据库连接。

配置main/console.php,设置import路径,以及db连接,这部份与main.php类似。

php
// This is the configuration for yiic console application.
// Any writable CConsoleApplication properties can be configured here.
return array (
        'basePath' => dirname ( __FILE__ ) . DIRECTORY_SEPARATOR . '..',
        'name' => 'My Console Application',
        'import' => array (
                'application.models.*',
                'application.components.*',
                'application.components.base.*',
                'application.components.imgthumb.*',
                'application.models.form.*',
                '等等,导入所要的类包'
        ),
        'components' => array (
                // Main DB connection
                'db' => array (
                        'connectionString' => 'mysql:host=localhost;dbname=数据库名称',
                        'emulatePrepare' => true,
                        'username' => '数据库名称',
                        'password' => '数据库密码',
                        'charset' => 'utf8',
                        'tablePrefix' => 'company_'、//表前缀
                ),
                'log' => array (
                        'class' => 'CLogRouter',
                        'routes' => array (
                                array (
                                        'class' => 'CFileLogRoute',
                                        'levels' => 'error, warning'
                                ) 
                        ) 
                ) 
        ) 
);
4.继承CConsoleCommand写入自己的命令类,Yii提供了两种方式去执行, 如果你执行单一的任务,直接在run方法里面写,另外一种 就是同写你的Controller(控制器),增加actionXXX即可。 
本实例采用第二种方式,即采用web程序开发的方式,在基础了CConsoleCommand的类中添加actionXXX方法来执行程序。 
我们在commands目录下创建一个文件,来执行我们要执行的任务,暂且命名为TestCommand.php 。


  

    
      4,打开你的linux命令窗口,创建自动任务。至于windows系统 ,是计划任务(win系统,可以谷歌如何操作),下面只讲linux系统。
    
  


  
crontab -e
##然后输入
1 * * * *  php /具体地址/protected/commands/crons.php Test >>/具体地址/protected/commands/test.log
##上面命令说明,每分钟执行Test任务一次,把日志保存在test.log下

  
至此,自动化任务已完成。


  
windows下面计划任务:


  
schtasks /create /sc minute /mo 1 /tn "taskPhp" /tr  "php F:\xampp\htdocs\php\yiiblog2\protected\commands\crons.php  CInsert insertData"


  
删除计划任务 schtasks /delete /tn "taskPhp"


  
每个1分钟就执行CInsert命令中的insertData方法。


  

    参考了:    http://www.cnlvzi.com/index.php/Index/article/id/124
  


  

    http://www.yiibase.com/yii/218.html
  


  

    http://www.yiiframework.com/wiki/221/cronjobsyii/
  


  

    http://986866294.blog.163.com/blog/static/1651222522013571578115/
Copy after login

 

www.bkjia.comtruehttp: //www.bkjia.com/PHPjc/939717.htmlTechArticleyii scheduled task, yii The directory of the Web application skeleton automatically generated by the Yii framework contains two script files, yiic and yiic.bat. yiic is for Unix/Linux platform, and yiic.bat is for Windows platform. ...
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 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Best Graphic Settings
2 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)

How to use PHP framework Yii to develop a highly available cloud backup system How to use PHP framework Yii to develop a highly available cloud backup system Jun 27, 2023 am 09:04 AM

With the continuous development of cloud computing technology, data backup has become something that every enterprise must do. In this context, it is particularly important to develop a highly available cloud backup system. The PHP framework Yii is a powerful framework that can help developers quickly build high-performance web applications. The following will introduce how to use the Yii framework to develop a highly available cloud backup system. Designing the database model In the Yii framework, the database model is a very important part. Because the data backup system requires a lot of tables and relationships

Yii2 vs Phalcon: Which framework is better for developing graphics rendering applications? Yii2 vs Phalcon: Which framework is better for developing graphics rendering applications? Jun 19, 2023 am 08:09 AM

In the current information age, big data, artificial intelligence, cloud computing and other technologies have become the focus of major enterprises. Among these technologies, graphics card rendering technology, as a high-performance graphics processing technology, has received more and more attention. Graphics card rendering technology is widely used in game development, film and television special effects, engineering modeling and other fields. For developers, choosing a framework that suits their projects is a very important decision. Among current languages, PHP is a very dynamic language. Some excellent PHP frameworks such as Yii2, Ph

Data query in Yii framework: access data efficiently Data query in Yii framework: access data efficiently Jun 21, 2023 am 11:22 AM

The Yii framework is an open source PHP Web application framework that provides numerous tools and components to simplify the process of Web application development, of which data query is one of the important components. In the Yii framework, we can use SQL-like syntax to access the database to query and manipulate data efficiently. The query builder of the Yii framework mainly includes the following types: ActiveRecord query, QueryBuilder query, command query and original SQL query

How to use Yii3 framework in php? How to use Yii3 framework in php? May 31, 2023 pm 10:42 PM

As the Internet continues to develop, the demand for web application development is also getting higher and higher. For developers, developing applications requires a stable, efficient, and powerful framework, which can improve development efficiency. Yii is a leading high-performance PHP framework that provides rich features and good performance. Yii3 is the next generation version of the Yii framework, which further optimizes performance and code quality based on Yii2. In this article, we will introduce how to use Yii3 framework to develop PHP applications.

Symfony vs Yii2: Which framework is better for developing large-scale web applications? Symfony vs Yii2: Which framework is better for developing large-scale web applications? Jun 19, 2023 am 10:57 AM

As the demand for web applications continues to grow, developers have more and more choices in choosing development frameworks. Symfony and Yii2 are two popular PHP frameworks. They both have powerful functions and performance, but when faced with the need to develop large-scale web applications, which framework is more suitable? Next we will conduct a comparative analysis of Symphony and Yii2 to help you make a better choice. Basic Overview Symphony is an open source web application framework written in PHP and is built on

How to convert yii objects into arrays or directly output to json format How to convert yii objects into arrays or directly output to json format Jan 08, 2021 am 10:13 AM

Yii framework: This article introduces Yii's method of converting objects into arrays or directly outputting them into json format. It has certain reference value and I hope it can help you.

PHP development: Use Yii2 and GrapeJS to implement back-end CMS and front-end visual editing PHP development: Use Yii2 and GrapeJS to implement back-end CMS and front-end visual editing Jun 15, 2023 pm 11:48 PM

In modern software development, building a powerful content management system (CMS) is not an easy task. Not only do developers need to have extensive skills and experience, but they also need to use the most advanced technologies and tools to optimize their functionality and performance. This article introduces how to use Yii2 and GrapeJS, two popular open source software, to implement back-end CMS and front-end visual editing. Yii2 is a popular PHPWeb framework that provides rich tools and components to quickly build

Yii2 Programming Guide: How to run Cron service Yii2 Programming Guide: How to run Cron service Sep 01, 2023 pm 11:21 PM

If you're asking "What is Yii?" check out my previous tutorial: Introduction to the Yii Framework, which reviews the benefits of Yii and outlines what's new in Yii 2.0, released in October 2014. Hmm> In this Programming with Yii2 series, I will guide readers in using the Yii2PHP framework. In today's tutorial, I will share with you how to leverage Yii's console functionality to run cron jobs. In the past, I've used wget - a web-accessible URL - in a cron job to run my background tasks. This raises security concerns and has some performance issues. While I discussed some ways to mitigate the risk in our Security for Startup series, I had hoped to transition to console-driven commands

See all articles