本文实例讲述了ThinkPHP实现转换数据库查询结果数据到对应类型的方法。分享给大家供大家参考,具体如下:
最近使用 ThinkPHP3.2.3 进行 API 开发,发现 ThinkPHP3.x 查询数据库返回所有字段值类型都是 String。以前开发 web 的时候没怎么注意这个,现在发现用到 API 开发很难办,数据类型不对,不能每个字段都让客户端自己强制转换一下。
查资料后发现 ThinkPHP3.x 的 Model.class.php,提供了 _parseType 方法,在查询完以后进行类型转换,但需要我们手工调一下。
需要自己写一个 Model 基类:
MBaseModel.class.php 继承自 Model
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
|
use Think\Model; class BaseModel extends Model { protected function _after_select(& $resultSet , $options ) { parent::_after_select( $resultSet , $options ); foreach ( $resultSet as & $result ) { $this ->_after_find( $result , $options ); } } protected function _after_find(& $result , $options ) { parent::_after_find( $result , $options ); foreach ( $result as $field => $value ) { $this ->_parseType( $result , $field ); } } } |
然后所有自己写的 Model 类都继承自 MBaseModel.
注意:必须把上面两个方法写到 Model 的子类中。
本来,这样已经搞定了,但发现 Model.class.php 的 _parseType 方法里有个低级 bug:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
|
/** * 数据类型检测 * @access protected * @param mixed $data 数据 * @param string $key 字段名 * @return void */ protected function _parseType(& $data , $key ) { if (!isset( $this ->options[ 'bind' ][ ':' . $key ]) && isset( $this ->fields[ '_type' ][ $key ])){ $fieldType = strtolower ( $this ->fields[ '_type' ][ $key ]); if (false !== strpos ( $fieldType , 'enum' )){ // 支持ENUM类型优先检测 } elseif (false === strpos ( $fieldType , 'bigint' ) && false !== strpos ( $fieldType , 'int' )) { $data [ $key ] = intval ( $data [ $key ]); } elseif (false !== strpos ( $fieldType , 'float' ) || false !== strpos ( $fieldType , 'double' )){ $data [ $key ] = floatval ( $data [ $key ]); } elseif (false !== strpos ( $fieldType , 'bool' )){ $data [ $key ] = (bool) $data [ $key ]; } } } // 上面第13行修改为 } elseif (false !== strpos ( $fieldType , 'bigint' ) || false !== strpos ( $fieldType , 'int' ) || false !== strpos ( $fieldType , 'tinyint' )) { |
希望本文所述对大家基于ThinkPHP框架的PHP程序设计有所帮助。
原文链接:http://likfe.com/2017/03/25/tp3-x-all-string/