我正在Laravel中编写一个简单的自定义指令。每当我对自定义指令的代码进行一些更改时,它都不会反映在视图中,直到我
global.php中的自定义指令代码
Blade::extend(function($value, $compiler)
{
$pattern = $compiler->createMatcher('molvi');
return preg_replace($pattern, '$1<?php echo ucwords($2); ?>', $value);
});
视野中的指令调用
@molvi('haji') //this will output 'Haji' due to ucwords($2)
//the ucwords() is replaced with strtolower()
@molvi('haji') //this will still output 'Haji'
我将这些单词转换为大写。当我们想要使用strtolower()
代替ucwords()
时,我必须重复上述步骤以反映更改。
更新
我尝试使用this thread中描述的各种方法清除缓存,但仍然没有成功。
更新
由于没有人在StackOverFlow上回答这个问题,我已将其发布在laravel github上。
答案 0 :(得分:3)
注意:我只是粘贴@lukasgeiter在github thread上给出的答案。
问题是编译的视图是缓存的,你不能这样做 禁用它。但是,您可以清除文件。手动 删除存储/框架/视图中的所有内容或运行 命令
php artisan view:clear
Laravel 4或5.0不支持
在Laravel 4或5.0中找不到此命令。它是一个新的命令,并在Larvel 5.1中引入。以下是5.1中的ViewClearCommand代码。
在Laravel 4或5.0中手动添加支持
您可以在Laravel 4或5.0中手动添加支持。
注册新命令
在以前的版本中实现它的方法是注册新命令。 Aritsan Development部分在这方面很有帮助。
4.2.1的最终工作代码
我在4.2.1上测试了以下代码。
添加新命令文件
应用程序/指令/ ClearViewCommmand.php
<?php
use Illuminate\Console\Command;
use Illuminate\Filesystem\Filesystem;
use Symfony\Component\Console\Input\InputOption;
use Symfony\Component\Console\Input\InputArgument;
class ClearViewCommand extends Command {
/**
* The console command name.
*
* @var string
*/
protected $name = 'view:clear';
/**
* The console command description.
*
* @var string
*/
protected $description = 'Clear all compiled view files';
protected $files;
/**
* Create a new command instance.
*
* @return void
*/
public function __construct(Filesystem $files)
{
parent::__construct();
$this->files = $files;
}
/**
* Execute the console command.
*
* @return mixed
*/
public function fire()
{
//this path may be different for 5.0
$views = $this->files->glob(storage_path().'/views/*');
foreach ($views as $view) {
$this->files->delete($view);
}
$this->info('Compiled views cleared!');
}
}
注册新命令
在app / start / artisan.php中添加以下行
Artisan::resolve('ClearViewCommand');
<强> CLI 强>
现在终于可以运行命令了。每次更新自定义指令中的代码后,您都可以运行此命令以立即更改视图。
php artisan view:clear