我有一个默认值为nothing的函数,例如:
function output_message($message="") {
if (!empty($message)) {
return "<p class=\"message\">{$message}</p>";
} else {
return "";
}
}
然后我回复了登录表单上的消息。如果有错误,它将显示一条消息,但如果没有错误,它应该什么都不做。当我的页面加载时,它说我的函数没有定义。下面是我的html页面。
<?php
require_once("../../includes/functions.php");
require_once("../../includes/session.php");
require_once("../../includes/database.php");
require_once("../../includes/user.php");
if($session->is_logged_in()) {
redirect_to("index.php");
}
// Remember to give your form's submit tag a name="submit" attribute!
if (isset($_POST['submit'])) { // Form has been submitted.
$username = trim($_POST['username']);
$password = trim($_POST['password']);
// Check database to see if username/password exist.
$found_user = User::authenticate($username, $password);
if ($found_user) {
$session->login($found_user);
redirect_to("index.php");
} else {
// username/password combo was not found in the database
$message = "Username/password combination incorrect.";
}
} else { // Form has not been submitted.
$username = "";
$password = "";
}
<html>
<head>
<title>Photo Gallery</title>
<link href="../stylesheets/main.css" media="all" rel="stylesheet" type="text/css" />
</head>
<body>
<div id="header">
<h1>Photo Gallery</h1>
</div>
<div id="main">
<h2>Staff Login</h2>
<?php echo output_message($message); ?>
<form action="login.php" method="post">
<table>
<tr>
<td>Username:</td>
<td>
<input type="text" name="username" maxlength="30" value="<?php echo htmlentities($username); ?>" />
</td>
</tr>
<tr>
<td>Password:</td>
<td>
<input type="password" name="password" maxlength="30" value="<?php echo htmlentities($password); ?>" />
</td>
</tr>
<tr>
<td colspan="2">
<input type="submit" name="submit" value="Login" />
</td>
</tr>
</table>
</form>
</div>
<div id="footer">Copyright <?php echo date("Y", time()); ?>, Kevin Skoglund</div>
</body>
</html>
<?php if(isset($database)) { $database->close_connection(); } ?>
我不知道为什么我收到此错误,因为在我的函数中我在函数中设置了$ message的默认值。 output_message($消息= “”)。
有人可以查看我的代码并告诉我它为什么告诉我我的功能没有定义。感谢。
答案 0 :(得分:1)
根据你的评论,它似乎不是未定义的函数,而是变量。
问题不在于函数本身,如果没有为函数提供变量,那么变量$message
被设置为空字符串。
问题在于你的函数调用:
<?php echo output_message($message); ?>
在这里,您使用变量调用函数,也称为$message
,但与函数中的变量$message
完全无关。这个全局变量不存在,这就是php给你一个警告的原因。
您定义函数的方式意味着您可以将其称为:
<?php echo output_message(); ?>
没有任何问题;如果未提供变量,则函数中的$message
变量将设置为空字符串。
但是,使用:
<?php echo output_message($any_variable_name); ?>
如果未在您所在的范围内定义$any_variable_name
(在本例中为全局范围),将生成警告。
答案 1 :(得分:0)
我真的不知道你在哪里使用output_message,但我的第一个猜测是那些函数“redirect_to”可能是问题。
这些功能大部分时间都是这样的:
header( 'Location: http://some_where_on.yourweb' );
检查您是否在使用output_message函数的.php文件中创建了正确的包含。
另外,我建议按照Phil和jeroen的建议发表评论: