2

私は最近、この質問How to persist anon user selection (ex: theme selection) を尋ねました。ASP.NET プロファイルと Web 構成のプロパティについて学び始めました。リンクから回答を試みましたが、profile.newproperty にアクセスできませんでした。

プロファイル値を割り当てる方法は? この質問は、Web アプリケーションがすぐに使用できるプロファイルをサポートしておらず、ProfileBase に基づくカスタム モデルを作成する必要があることを示しています。この質問は 2009 年に回答されましたが、これが今も同じかどうかを知りたいと思いました。

ASP.NET 4.0 Web アプリケーションでは、アクセスする場合を除き、C# をコーディングする必要なく、web.config のセクションで定義されたプロパティを使用して profile.newproperty にアクセスできます。

4

1 に答える 1

4

あなたの質問を見ました。はい、そうです。私が投稿した回答は Web サイトに関連していたため、Web アプリケーションや MVC では機能しません。

ここでは、匿名および認証済みのユーザー プロファイルを使用して、MVC でプロファイルを操作するコードを示します。

出力

匿名ユーザー - プロファイルはまだ設定されていません

ここに画像の説明を入力

匿名ユーザー - プロファイル セット

ここに画像の説明を入力

認証されたユーザー - プロファイルが移行されました

ここに画像の説明を入力

Web.config

<anonymousIdentification enabled="true"/>
<profile inherits="ProfileInWebApplicationMVC1.UserProfile">
  <providers>
    <clear/>
    <add name="AspNetSqlProfileProvider" type="System.Web.Profile.SqlProfileProvider" connectionStringName="ApplicationServices" applicationName="/" />
  </providers>
</profile>

UserProfile クラス

public class UserProfile : ProfileBase
{
    public static UserProfile GetProfile()
    {
        return HttpContext.Current.Profile as UserProfile;
    }

    [SettingsAllowAnonymous(true)]
    public DateTime? LastVisit
    {
        get { return base["LastVisit"] as DateTime?; }
        set { base["LastVisit"] = value; }
    }

    public static UserProfile GetProfile(string userID)
    {
        return ProfileBase.Create(userID) as UserProfile;
    }
}

ホームコントローラー

    public ActionResult Index()
    {
        ViewBag.Message = "Welcome to ASP.NET MVC!";

        var p = UserProfile.GetProfile();

        return View(p.LastVisit);
    }

    [HttpPost]
    public ActionResult SaveProfile()
    {
        var p = UserProfile.GetProfile();

        p.LastVisit = DateTime.Now;
        p.Save();

        return RedirectToAction("Index");
    }

インデックス ビュー

@if (!this.Model.HasValue)
{
    @: No profile detected
}
else
{
    @this.Model.Value.ToString()
}

@using (Html.BeginForm("SaveProfile", "Home"))
{
    <input type="submit" name="name" value="Save profile" />
}

最後に、匿名ユーザーの場合は独自のプロファイルを持つことができますが、サイトに登録したら、現在のプロファイルを移行して新しいアカウントで使用する必要があります。これは、ASP.Net メンバーシップがユーザーのログイン時に新しいプロファイルを作成するためです。

Global.asax、プロファイルを移行するコード

    public void Profile_OnMigrateAnonymous(object sender, ProfileMigrateEventArgs args)
    {
        var anonymousProfile = UserProfile.GetProfile(args.AnonymousID);
        var f = UserProfile.GetProfile(); // current logged in user profile

        if (anonymousProfile.LastVisit.HasValue)
        {
            f.LastVisit = anonymousProfile.LastVisit;
            f.Save();
        }

        ProfileManager.DeleteProfile(args.AnonymousID);
        AnonymousIdentificationModule.ClearAnonymousIdentifier();
        Membership.DeleteUser(args.AnonymousID, true);
    }
于 2012-07-29T10:05:17.033 に答える