- 论坛徽章:
- 0
|
原帖由 csfrank 于 2009-6-27 14:36 发表 ![]()
get_input($k) 这种还是可能会忘记,这样做的目的就是不要在使用数据的时候想着过滤。
要原始数据也很简单:html_entity_decode 一下就好了
验证数据有效性倒是必须在使用的时候做,这个没办法,毕竟有效规则事先不能知道。
这种过滤对所有的数据库都有效。
get_input($k) 只是原理而已,框架大都不直接 get_input($k) 的办法,但是都是类似原理。我说 get_input($k) 而不是 get_input() 的意思,是说,在用到该变量的时候再进行处理,或者说,只处理自己会用到的变量,是更加高效的办法。另外,「可能会忘记」是不能成为理由的,不应该依靠程序来解决人的思维问题。
另外,如果只是用 html_entity_encode 来做过滤的话,就必须保证处理的数据的格式一定是 HTML,但是现实中可能并不一定,例如:在后台编辑网页模板的时候,难道每次都用 html_entity_decode 过一次吗?难道这个就不会被忘记么?
验证数据的有效性的规则当然是事先知道的,假设 discuz 的论坛,topic.php 有收到两个参数,一个 forum_id 一个 topic_id,这两个参数的规则自然会是:非零整数;又或者,register.php 收到 username,password,confirm_password,email 的数据,这几个参数的规则自然是:username 的长度必须为 3-12 且不能为空,password 和 confirm_password 必须一致,email 必须符合 email 的格式等等。这些都是可以事先知道的。
另外,「对于所有的数据库都有效」是建立在一个基础上的,那就是,所有有关的程序必须的输入性数据必须使用 html_entity_encode 过一次,并且所有的用户提交数据均以 HTML 的方式来储存(如果再用 decode 的话,就失去这个 Cleaner 的意义了)。
关于验证,CodeIgniter 使用这个方法做:
- $config = array(
- array(
- 'field' => 'username',
- 'label' => 'Username',
- 'rules' => 'required|min_length[5]|max_length[12]'
- ),
- array(
- 'field' => 'password',
- 'label' => 'Password',
- 'rules' => 'required|min_length[5]'
- ),
- array(
- 'field' => 'passconf',
- 'label' => 'Password Confirmation',
- 'rules' => 'required'
- ),
- array(
- 'field' => 'email',
- 'label' => 'Email',
- 'rules' => 'required'
- )
- );
复制代码
在另外一个框架中,过滤和验证用:
- try {
- $data = $request->ask_for(array('id' => 0,
- 'title' => '',
- 'content' => '',
- 'category_id' => 0,
- 'post_date' => -1,
- 'is_draft' => 'n',
- 'allow_comments' => 'n',
- 'allow_trackback' => 'n',
- 'excerpt' => '',
- 'slug' => '',
- 'tags' => ''),
- array('id' => 'zero positive integer',
- 'title' => 'required stop',
- 'category_id' => 'positive integer',
- 'is_draft' => array('y', 'n'),
- 'allow_comments' => array('y'),
- 'allow_trackback' => array('y')),
- 'post');
- } catch (Validation_Errors $e) {
- // process validation errors
- }
- // use data
复制代码
这样做的好处,还是刚才说的:不改变原始数据,所以在和其他的程序配合的时候,不会让其他程序出错;要用的时候再过滤和验证,提高效率;过滤和验证一体化;知道错误发生在哪儿,是什么错误,等等。 |
|