3

皮肉なことに、ロール プロバイダーはロールを Cookie にキャッシュしなくなりました。それは以前に働いていました。残念ながら、私は今になって気付いたので、何が問題を引き起こしているのかはわかりません. しかし、それはユニバーサル プロバイダーの新しいバージョン 1.2 (8 月 16 日にリリース) への更新に関係していると思います。

roleprovider の構成は次のようになります。

 <roleManager enabled="true" cacheRolesInCookie="true" cookieName="X_Roles" 
cookiePath="/" cookieProtection="All" cookieRequireSSL="true" cookieSlidingExpiration="true" cookieTimeout="1440" 
createPersistentCookie="false" domain="" maxCachedResults="25" defaultProvider="XManager_RoleProvider">
<providers>
<clear/>
<add name="XManager_RoleProvider" type="ManagersX.XManager_RoleProvider, AssemblyX" 
connectionStringName="XEntities" applicationName="/" rolesTableName="Roles" roleMembershipsTableName="Users_Roles"/>
</providers>
</roleManager>

rolemanager (ログインビュー、sitemaptrimming を使用したメニューなど) ですべてが正常に機能していますが、役割をキャッシュしていないだけです。メンバーシップ プロバイダー、セッション状態なども正常に動作しており、それらの Cookie は正しく設定されています。

静的 Roles クラスのすべてのプロパティが正しく設定されており、Httpcontext (IsSecureConnection など) のすべても正しく設定されています。

ロール Cookie は以前に設定されていましたが、現在は設定されていません。誰かが私の問題を解決してくれることを願っています。

前もって感謝します。

よろしくお願いします、

HeManNew

更新: 誰も同じ問題を抱えていないか、ヒントを教えてください。

4

2 に答える 2

6

以下は、適切なキャッシュを使用し、ページの読み込みごとにデータベースにアクセスしない、私が作成したカスタムロールプロバイダーの詳細です。

=============マイコードビハインドファイル===============

using System;
using System.Collections.Generic;
using System.Collections.Specialized;
using System.Configuration;
using System.Data;
using System.Data.SqlClient;
using System.Linq;
using System.Web;
using System.Web.Caching;
using System.Web.Security;

namespace MyProject.Providers
{
    public class CustomRoleProvider : RoleProvider
    {
        #region Properties

        private static readonly object LockObject = new object();
        private int _cacheTimeoutInMinutes = 0;

        #endregion

        #region Overrides of RoleProvider

        public override void Initialize(string name, NameValueCollection config)
        {
            // Set Properties
            ApplicationName = config["applicationName"];
            _cacheTimeoutInMinutes = Convert.ToInt32(config["cacheTimeoutInMinutes"]);

            // Call base method
            base.Initialize(name, config);
        }

        /// <summary>
        /// Gets a value indicating whether the specified user is in the specified role for the configured applicationName.
        /// </summary>
        /// <returns>
        /// true if the specified user is in the specified role for the configured applicationName; otherwise, false.
        /// </returns>
        /// <param name="username">The user name to search for.</param><param name="roleName">The role to search in.</param>
        public override bool IsUserInRole(string username, string roleName)
        {
            // Get Roles
            var userRoles = GetRolesForUser(username);

            // Return if exists
            return userRoles.Contains(roleName);
        }

        /// <summary>
        /// Gets a list of the roles that a specified user is in for the configured applicationName.
        /// </summary>
        /// <returns>
        /// A string array containing the names of all the roles that the specified user is in for the configured applicationName.
        /// </returns>
        /// <param name="username">The user to return a list of roles for.</param>
        public override string[] GetRolesForUser(string username)
        {
            // Return if User is not authenticated
            if (!HttpContext.Current.User.Identity.IsAuthenticated) return null;

            // Return if present in Cache
            var cacheKey = string.format("UserRoles_{0}", username);
            if (HttpRuntime.Cache[cacheKey] != null) return (string[]) HttpRuntime.Cache[cacheKey];

            // Vars
            var userRoles = new List<string>();
            var sqlParams = new List<SqlParameter>
                                {
                                    new SqlParameter("@ApplicationName", ApplicationName),
                                    new SqlParameter("@UserName", username)
                                };

            lock (LockObject)
            {
                // Run Stored Proc << Replace this block with your own Database Call Methods >>
                using (IDataReader dr =
                    BaseDatabase.ExecuteDataReader("aspnet_UsersInRoles_GetRolesForUser", sqlParams.ToArray(),
                                                   Constants.DatabaseConnectionName) as SqlDataReader)
                {
                    while (dr.Read())
                    {
                        userRoles.Add(dr["RoleName"].ToString());
                    }
                }
            }

            // Store in Cache and expire after set minutes
            HttpRuntime.Cache.Insert(cacheKey, userRoles.ToArray(), null,
                                     DateTime.Now.AddMinutes(_cacheTimeoutInMinutes), Cache.NoSlidingExpiration);

            // Return
            return userRoles.ToArray();
        }

        /// <summary>
        /// Gets or sets the name of the application to store and retrieve role information for.
        /// </summary>
        /// <returns>
        /// The name of the application to store and retrieve role information for.
        /// </returns>
        public override sealed string ApplicationName { get; set; }

        // I skipped the other methods as they do not apply to this scenario

        #endregion
    }
}

=============マイコードの終わり-ファイルの後ろ===============

=============私のWeb.Configファイル=======================

<roleManager enabled="true" defaultProvider="CustomRoleManager">
  <providers>
    <clear />
    <add name="SqlRoleManager" type="System.Web.Security.SqlRoleProvider" connectionStringName="AspnetDbConnection" applicationName="MyApplication"/>
    <add name="CustomRoleManager" type="MyProject.Providers.CustomRoleProvider" connectionStringName="AspnetDbConnection" applicationName="MyApplication" cacheTimeoutInMinutes="30" />
  </providers>
</roleManager>

=============MyWeb.Configファイルの終わり================

キャッシュは、30分ごとに自動的に期限切れになるように設定されています。必要に応じてこれを変更できます。

乾杯。

于 2012-09-19T13:43:14.963 に答える
2

私は同じ問題を抱えていましたが、それを修正したと思われる MS KB 記事を見つけることができました。パッチをインストールすると、Cookie が再表示されました。

http://support.microsoft.com/kb/2750147

セクションを参照してください: ASP.Net Issue 4.

うまくいけば、それは他の誰かを助ける!

于 2013-03-06T22:35:14.717 に答える