3

在 yii 中,我使用安全问题创建密码重置功能。首先,用户需要输入他的电子邮件 ID。我创建了 emailform.phpviews->User1作为

<?php
$form=$this->beginWidget('CActiveForm', array(
    'id'=>'email-form',
    'enableClientValidation'=>true,
    ));
echo CHtml::textField('email');
echo CHtml::submitButton('Send');
$this->endWidget();

在控制器中,我创建了方法

public function actionPassword() {
    if (isset($_POST['email'])) {
       $email = $_POST['email'];
       //process email....
       //....
    }
    $this->render('_emailForm');
}

现在我想检查这个电子邮件 ID 是否存在于用户表中。如果是这样,那么我想向他显示一个安全问题。我该如何实施?

4

4 回答 4

5

这将帮助您入门,您可以在控制器中放置一个类似的方法并创建一个带有密码字段的视图。

public function actionPassword() {
  if(isset($_POST['email'])) {
    $record=User::model()->find(array(
      'select'=>'email',
      'condition'=>'email=:email',
      'params'=>array(':email'=>$_POST['email']))
    );

    if($record===null) {
      $error = 'Email invalid';
    } else {
      $newpassword = 'newrandomgeneratedpassword';
      $record->password = $this->hash_password_secure($newpassword);
      $record->save(); //you might have some issues with the user model when the password is protected for security
      //Email new password to user
    }
  } else {
    $this->render('forgetPassword'); //show the view with the password field
  }
}
于 2012-11-27T13:13:04.593 回答
2

如果您使用 CActiveRecords,检查记录是否存在的正确方法是使用exists()函数,而不是 find() 函数。

$condition = 'email_d=:emailId';
$params = array(':emailId' => $emailId);
$emailExists = User::model()->exists($condition,$params);
if( $emailExists) )
{
  //email exists
}
else
{
  // email doesn't exist
}
于 2014-10-27T10:12:00.743 回答
1

要检查数据库中的记录,您可以使用两个选项

$exists = ModelName::find()->where([ 'column_name' => $value])->andWhere(['column_name' => $value])->exists();
//returns true or false

$exists = ModelName::findOne(["column_name" => $value,"column_name"=>$value]);

查看

if ($exists)
{
// exit
}
else
{
// not exist
}
于 2015-01-06T16:07:05.923 回答
0
$model = YourModel::model()->find('email = :email', array(':email' => $_POST['email']));

这像 PDO 一样使用:

$query = 'SELECT * etc.. WHERE email = :email';

$stmt = DB::prepare($query);
$stmt->bindParam(':email', $_POST['email'], PDO::PARAM_STR);
$stmt->execute();

etc...

不安全?!

进而..

if( empty($model) )
{
  // exit code
}
else
{
  // success block
}
于 2012-11-27T14:34:26.497 回答