PDO/PHP - Check if row exist

后端 未结 3 1025
面向向阳花
面向向阳花 2020-11-30 06:03

I want to have a condition incase the row doesn\'t exist at all.

$stmt = $conn->prepare(\'SELECT * FROM table WHERE ID=?\');
$stmt->bindParam(1, $_GET[         


        
相关标签:
3条回答
  • 2020-11-30 06:03

    Heres what I use in my object classes:

    function exists_by_id () {
        // check if object exists by id
        $stm = DB::$pdo->prepare('select count(*) from `table` where `column`=:column');
        $stm->bindParam(':column', $this->column);
        $stm->execute();
        $res = $stm->fetchColumn();
    
        if ($res > 0) {
            return true;
        }
        else {
            return false;
        }
    }
    
    0 讨论(0)
  • 2020-11-30 06:06

    You can just check the return value directly.

    $stmt = $conn->prepare('SELECT * FROM table WHERE ID=?');
    $stmt->bindParam(1, $_GET['id'], PDO::PARAM_INT);
    $stmt->execute();
    $row = $stmt->fetch(PDO::FETCH_ASSOC);
    
    if( ! $row)
    {
        die('nothing found');
    }
    
    /*
    $rows = $stmt->fetchAll(PDO::FETCH_ASSOC); // Same here
    if( ! $rows)
    {
        die('nothing found');
    }
    */
    

    If you are asking about checking without fetching then simply have MySQL return a 1 (or use the COUNT() command).

    $sql = 'SELECT 1 from table WHERE id = ? LIMIT 1';
    //$sql = 'SELECT COUNT(*) from table WHERE param = ?'; // for checking >1 records
    $stmt = $conn->prepare($sql);
    $stmt->bindParam(1, $_GET['id'], PDO::PARAM_INT);
    $stmt->execute();
    
    if($stmt->fetchColumn()) die('found');
    
    0 讨论(0)
  • 2020-11-30 06:26
    if($stmt->rowCount() == 0) 
    

    should work fine, since the number of rows can't be less than zero in any event at all.

    From the manual:

    For most databases, PDOStatement::rowCount() does not return the number of rows affected by a SELECT statement. Instead, use PDO::query() to issue a SELECT COUNT(*) statement with the same predicates as your intended SELECT statement, then use PDOStatement::fetchColumn() to retrieve the number of rows that will be returned. Your application can then perform the correct action.

    I would suggest reading up on that here.

    0 讨论(0)
提交回复
热议问题