如果结果对象包含任何条目,如何在视图模板中检查?
(已经有一个类似的问题,但这一个略有不同)
以CakePHP 3 博客教程为例。他们展示了如何在一页上列出所有文章:
// src/Controller/ArticlesController.php
public function index() {
$this->set('articles', $this->Articles->find('all'));
}
和视图模板:
<!-- File: src/Template/Articles/index.ctp -->
<table>
<tr>
<th>Id</th>
<th>Title</th>
</tr>
<?php foreach ($articles as $article): ?>
<tr>
<td><?= $article->id ?></td>
<td>
<?= $this->Html->link($article->title, ['action' => 'view', $article->id]) ?>
</td>
</tr>
<?php endforeach; ?>
</table>
缺点:如果数据库中没有条目,仍会呈现 HTML 表。
我怎样才能防止这种情况并显示一个简单的消息,比如“抱歉没有结果”?
在CakePHP 2
我用过
if ( !empty($articles['0']['id']) ) {
// result table and foreach here
} else {
echo '<p>Sorry no results...</p>';
}
但是既然$articles
现在是一个对象,这不再起作用了......是否有一种新的“捷径”来检查结果对象?还是您通常先使用另一个 foreach,例如
$there_are_results = false;
foreach ($articles as $article) {
if ( !empty($article->id) ) {
$there_are_results = true;
break;
}
}
if ( $there_are_results == true ) {
// result table and second foreach here
} else {
echo '<p>Sorry no results...</p>';
}
感谢您的提示。