检查变量是否已设置然后回显而不重复?

时间:2013-04-12 11:30:35

标签: php variables isset

是否有简洁的方法来检查是否设置了变量,然后在不重复相同变量名的情况下回显它?

而不是:

<?php
    if(!empty($this->variable)) {
        echo '<a href="', $this->variable, '">Link</a>';
    }
?>

我正在考虑这种C风格的伪代码:

<?php
    echo if(!empty($this->variable, '<a href="', %s, '">Link</a>'));
?>

PHP有sprintf,但它并没有完全按我所希望的那样做。如果当然我可以用它来制作一个方法/功能,但肯定有办法“原生”地做到这一点吗?

更新: 如果我理解的话,三元操作也会重复$this->variable部分?

echo (!empty($this->variable) ? '<a href="',$this->variable,'">Link</a> : "nothing");

3 个答案:

答案 0 :(得分:15)

最接近你正在寻找的是使用简短形式的三元运算符(从PHP5.3起可用)

echo $a ?: "not set"; // will print $a if $a evaluates to `true` or "not set" if not

但这会触发“未定义变量”通知。您可以使用@

明显抑制哪些内容
echo @$a ?: "not set";

仍然不是最优雅/最干净的解决方案。

因此,您可以希望的最干净的代码是

echo isset($a) ? $a: '';

答案 1 :(得分:14)

<强>更新

PHP 7引入了一项新功能:Null coalescing operator

这是来自php.net的例子。

<?php
// Fetches the value of $_GET['user'] and returns 'nobody'
// if it does not exist.
$username = $_GET['user'] ?? 'nobody';
// This is equivalent to:
$username = isset($_GET['user']) ? $_GET['user'] : 'nobody';

// Coalescing can be chained: this will return the first
// defined value out of $_GET['user'], $_POST['user'], and
// 'nobody'.
$username = $_GET['user'] ?? $_POST['user'] ?? 'nobody';
?>

对于那些不使用PHP7的人来说,这是我原来的答案......

我使用一个小函数来实现这个目的:

function ifset(&$var, $else = '') {
  return isset($var) && $var ? $var : $else;
}

示例:

$a = 'potato';

echo ifset($a);           // outputs 'potato'
echo ifset($a, 'carrot'); // outputs 'potato'
echo ifset($b);           // outputs nothing
echo ifset($b, 'carrot'); // outputs 'carrot'

警告:正如Inigo在下面的评论中所指出的,使用此函数的一个不良副作用是它可以修改您正在检查的对象/数组。例如:

$fruits = new stdClass;
$fruits->lemon = 'sour';
echo ifset($fruits->peach);
var_dump($fruits);

将输出:

(object) array(
  'lemon' => 'sour',
  'peach' => NULL,
)

答案 2 :(得分:-1)

使用php的isset功能:

<?php

  echo $result = isset($this->variable) ? $this->variable : "variable not set";

 ?>

我认为这会有所帮助。