问题
So, I have some PHP code that looks a bit like this:
<body>
The ID is
<?php
echo $_GET["id"] . "!";
?>
</body>
Now, when I pass an ID like http://localhost/myphp.php?id=26
it works alright, but if there is no ID like just http://localhost/myphp.php
then it outputs:
The ID is
Notice: Undefined index: id in C:\xampp\htdocs\myphp.php on line 9
!
I have searched for a way to fix this but I cannot find any way to check if a URL variable exists. I know there must be a way though.
回答1:
You can use isset
function:
if(isset($_GET['id'])) {
// id index exists
}
You can create a handy function to return default value if index doesn't exist:
function Get($index, $defaultValue) {
return isset($_GET[$index]) ? $_GET[$index] : $defaultValue);
}
// prints "invalid id" if $_GET['id'] is not set
echo Get('id', 'invalid id');
You can also try to validate it at the same time:
function GetInt($index, $defaultValue) {
return isset($_GET[$index]) && ctype_digit($_GET[$index])
? (int)$_GET[$index]
: $defaultValue);
}
// prints 0 if $_GET['id'] is not set or is not numeric
echo GetInt('id', 0);
回答2:
if (isset($_GET["id"])){
//do stuff
}
回答3:
Normally it is quite good to do:
echo isset($_GET['id']) ? $_GET['id'] : 'wtf';
This is so when assigning the var to other variables you can do defaults all in one breath instead of constantly using if
statements to just give them a default value if they are not set.
回答4:
You can use the array_key_exists() built-in function:
if (array_key_exists('id', $_GET)) {
echo $_GET['id'];
}
or the isset() built-in function:
if (isset($_GET['id'])) {
echo $_GET['id'];
}
回答5:
You are use PHP isset
Example
if (isset($_GET["id"])) {
echo $_GET["id"];
}
回答6:
Use and empty()
whit negation (for test if not empty)
if(!empty($_GET['id'])) {
// if get id is not empty
}
回答7:
Please try it:
if(isset($_GET['id']) && !empty($_GET['id'])){
echo $_GET["id"];
}
来源:https://stackoverflow.com/questions/12019684/how-to-verify-if-get-exists