ASP.NET MVC 4 での WebMatrix で提供されているユーザー認証の利用(その2)の続きです。
Entity Framework Code First Migrations の機能を利用して DB 側に UNIQUE 制約を付加し、ユーザー名の重複チェックを行うようにします。重複するデータを登録しようとすると例外が発生するので、例外のハンドリングも行います。
今回も最初に出来上がりの画面を掲載します。
コードに行く前に、Entity Framework Code First Migrations の利用について先々週に書いているので、参考資料を見たい方はどうぞ 😉
最初に Code First Migrations の設定を行います。
まずはマイグレーションを有効化させます。
Visual Studio のメニューから「ツール」・「ライブラリ パッケージ マネージャー」・「パッケージ マネージャー コンソール」と選択していきます。表示されるパッケージマネージャー コンソールで、「Enable-Migrations」コマンドを入力します。
マイグレーションが有効化されると、プロジェクトに Migrations フォルダが作成され、Configuration.cs と xxxx_InitialCreate.cs (xxxx は生成時のタイムスタンプ) が格納されます。
これでマイグレーションの準備ができたので、コードの変更に取り掛かります。コードの変更は、まずモデルから行います。
Models フォルダの UserAttrib.cs を変更します。
using System.ComponentModel.DataAnnotations;
using System.ComponentModel.DataAnnotations.Schema;
namespace WithWebMatrixAuthentication.Models
{
public class UserAttrib
{
[DatabaseGenerated(DatabaseGeneratedOption.None)]
public int Id { get; set; }
[Required]
[MaxLength(50)]
[Display(Name = "ユーザー名")]
public string Name { get; set; }
}
}
Name プロパティの属性に MaxLength(50) を追加しました。
これでモデルが変わったので、DB への変更の反映に取り掛かります。作成する DB 変更のスクリプト名は「UserAttrib_Name_MaxLengthAndUnique」としておきます。
パッケージマネージャー コンソールで、「Add-Migration UserAttrib_Name_MaxLengthAndUnique」コマンドを入力します。
コマンドが終了すると Migrations フォルダに「xxxx_UserAttrib_Name_MaxLengthAndUnique.cs」というファイル名でスクリプトファイルが作成されます(xxxx は生成時のタイムスタンプ)。
ここで、Name カラムに UNIQUE 制約をセットするようにカスタマイズします。
生成された「xxxx_UserAttrib_Name_MaxLengthAndUnique.cs」ファイルを修正します。
namespace WithWebMatrixAuthentication.Migrations
{
using System;
using System.Data.Entity.Migrations;
public partial class UserAttrib_Name_MaxLengthAndUnique : DbMigration
{
public override void Up()
{
AlterColumn("dbo.UserAttribs", "Name", c => c.String(nullable: false, maxLength: 50));
CreateIndex("dbo.UserAttribs", "Name", unique: true, name: "IX_Name");
}
public override void Down()
{
AlterColumn("dbo.UserAttribs", "Name", c => c.String(nullable: false));
DropIndex("dbo.UserAttribs", "IX_Name");
}
}
}
Up メソッドに UNIQUE 制約付きのインデックスの作成、Down メソッドに作成したインデックスの削除を追加しています。
次に DB をコマンドで変更します。
パッケージマネージャー コンソールで、「Update-Database」コマンドを入力します。
コマンドが終了すると変更内容の DB への反映が完了しています。
この手動操作で変更される DB は開発用の DB だけなので、実稼働環境でも DB が自動で更新されるようにします。
プロジェクトのルートフォルダにある Global.asax を修正します。
using System;
using System.Collections.Generic;
using System.Data.Entity;
using System.Linq;
using System.Web;
using System.Web.Http;
using System.Web.Mvc;
using System.Web.Optimization;
using System.Web.Routing;
using WithWebMatrixAuthentication.DAL;
using WithWebMatrixAuthentication.Migrations;
namespace WithWebMatrixAuthentication
{
// メモ: IIS6 または IIS7 のクラシック モードの詳細については、
// http://go.microsoft.com/?LinkId=9394801 を参照してください
public class MvcApplication : System.Web.HttpApplication
{
protected void Application_Start()
{
AreaRegistration.RegisterAllAreas();
WebApiConfig.Register(GlobalConfiguration.Configuration);
FilterConfig.RegisterGlobalFilters(GlobalFilters.Filters);
RouteConfig.RegisterRoutes(RouteTable.Routes);
BundleConfig.RegisterBundles(BundleTable.Bundles);
AuthConfig.RegisterAuth();
Database.SetInitializer(new MigrateDatabaseToLatestVersion<AppDataContext, Configuration>());
}
}
}
引数に MigrateDatabaseToLatestVersion のインスタンスをセットして System.Data.Entity.Database.SetInitializer を呼び出すことで、実行時に DB への変更の反映が行われるようになります。
DB 側で Name カラムの重複チェックが行われるようになった(重複があった場合にはフレームワークを経由してアプリケーション側に例外が投げられくる)ので、コントローラーに例外のハンドリングを追加します。
Controllers フォルダの AccountController.cs を修正します。
using System;
using System.Collections.Generic;
using System.Linq;
using System.Transactions;
using System.Web;
using System.Web.Mvc;
using System.Web.Security;
using DotNetOpenAuth.AspNet;
using Microsoft.Web.WebPages.OAuth;
using WebMatrix.WebData;
using MakCraft.SmtpOverSsl;
using WithWebMatrixAuthentication.DAL;
using WithWebMatrixAuthentication.Filters;
using WithWebMatrixAuthentication.Models;
namespace WithWebMatrixAuthentication.Controllers
{
[Authorize]
[InitializeSimpleMembership]
public class AccountController : Controller
{
//
// GET: /Account/Login
[AllowAnonymous]
public ActionResult Login(string returnUrl)
{
ViewBag.ReturnUrl = returnUrl;
return View();
}
//
// POST: /Account/Login
[HttpPost]
[AllowAnonymous]
[ValidateAntiForgeryToken]
public ActionResult Login(LoginModel model, string returnUrl)
{
var limitNumberOfMistake = 4;
var lockedTime = 60;
if (ModelState.IsValid)
{
// (パスワードの誤入力が 4回を超えている and 前回の誤入力から 60秒以内) であれば、アカウント・ロックを表示する
if (WebSecurity.UserExists(model.Email) &&
WebSecurity.GetPasswordFailuresSinceLastSuccess(model.Email) > limitNumberOfMistake &&
WebSecurity.GetLastPasswordFailureDate(model.Email).AddSeconds(lockedTime) > DateTime.UtcNow)
return RedirectToAction("AccountLockedOut");
if (WebSecurity.Login(model.Email, model.Password, persistCookie: model.RememberMe))
{
if (Url.IsLocalUrl(returnUrl) && returnUrl.Length > 1 && returnUrl.StartsWith("/")
&& !returnUrl.StartsWith("//") && !returnUrl.StartsWith("/\\"))
{
return Redirect(returnUrl);
}
else
{
return RedirectToAction("Index", "Home");
}
}
// ここで問題が発生した場合はフォームを再表示します
ModelState.AddModelError("", UserCertByEmailStatus2String(UserCertByEmailStatus.NotFoundOrDisagree));
}
// If we got this far, something failed, redisplay form
return View(model);
}
//
// GET: /Account/AccountLockedOut
[AllowAnonymous]
public ActionResult AccountLockedOut()
{
return View();
}
//
// POST: /Account/LogOff
[HttpPost]
[ValidateAntiForgeryToken]
public ActionResult LogOff()
{
WebSecurity.Logout();
return RedirectToAction("Index", "Home");
}
//
// GET: /Account/Register
[AllowAnonymous]
public ActionResult Register()
{
return View();
}
//
// POST: /Account/Register
[HttpPost]
[AllowAnonymous]
[ValidateAntiForgeryToken]
public ActionResult Register(RegisterModel model)
{
if (ModelState.IsValid)
{
// ユーザーの登録を試みます
try
{
var requireEmailConfirmation = !string.IsNullOrEmpty(SmtpMail.ServerName); // メール送信設定の確認
var token = WebSecurity.CreateUserAndAccount(model.Email, model.Password, requireConfirmationToken: requireEmailConfirmation);
// メールの設定ができていればメールアドレスの確認を行う。設定できていなければ /Home/Index に移動して終了
if (requireEmailConfirmation)
{
var hostUrl = Request.Url.GetComponents(UriComponents.SchemeAndServer, UriFormat.Unescaped);
var confirmationUrl = hostUrl + VirtualPathUtility.ToAbsolute("~/Account/Confirm?confirmationCode=" + HttpUtility.UrlEncode(token));
SnedConfirmMail(MailMode.Register, model.Email, confirmationUrl, token);
AddUserAttrib(WebSecurity.GetUserId(model.Email), model.Email);
return RedirectToAction("Thanks");
}
AddUserAttrib(WebSecurity.GetUserId(model.Email), model.Email);
WebSecurity.Login(model.Email, model.Password);
return RedirectToAction("Index", "Home");
}
catch (MembershipCreateUserException e)
{
ModelState.AddModelError("", ErrorCodeToString(e.StatusCode));
}
}
// ここで問題が発生した場合はフォームを再表示します
return View(model);
}
//
// GET: /Account/Confirm
[AllowAnonymous]
public ActionResult Confirm()
{
return View();
}
//
// POST: /Account/Confirm
[HttpPost]
[AllowAnonymous]
[ValidateAntiForgeryToken]
public ActionResult Confirm(ConfirmModel model)
{
if (!ModelState.IsValid)
{
return View(model);
}
WebSecurity.Logout();
if (WebSecurity.ConfirmAccount(model.ConfirmationCode))
{
TempData["Message"] = UserCertByEmailStatus2String(UserCertByEmailStatus.UserConfirmed);
}
else
{
ModelState.AddModelError("", UserCertByEmailStatus2String(UserCertByEmailStatus.UserNotConfirmed));
}
return View();
}
//
// GET: /Account/Thanks
[AllowAnonymous]
public ActionResult Thanks()
{
return View();
}
//
// POST: /Account/Disassociate
[HttpPost]
[ValidateAntiForgeryToken]
public ActionResult Disassociate(string provider, string providerUserId)
{
string ownerAccount = OAuthWebSecurity.GetUserName(provider, providerUserId);
ManageMessageId? message = null;
// 現在ログインしているユーザーが所有者の場合にのみ、アカウントの関連付けを解除します
if (ownerAccount == User.Identity.Name)
{
// トランザクションを使用して、ユーザーが最後のログイン資格情報を削除しないようにします
using (var scope = new TransactionScope(TransactionScopeOption.Required, new TransactionOptions { IsolationLevel = IsolationLevel.Serializable }))
{
bool hasLocalAccount = OAuthWebSecurity.HasLocalAccount(WebSecurity.GetUserId(User.Identity.Name));
if (hasLocalAccount || OAuthWebSecurity.GetAccountsFromUserName(User.Identity.Name).Count > 1)
{
OAuthWebSecurity.DeleteAccount(provider, providerUserId);
scope.Complete();
message = ManageMessageId.RemoveLoginSuccess;
}
}
}
return RedirectToAction("Manage", new { Message = message });
}
//
// GET: /Account/Manage
public ActionResult Manage(ManageMessageId? message)
{
ViewBag.StatusMessage =
message == ManageMessageId.ChangePasswordSuccess ? "パスワードが変更されました。"
: message == ManageMessageId.SetPasswordSuccess ? "パスワードが設定されました。"
: message == ManageMessageId.RemoveLoginSuccess ? "外部ログインが削除されました。"
: message == ManageMessageId.ChangeUserNameSuccess ? "ユーザー名が変更されました。"
: "";
ViewBag.HasLocalPassword = OAuthWebSecurity.HasLocalAccount(WebSecurity.GetUserId(User.Identity.Name));
ViewBag.ReturnUrl = Url.Action("Manage");
return View();
}
//
// POST: /Account/Manage
[HttpPost]
[ValidateAntiForgeryToken]
public ActionResult Manage(ManageModel model)
{
bool hasLocalAccount = OAuthWebSecurity.HasLocalAccount(WebSecurity.GetUserId(User.Identity.Name));
ViewBag.HasLocalPassword = hasLocalAccount;
ViewBag.ReturnUrl = Url.Action("Manage");
if (hasLocalAccount)
{
if (ModelState.IsValid)
{
// 特定のエラー シナリオでは、ChangePassword は false を返す代わりに例外をスローします。
bool changePasswordSucceeded;
try
{
changePasswordSucceeded =
WebSecurity.ChangePassword(User.Identity.Name, model.LocalPasswordChangeModel.OldPassword, model.LocalPasswordChangeModel.NewPassword);
}
catch (Exception)
{
changePasswordSucceeded = false;
}
if (changePasswordSucceeded)
{
return RedirectToAction("Manage", new { Message = ManageMessageId.ChangePasswordSuccess });
}
else
{
ModelState.AddModelError("", UserCertByEmailStatus2String(UserCertByEmailStatus.CouldNotChangePassword));
}
}
}
else
{
// ユーザーにローカル パスワードがないため、
//OldPassword フィールドがないことに原因があるすべての検証エラーを削除します
ModelState state = ModelState["LocalPasswordChangeModel.OldPassword"];
if (state != null)
{
state.Errors.Clear();
}
if (ModelState.IsValid)
{
try
{
var requireEmailConfirmation = !string.IsNullOrEmpty(SmtpMail.ServerName);
var token = WebSecurity.CreateAccount(User.Identity.Name,
model.LocalPasswordChangeModel.NewPassword, requireEmailConfirmation);
if (requireEmailConfirmation)
{
var hostUrl = Request.Url.GetComponents(UriComponents.SchemeAndServer, UriFormat.Unescaped);
var confirmationUrl =
hostUrl + VirtualPathUtility.ToAbsolute("~/Account/Confirm?confirmationCode=" + HttpUtility.UrlEncode(token));
SnedConfirmMail(MailMode.Register, User.Identity.Name, confirmationUrl, token);
return RedirectToAction("Thanks");
}
return RedirectToAction("Manage", new { Message = ManageMessageId.SetPasswordSuccess });
}
catch (Exception)
{
ModelState.AddModelError("", String.Format(UserCertByEmailStatus2String(UserCertByEmailStatus.UnableCreateAccount), User.Identity.Name));
}
}
}
// ここで問題が発生した場合はフォームを再表示します
return View(model);
}
[HttpPost]
[ValidateAntiForgeryToken]
public ActionResult ChangeUserName(ManageModel model)
{
bool hasLocalAccount = OAuthWebSecurity.HasLocalAccount(WebSecurity.GetUserId(User.Identity.Name));
ViewBag.HasLocalPassword = hasLocalAccount;
if (ModelState.IsValid)
{
var context = new AppDataContext();
try
{
var userAttrib = context.UserAttribs.Find(WebSecurity.GetUserId(User.Identity.Name));
userAttrib.Name = model.UserNameChangeModel.NewUserName;
context.SaveChanges();
}
catch (System.Data.Entity.Infrastructure.DbUpdateException e)
{
var isChecked = false;
if (e.InnerException.GetType() == typeof(System.Data.UpdateException))
{
if (e.InnerException.InnerException.GetType() == typeof(System.Data.SqlClient.SqlException))
{
if ((e.InnerException.InnerException as System.Data.SqlClient.SqlException).Number == 2601)
{
ModelState.AddModelError("UserNameChangeModel.NewUserName", UserCertByEmailStatus2String(UserCertByEmailStatus.DuplicateUserName));
isChecked = true;
}
}
}
if (!isChecked)
ModelState.AddModelError("", UserCertByEmailStatus2String(UserCertByEmailStatus.DbUpdateError));
return View("Manage", model);
}
finally
{
if (context != null)
context.Dispose();
}
return RedirectToAction("Manage", new { Message = ManageMessageId.ChangeUserNameSuccess });
}
// ここで問題が発生した場合はフォームを再表示します
return View("Manage", model);
}
// GET: //Account/ForgotPassword
[AllowAnonymous]
public ActionResult ForgotPassword()
{
return View();
}
//
// POST: /Account/ForgotPassword
[HttpPost]
[AllowAnonymous]
[ValidateAntiForgeryToken]
public ActionResult ForgotPassword(ForgotPasswordModel model)
{
// サーバー側のメール送信設定の確認
if (!ValidateEmailSetting())
{
return RedirectToAction("Error");
}
if (!ModelState.IsValid)
{
return View(model);
}
var resetToken = "";
if (WebSecurity.GetUserId(model.Email) > -1 && WebSecurity.IsConfirmed(model.Email))
{
resetToken = WebSecurity.GeneratePasswordResetToken(model.Email); // 必要に応じてトークンの有効期限を指定します
}
var hostUrl = Request.Url.GetComponents(UriComponents.SchemeAndServer, UriFormat.Unescaped);
var resetUrl = hostUrl + VirtualPathUtility.ToAbsolute("~/Account/PasswordReset?resetToken=" + HttpUtility.UrlEncode(resetToken));
SnedConfirmMail(MailMode.Forgot, model.Email, resetUrl, resetToken);
if (!ModelState.IsValid)
{
return View(model);
}
TempData["title"] = "メールを送りました";
TempData["message"] = "パスワードリセットに必要な情報をメールで送りました。";
return RedirectToAction("Done");
}
//
// GET: /Account/Done
[AllowAnonymous]
public ActionResult Done()
{
return View();
}
//
// GET: /Account/Error
[AllowAnonymous]
public ActionResult Error()
{
return View();
}
// GET: /Account/PasswordReset
[AllowAnonymous]
public ActionResult PasswordReset(string resetToken)
{
return View();
}
//
// POST: /Account/PasswordReset
[HttpPost]
[AllowAnonymous]
[ValidateAntiForgeryToken]
public ActionResult PasswordReset(ResetPasswordModel model)
{
if (!ModelState.IsValid)
{
return View(model);
}
// サーバー側のメール送信設定の確認
if (!ValidateEmailSetting())
{
return RedirectToAction("Error");
}
if (!WebSecurity.ResetPassword(model.ResetToken, model.Password))
{
TempData["message"] = UserCertByEmailStatus2String(UserCertByEmailStatus.ResetTokenError);
return RedirectToAction("Error");
}
TempData["title"] = "パスワードをリセットしました";
TempData["message"] = "新しいパスワードでログオンしてください。";
return RedirectToAction("Done");
}
//
// POST: /Account/ExternalLogin
[HttpPost]
[AllowAnonymous]
[ValidateAntiForgeryToken]
public ActionResult ExternalLogin(string provider, string returnUrl)
{
return new ExternalLoginResult(provider, Url.Action("ExternalLoginCallback", new { ReturnUrl = returnUrl }));
}
//
// GET: /Account/ExternalLoginCallback
[AllowAnonymous]
public ActionResult ExternalLoginCallback(string returnUrl)
{
AuthenticationResult result = OAuthWebSecurity.VerifyAuthentication(Url.Action("ExternalLoginCallback", new { ReturnUrl = returnUrl }));
if (!result.IsSuccessful)
{
return RedirectToAction("ExternalLoginFailure");
}
if (OAuthWebSecurity.Login(result.Provider, result.ProviderUserId, createPersistentCookie: false))
{
return RedirectToLocal(returnUrl);
}
if (User.Identity.IsAuthenticated)
{
// 現在のユーザーがログインしている場合、新しいアカウントを追加します
OAuthWebSecurity.CreateOrUpdateAccount(result.Provider, result.ProviderUserId, User.Identity.Name);
return RedirectToLocal(returnUrl);
}
else
{
// 新規ユーザーの場合は、既定のユーザー名を外部ログイン プロバイダーから取得した値に設定します
string loginData = OAuthWebSecurity.SerializeProviderUserId(result.Provider, result.ProviderUserId);
ViewBag.ProviderDisplayName = OAuthWebSecurity.GetOAuthClientData(result.Provider).DisplayName;
ViewBag.ReturnUrl = returnUrl;
return View("ExternalLoginConfirmation", new RegisterExternalLoginModel { Email = result.UserName, ExternalLoginData = loginData });
}
}
//
// POST: /Account/ExternalLoginConfirmation
[HttpPost]
[AllowAnonymous]
[ValidateAntiForgeryToken]
public ActionResult ExternalLoginConfirmation(RegisterExternalLoginModel model, string returnUrl)
{
string provider = null;
string providerUserId = null;
if (User.Identity.IsAuthenticated || !OAuthWebSecurity.TryDeserializeProviderUserId(model.ExternalLoginData, out provider, out providerUserId))
{
return RedirectToAction("Manage");
}
if (ModelState.IsValid)
{
// データベースに新しいユーザーを挿入します
using (UsersContext db = new UsersContext())
{
UserProfile user = db.UserProfiles.FirstOrDefault(u => u.Email.ToLower() == model.Email.ToLower());
// ユーザーが既に存在するかどうかを確認します
if (user == null)
{
// プロファイル テーブルに名前を挿入します
db.UserProfiles.Add(new UserProfile { Email = model.Email });
db.SaveChanges();
OAuthWebSecurity.CreateOrUpdateAccount(provider, providerUserId, model.Email);
OAuthWebSecurity.Login(provider, providerUserId, createPersistentCookie: false);
AddUserAttrib(WebSecurity.GetUserId(model.Email), model.Email);
return RedirectToLocal(returnUrl);
}
else
{
ModelState.AddModelError("Email", UserCertByEmailStatus2String(UserCertByEmailStatus.DuplicateMailAddress));
}
}
}
ViewBag.ProviderDisplayName = OAuthWebSecurity.GetOAuthClientData(provider).DisplayName;
ViewBag.ReturnUrl = returnUrl;
return View(model);
}
//
// GET: /Account/ExternalLoginFailure
[AllowAnonymous]
public ActionResult ExternalLoginFailure()
{
return View();
}
[AllowAnonymous]
[ChildActionOnly]
public ActionResult ExternalLoginsList(string returnUrl)
{
ViewBag.ReturnUrl = returnUrl;
return PartialView("_ExternalLoginsListPartial", OAuthWebSecurity.RegisteredClientData);
}
[ChildActionOnly]
public ActionResult RemoveExternalLogins()
{
ICollection<OAuthAccount> accounts = OAuthWebSecurity.GetAccountsFromUserName(User.Identity.Name);
List<ExternalLogin> externalLogins = new List<ExternalLogin>();
foreach (OAuthAccount account in accounts)
{
AuthenticationClientData clientData = OAuthWebSecurity.GetOAuthClientData(account.Provider);
externalLogins.Add(new ExternalLogin
{
Provider = account.Provider,
ProviderDisplayName = clientData.DisplayName,
ProviderUserId = account.ProviderUserId,
});
}
ViewBag.ShowRemoveButton = externalLogins.Count > 1 || OAuthWebSecurity.HasLocalAccount(WebSecurity.GetUserId(User.Identity.Name));
return PartialView("_RemoveExternalLoginsPartial", externalLogins);
}
#region ヘルパー
private ActionResult RedirectToLocal(string returnUrl)
{
if (Url.IsLocalUrl(returnUrl))
{
return Redirect(returnUrl);
}
else
{
return RedirectToAction("Index", "Home");
}
}
private enum MailMode
{
Register,
Forgot,
}
private void SnedConfirmMail(MailMode mode, string toAddress, string confirmationUrl, string token)
{
try
{
var subject = "";
var body = "";
switch (mode)
{
case MailMode.Register:
subject = "アカウントを確認してください";
body = "確認コード: " + token + "\r\n" +
"<a href=\"" + confirmationUrl + "\">" + confirmationUrl + "</a> にアクセスしてアカウントを有効にしてください.";
break;
case MailMode.Forgot:
subject = "パスワードをリセットしてください";
body = "パスワードをリセットするには、このパスワード リセット トークンを使用します。トークン:" + token + "\r\n" +
"パスワード・リセットを行うページ <" + confirmationUrl + "> " +
"を訪問して、パスワードのリセットを行ってください。";
break;
default:
throw new ApplicationException(UserCertByEmailStatus2String(UserCertByEmailStatus.UnknownMailMode));
}
var mailMessage = new SmtpMailMessage
{
StringFrom = "mak@hosibune.com",
StringTo = toAddress,
Subject = subject,
Body = body
};
SmtpMail.Send(mailMessage);
}
catch (ApplicationException ex)
{
ModelState.AddModelError("", UserCertByEmailStatus2String(UserCertByEmailStatus.FailedSendMail) + ex.Message);
}
catch (System.Net.Sockets.SocketException ex)
{
ModelState.AddModelError("", UserCertByEmailStatus2String(UserCertByEmailStatus.CannotConnectMailServer) + ex.Message);
}
catch (System.Security.Authentication.AuthenticationException ex)
{
ModelState.AddModelError("", UserCertByEmailStatus2String(UserCertByEmailStatus.FailedSslConnection) + ex.Message);
}
catch (System.Web.Security.MembershipCreateUserException e)
{
ModelState.AddModelError("", e.ToString());
}
}
private enum UserCertByEmailStatus
{
CannotConnectMailServer,
CouldNotChangePassword,
DbUpdateError,
DuplicateMailAddress,
DuplicateUserName,
FailedSendMail,
FailedSslConnection,
NotFoundOrDisagree,
ResetTokenError,
ServerSetUpError,
UnableCreateAccount,
UnknownMailMode,
UserConfirmed,
UserNotConfirmed,
}
private static string UserCertByEmailStatus2String(UserCertByEmailStatus status)
{
switch (status)
{
case UserCertByEmailStatus.CannotConnectMailServer:
return "メール送信サーバーと接続ができませんでした。エラー内容: ";
case UserCertByEmailStatus.CouldNotChangePassword:
return "現在のパスワードが正しくないか、新しいパスワードが無効です。";
case UserCertByEmailStatus.DbUpdateError:
return "データベースの更新でエラーが発生しました。要求された処理は実行出来ませんでした。";
case UserCertByEmailStatus.DuplicateMailAddress:
return "このメールアドレスは既に存在します。当サイトへの登録済み認証手段でログインしてから他サイトアカウントとの関連付けを行なってください。";
case UserCertByEmailStatus.DuplicateUserName:
return "このユーザー名は既に存在します。他のユーザー名を入力してください。";
case UserCertByEmailStatus.FailedSendMail:
return "メールが送れませんでした。エラー内容: ";
case UserCertByEmailStatus.FailedSslConnection:
return "メールサーバーと SSL 接続ができませんでした。エラー内容: ";
case UserCertByEmailStatus.NotFoundOrDisagree:
return "指定されたユーザー名またはパスワードが正しくありません。";
case UserCertByEmailStatus.ResetTokenError:
return "パスワード リセット トークンが間違っています。または、有効期限が切れている可能性があります。再度パスワードのリセットを行なってみてください。";
case UserCertByEmailStatus.ServerSetUpError:
return "SMTP サーバーが適切に構成されていないため、この Web サイトではパスワードの回復が無効です。パスワードをリセットするには、このサイトの所有者に連絡してください。";
case UserCertByEmailStatus.UnableCreateAccount:
return "ローカル アカウントを作成できません。名前 \"{0}\" のアカウントは既に存在している可能性があります。";
case UserCertByEmailStatus.UnknownMailMode:
return "不明な MailMode が指定されています。";
case UserCertByEmailStatus.UserConfirmed:
return "登録を確認しました。[ログイン] をクリックしてサイトにログインしてください。初期状態ではメールアドレスがユーザー名になっています。ユーザー名をクリックすると変更することができます。";
case UserCertByEmailStatus.UserNotConfirmed:
return "登録情報を確認できませんでした。";
default:
return "不明なエラーが発生しました。入力を確認してやり直してください。問題が解決しない場合は、システム管理者に連絡してください。";
}
}
private bool ValidateEmailSetting()
{
if (string.IsNullOrEmpty(SmtpMail.ServerName))
{
TempData["message"] = UserCertByEmailStatus2String(UserCertByEmailStatus.ServerSetUpError);
return false;
}
return true;
}
private void AddUserAttrib(int userId, string userName)
{
using (var context = new AppDataContext())
{
context.UserAttribs.Add(new UserAttrib { Id = userId, Name = userName });
context.SaveChanges();
}
}
public enum ManageMessageId
{
ChangePasswordSuccess,
SetPasswordSuccess,
RemoveLoginSuccess,
ChangeUserNameSuccess,
}
internal class ExternalLoginResult : ActionResult
{
public ExternalLoginResult(string provider, string returnUrl)
{
Provider = provider;
ReturnUrl = returnUrl;
}
public string Provider { get; private set; }
public string ReturnUrl { get; private set; }
public override void ExecuteResult(ControllerContext context)
{
OAuthWebSecurity.RequestAuthentication(Provider, ReturnUrl);
}
}
private static string ErrorCodeToString(MembershipCreateStatus createStatus)
{
// すべてのステータス コードの一覧については、http://go.microsoft.com/fwlink/?LinkID=177550 を
// 参照してください。
switch (createStatus)
{
case MembershipCreateStatus.DuplicateUserName:
return "このユーザー名は既に存在します。別のユーザー名を入力してください。";
case MembershipCreateStatus.DuplicateEmail:
return "その電子メール アドレスのユーザー名は既に存在します。別の電子メール アドレスを入力してください。";
case MembershipCreateStatus.InvalidPassword:
return "指定されたパスワードは無効です。有効なパスワードの値を入力してください。";
case MembershipCreateStatus.InvalidEmail:
return "指定された電子メール アドレスは無効です。値を確認してやり直してください。";
case MembershipCreateStatus.InvalidAnswer:
return "パスワードの回復用に指定された回答が無効です。値を確認してやり直してください。";
case MembershipCreateStatus.InvalidQuestion:
return "パスワードの回復用に指定された質問が無効です。値を確認してやり直してください。";
case MembershipCreateStatus.InvalidUserName:
return "指定されたユーザー名は無効です。値を確認してやり直してください。";
case MembershipCreateStatus.ProviderError:
return "認証プロバイダーからエラーが返されました。入力を確認してやり直してください。問題が解決しない場合は、システム管理者に連絡してください。";
case MembershipCreateStatus.UserRejected:
return "ユーザーの作成要求が取り消されました。入力を確認してやり直してください。問題が解決しない場合は、システム管理者に連絡してください。";
default:
return "不明なエラーが発生しました。入力を確認してやり直してください。問題が解決しない場合は、システム管理者に連絡してください。";
}
}
#endregion
}
}
ChangeUserName アクションでの例外のハンドリングとヘルパーのメッセージ関連を追加しています。
これでユーザー名の重複チェックが動くようになります 🙂