이 글은 주로 PHP 이메일 확인 예시를 자세히 소개하고, 관심 있는 친구들이 참고할 수 있도록 예시를 통해 단계별로 안내합니다.
사용자 등록 시 가장 일반적인 보안 확인 중 하나가 바로 이메일 확인입니다. . 일반적인 업계 관행에 따르면 이메일 확인은 잠재적인 보안 위험을 방지하는 데 매우 중요한 관행입니다. 이제 이러한 모범 사례에 대해 논의하고 PHP에서 이메일 확인을 만드는 방법을 살펴보겠습니다.
등록 양식부터 시작해 보겠습니다.
<form method="post" action="http://mydomain.com/registration/"> <fieldset class="form-group"> <label for="fname">First Name:</label> <input type="text" name="fname" class="form-control" required /> </fieldset> <fieldset class="form-group"> <label for="lname">Last Name:</label> <input type="text" name="lname" class="form-control" required /> </fieldset> <fieldset class="form-group"> <label for="email">Last name:</label> <input type="email" name="email" class="form-control" required /> </fieldset> <fieldset class="form-group"> <label for="password">Password:</label> <input type="password" name="password" class="form-control" required /> </fieldset> <fieldset class="form-group"> <label for="cpassword">Confirm Password:</label> <input type="password" name="cpassword" class="form-control" required /> </fieldset> <fieldset> <button type="submit" class="btn">Register</button> </fieldset> </form>
다음은 데이터베이스의 테이블 구조입니다.
CREATE TABLE IF NOT EXISTS `user` ( `id` INT(10) NOT NULL AUTO_INCREMENT PRIMARY KEY, `fname` VARCHAR(255) , `lname` VARCHAR(255) , `email` VARCHAR(50) , `password` VARCHAR(50) , `is_active` INT(1) DEFAULT '0', `verify_token` VARCHAR(255) , `created_at` TIMESTAMP, `updated_at` TIMESTAMP, );
양식이 제출되면 사용자 입력을 확인하고 새 사용자를 생성해야 합니다.
// Validation rules $rules = array( 'fname' => 'required|max:255', 'lname' => 'required|max:255', 'email' => 'required', 'password' => 'required|min:6|max:20', 'cpassword' => 'same:password' ); $validator = Validator::make(Input::all(), $rules); // If input not valid, go back to registration page if($validator->fails()) { return Redirect::to('registration')->with('error', $validator->messages()->first())->withInput(); } $user = new User(); $user->fname = Input::get('fname'); $user->lname = Input::get('lname'); $user->password = Input::get('password'); // You will generate the verification code here and save it to the database // Save user to the database if(!$user->save()) { // If unable to write to database for any reason, show the error return Redirect::to('registration')->with('error', 'Unable to write to database at this time. Please try again later.')->withInput(); } // User is created and saved to database // Verification e-mail will be sent here // Go back to registration page and show the success message return Redirect::to('registration')->with('success', 'You have successfully created an account. The verification link has been sent to e-mail address you have provided. Please click on that link to activate your account.');
등록 후, 사용자의 이메일이 확인될 때까지 사용자의 계정은 유효하지 않은 상태로 유지됩니다. 이 기능은 사용자가 입력한 이메일 주소의 소유자임을 확인하고, 스팸 및 이메일 무단 사용 및 정보 유출을 방지하는 데 도움이 됩니다.
전체 과정은 매우 간단합니다. 새 사용자가 생성되면 등록 과정에서 사용자가 입력한 이메일 주소로 확인 링크가 포함된 이메일이 전송됩니다. 사용자가 이메일 확인 링크를 클릭하고 이메일 주소를 확인하기 전에는 로그인하여 웹사이트 애플리케이션을 사용할 수 없습니다.
확인된 링크에 대해 몇 가지 참고할 사항이 있습니다. 확인된 링크에는 충분히 길고 특정 기간 동안만 유효한 무작위로 생성된 토큰이 포함되어야 합니다. 이는 네트워크 공격을 방지하기 위해 수행됩니다. 동시에 여러 사용자를 공격할 수 있는 잠재적 위험을 방지하기 위해 이메일 확인에는 사용자의 고유 식별자도 포함되어야 합니다.
이제 실제로 확인 링크를 생성하는 방법을 살펴보겠습니다.
// We will generate a random 32 alphanumeric string // It is almost impossible to brute-force this key space $code = str_random(32); $user->confirmation_code = $code;
이 확인이 생성되면 데이터베이스에 저장하고 사용자에게 보냅니다.
Mail::send('emails.email-confirmation', array('code' => $code, 'id' => $user->id), function($message) { $message->from('my@domain.com', 'Mydomain.com')->to($user->email, $user->fname . ' ' . $user->lname)->subject('Mydomain.com: E-mail confirmation'); });
이메일 확인 내용:
<!DOCTYPE html> <html lang="en-US"> <head> <meta charset="utf-8" /> </head> <body> <p style="margin:0"> Please confirm your e-mail address by clicking the following link: <a href="http://mydomain.com/verify?code=<?php echo $code; ?>&user=<?php echo $id; ?>"></a> </p> </body> </html>
이제 확인하겠습니다. 작동하는 경우:
$user = User::where('id', '=', Input::get('user')) ->where('is_active', '=', 0) ->where('verify_token', '=', Input::get('code')) ->where('created_at', '>=', time() - (86400 * 2)) ->first(); if($user) { $user->verify_token = null; $user->is_active = 1; if(!$user->save()) { // If unable to write to database for any reason, show the error return Redirect::to('verify')->with('error', 'Unable to connect to database at this time. Please try again later.'); } // Show the success message return Redirect::to('verify')->with('success', 'You account is now active. Thank you.'); } // Code not valid, show error message return Redirect::to('verify')->with('error', 'Verification code not valid.');
결론:
위에 표시된 코드는 단지 튜토리얼 예제일 뿐이며 충분히 테스트되지 않았습니다. 웹 애플리케이션에서 사용하기 전에 테스트해 보세요. 위 코드는 Laravel 프레임워크에서 수행되었지만 다른 PHP 프레임워크로 쉽게 마이그레이션할 수 있습니다. 동시에 확인 링크는 48시간 동안 유효하며 그 이후에는 만료됩니다. 작업 대기열을 도입하면 만료된 확인 링크를 적시에 처리할 수 있습니다.
위 내용은 이 글의 전체 내용입니다. 모든 분들의 공부에 도움이 되었으면 좋겠습니다.
관련 권장 사항:
PHP에 구현된 4가지 기본 정렬 알고리즘의 실행 시간 비교(필독)
잠금을 사용하는 PHP 기반 달성 동시성 코드 함수를 잡는 방법
위 내용은 PHP 이메일 확인 예시에 대한 자세한 설명의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!