10

所以我正在努力学习 PDO,并从标准的 PHP MySQL 函数进行转换。但是,我有一个问题。关于这些try {}块,它们到底应该在里面,什么应该在外面?

使用的所有东西都应该$sth-> ...在里面try {}吗?是否应该只是从语句第一次准备到执行时?甚至比这还少?

任何帮助将不胜感激。:)

这是我在课堂上的一个示例方法。组织得当吗?注意我是如何把所有东西都放在里面try {}的。那是错的吗?这对我来说感觉不正确,但我不确定我应该如何改变它。

protected function authorized()
{
    try
    {
        // Attempt to grab the user from the database.
        $sth = $dbh->prepare("
            SELECT COUNT(*) AS num_rows
            FROM users
            WHERE user_id = :user_id
            ");

        $sth->bindParam(':user_id', $this->user_id);
        $sth->execute();

        // Check if user exists in database.
        if ($sth->fetch()->num_rows > 0)
        {
            // User exists in database, and is therefore valid.
            return TRUE;
        }
        else
        {
            // User does not exist in database, and is therefore invalid.
            return FALSE;
        }
    }
    catch (PDOException $e)
    {
        pdo_error($e);
    }
}
4

1 回答 1

8

try catch 应该在函数之外

<?php

protected function authorized() {
    // Attempt to grab the user from the database.
    $sth = $dbh->prepare("
            SELECT COUNT(*) AS num_rows
            FROM users
            WHERE user_id = :user_id
            ");

    $sth->bindParam(':user_id', $this->user_id);
    $sth->execute();

    // Check if user exists in database.
    if ($sth->fetch()->num_rows > 0) {
        // User exists in database, and is therefore valid.
        return TRUE;
    }
    else {
        // User does not exist in database, and is therefore invalid.
        return FALSE;
    }
}

...

try {
    authorized()
}
catch (PDOException $e) {
    pdo_error($e);
}

不要在方法内部处理异常。如果它发生,您尝试方法捕获结果异常。

于 2012-06-14T19:19:34.297 回答