使用PHP函数缩短重复代码

时间:2018-04-23 20:03:14

标签: php html

我在PHP中的代码很长,我希望通过创建一个具有不同值的函数来缩短它,而不是用函数名而不是多行代码写一行,但它似乎不起作用

这就是重复代码:

if (!isset($_POST['ID_user']) || empty($_POST['ID_user'])) {
 $_SESSION['ID_user_missing'] = "error";
 header("location: index.php");
} else {
   $ID_user = $_POST['ID_user'];
}


if (!isset($_POST['meta_name']) || empty($_POST['meta_name'])) {
 $_SESSION['meta_name_missing'] = "error";
 header("location: index.php");
} else {
   $meta_name = $_POST['ID_user'];
}


if (!isset($_POST['meta_value']) || empty($_POST['meta_value'])) {
 $_SESSION['meta_value_missing'] = "error";
 header("location: index.php");
} else {
   $meta_value = $_POST['meta_value'];
}

这就是计划,而不是那个代码,我只想把它放在下面:

function ifIssetPost($value) {
 if (!isset($_POST[$value]) || empty($_POST[$value])) {
 $_SESSION[$value.'_chybi'] = "error";
 header("location: index.php");
 } else {
   $$value = $_POST[$value];
 }
}

ifIssetPost('ID_user');
ifIssetPost('meta_name');
ifIssetPost('meta_value');

但它只是不起作用,当你尝试回显例如变量$meta_name时,它表明它是空的。你能帮助我吗 ?非常感谢你。

注意:当我没有那个功能并且做得很长时,一切正常,但问题出现在我使用该功能时。

3 个答案:

答案 0 :(得分:6)

变量在函数范围内。这就是为什么你不能在函数之外访问它。您可以return值:

function ifIssetPost($value) {
  if (empty($_POST[$value])) { // Only empty is needed (as pointed out by @AbraCadaver)
    $_SESSION[$value.'_chybi'] = "error";
    header("location: index.php");
    exit; // add exit to stop the execution of the script.
  } else {
    return $_POST[$value]; // return value
  }
}

$ID_user = ifIssetPost('ID_user');
$meta_name = ifIssetPost('meta_name');
$meta_value = ifIssetPost('meta_value');

答案 1 :(得分:0)

您可以使用数组迭代$ _POST变量。如果要使用字符串或包含字符串的其他变量声明变量,则需要使用{}。比如${$value}

$postValues = ["ID_user", "meta_name", "meta_value"];

foreach ($postValues as $value) {
    if (!isset($_POST[$value]) || empty($_POST[$value])) {
     $_SESSION[$value."_missing"] = "error";
     header("location: index.php");
    } else {
       ${$value} = $_POST[$value];
    }
}

答案 2 :(得分:0)

您还可以使用$$value

来遵循您的规范
function ifIssetPost($value) {
 if (!isset($_POST[$value]) || empty($_POST[$value])) {
 $_SESSION[$value.'_chybi'] = "error";
 header("location: index.php");
 } else {
   return $_POST[$value];
 }
}

$value = 'ID_user';
$$value = ifIssetPost($value);  
echo $ID_user;

$value = 'meta_name';
$$value = ifIssetPost($value);
echo $meta_name;