使用$ this调用类中的函数

时间:2015-01-29 11:32:27

标签: php

User::updatemain($set, $where); 

这会导致致命错误:在不在对象上下文中时使用$ this 我的用户类从Dbase类扩展而来,这是用户类函数:

public static function activate($set, $where) {
    return $this->updatemain($set, $where);

这里是dbase类(某些部分):

private function query($sql = null, $params = null) {
    if (!empty($sql)) {
        $this->_last_statement = $sql;
        if ($this->_db_object == null) {
            $this->connect();
        }
        try {
            $statement = $this->_db_object->prepare($sql, $this->_driver_options);
            $params = Helper::makeArray($params);
                $x = 1;
                if (count($params)) {
                    foreach ($params as $param) {
                        $statement->bindValue($x, $param);
                        $x++;
                    }
                }
            if (!$statement->execute() || $statement->errorCode() != '0000') {
                $error = $statement->errorInfo();
                throw new PDOException("Database error {$error[0]} : {$error[2]}, driver error code is {$error[1]}");
                exit;
            }
            //echo $sql;
            return $statement;
        } catch (PDOException $e) {
            echo $this->formatException($e);
            exit;
        }
    }
}

public function updatemain($set, $where) {
    return $this->query($sql, $params);
}

这是Dbase类的一部分

3 个答案:

答案 0 :(得分:2)

您正在调用静态方法,因此该上下文中没有$this

如果你想从给定的类调用其他静态方法,那么使用self::method()但是如果你想调用非静态方法你就会遇到问题。首先,你必须创建新对象。

答案 1 :(得分:1)

使用静态方法时,您无法在 $ this 内使用

public static function activate($set, $where) {
       return self::updatemain($set, $where);
}

或者你必须使用单身设计

答案 2 :(得分:0)

修改

最佳解决方案 - 将您的类重写为一次访问DB对象。并创建模型类以进行数据库访问。请参阅下面的示例代码:

核心AppCore

<?php
class AppCore
{
    public static $config  = array();
    public static $ormInit = false;

    public static function init($config)
    {
        self::$config = array_merge(self::$config, $config);
    }

    public static function db($table)
    {
        // ORM - see http://idiorm.readthedocs.org/en/latest
        if (!self::$ormInit) {
            ORM::configure(self::$config['db']['connection']);
            ORM::configure('username', self::$config['db']['username']);
            ORM::configure('password', self::$config['db']['password']);
            self::$ormInit = true;
        }
        return ORM::for_table($table);
    }
}

用户模型

<?php
class UserModel
{
    const TABLE = 'user';

    public static function findById($u_id)
    {
        $result = AppCore::db(self::TABLE)->where('u_id', $u_id)->find_one();
        return $result ? $result->as_array() : null;
    }
}

AppCore初始化部分

AppCore::init(array(
    'db' => array(
        'connection' => "mysql:dbname={$db};host={$host}",
        'username' => $user,
        'password' => $pass
    ),
));

我希望它能帮助您提高代码效率