web-dev-qa-db-ja.com

JSP /サーブレットでユーザーロールを取得する方法

ユーザーがJSPまたはサーブレットで持っているロールでString []を取得する方法はありますか?

Request.isUserInRole( "role1")については知っていますが、ユーザーのすべてのロールについても知りたいです。

サーブレットソースを検索したところ、これは不可能のようですが、これは私には奇妙に思えます。

だから...何かアイデアはありますか?

11
AlfaTeK

可能なすべての役割を読み取るか、リストをハードコーディングします。次に、isUserInRoleを実行してそれを繰り返し、ユーザーが所属するロールのリストを作成してから、リストを配列に変換します。

String[] allRoles = {"1","2","3"};
HttpServletRequest request = ... (or from method argument)
List userRoles = new ArrayList(allRoles.length);
for(String role : allRoles) {
 if(request.isUserInRole(role)) { 
  userRoles.add(role);
 }
}

// I forgot the exact syntax for list.toArray so this is prob wrong here
return userRoles.toArray(String[].class);
6
Josh

答えは厄介です。

まず、webappでrequest.getUserPrincipal()が返すタイプを確認する必要があります。

    System.out.println("type = " + request.getUserPrincipal().getClass());

それがorg.Apache.catalina.realm.GenericPrincipalを返すとしましょう。

次に、getUserPrincipal()の結果をその型にキャストし、提供されているメソッドを使用します。

    final Principal userPrincipal = request.getUserPrincipal();
    GenericPrincipal genericPrincipal = (GenericPrincipal) userPrincipal;
    final String[] roles = genericPrincipal.getRoles();

散らかってしまうと言った。ポータブルでもありません。

12
Steve McLeod

WebLogicでは、次の方法で実行できます。

import weblogic.security.Security;
import weblogic.security.SubjectUtils;
...
private List<String> getUserRoles()  {
    return Arrays.asList(SubjectUtils.getPrincipalNames(Security.getCurrentSubject()).split("/"));
}

リストの最初の要素はユーザー名であることに注意してください。

4
SuperPiski

JACC準拠のアプリケーションサーバー(理論的にはすべてのFull Java EE Platformの実装))では、Java SE Policyを問い合わせることができます(サーブレットとEJBによって指定された任意のタイプの宣言型セキュリティ制約のほぼ)移植可能な評価。JACCもJavadoc仕様Policy#getPermissions(ProtectionDomain)は、おそらくパフォーマンスの考慮事項のために、実装がすべてのアクセス許可をオンザフライで計算すること、および認証ステートメントのレンダリングが追加のコンテキスト(リモートアドレス、特定のHTTPGETパラメータの値など)に依存するプロバイダーに対応することを実際に必要とします。 )。それでも、getPermissionsは通常、プリインストールされている一般的なJACCプロバイダーで安全に使用できます。

次の例は、サーブレットの役割割り当てテストを示しています。

package com.example;

import Java.security.CodeSource;
import Java.security.Permission;
import Java.security.PermissionCollection;
import Java.security.Policy;
import Java.security.Principal;
import Java.security.ProtectionDomain;
import Java.security.cert.Certificate;
import Java.util.Collections;
import Java.util.Enumeration;
import Java.util.HashSet;
import Java.util.Set;

import javax.security.auth.Subject;
import javax.security.jacc.PolicyContext;
import javax.security.jacc.PolicyContextException;
import javax.security.jacc.WebRoleRefPermission;

public final class Util {


    private static final Set<String> NO_ROLES = Collections.emptySet();
    private static final Permission DUMMY_WEB_ROLE_REF_PERM = new WebRoleRefPermission("", "dummy");

    /**
     * Retrieves the declared Servlet security roles that have been mapped to the {@code Principal}s of
     * the currently authenticated {@code Subject}, optionally limited to the scope of the Servlet
     * referenced by {@code servletName}.
     * 
     * @param servletName
     *            The scope; {@code null} indicates Servlet-context-wide matching.
     * @return the roles; empty {@code Set} iff:
     *         <ul>
     *         <li>the remote user is unauthenticated</li>
     *         <li>the remote user has not been associated with any roles declared within the search
     *         scope</li>
     *         <li>the method has not been called within a Servlet invocation context</li>
     *         </ul>
     */
    public static Set<String> getCallerWebRoles(String servletName) {
        // get current subject
        Subject subject = getSubject();
        if (subject == null) {
            // unauthenticated
            return NO_ROLES;
        }
        Set<Principal> principals = subject.getPrincipals();
        if (principals.isEmpty()) {
            // unauthenticated?
            return NO_ROLES;
        }
        // construct a domain for querying the policy; the code source shouldn't matter, as far as
        // JACC permissions are concerned
        ProtectionDomain domain = new ProtectionDomain(new CodeSource(null, (Certificate[]) null), null, null,
                principals.toArray(new Principal[principals.size()]));
        // get all permissions accorded to those principals
        PermissionCollection pc = Policy.getPolicy().getPermissions(domain);
        // cause resolution of WebRoleRefPermissions, if any, in the collection, if still unresolved
        pc.implies(DUMMY_WEB_ROLE_REF_PERM);
        Enumeration<Permission> e = pc.elements();
        if (!e.hasMoreElements()) {
            // nothing granted, hence no roles
            return NO_ROLES;
        }
        Set<String> roleNames = NO_ROLES;
        // iterate over the collection and eliminate duplicates
        while (e.hasMoreElements()) {
            Permission p = e.nextElement();
            // only interested in Servlet container security-role(-ref) permissions
            if (p instanceof WebRoleRefPermission) {
                String candidateRoleName = p.getActions();
                // - ignore the "any-authenticated-user" role (only collect it if your
                // application has actually declared a role named "**")
                // - also restrict to the scope of the Servlet identified by the servletName
                // argument, unless null
                if (!"**".equals(candidateRoleName) && ((servletName == null) || servletName.equals(p.getName()))
                        && ((roleNames == NO_ROLES) || !roleNames.contains(candidateRoleName))) {
                    if (roleNames == NO_ROLES) {
                        roleNames = new HashSet<>();
                    }
                    roleNames.add(candidateRoleName);
                }
            }
        }
        return roleNames;
    }

    private static Subject getSubject() {
        return getFromJaccPolicyContext("javax.security.auth.Subject.container");
    }

    @SuppressWarnings("unchecked")
    private static <T> T getFromJaccPolicyContext(String key) {
        try {
            return (T) PolicyContext.getContext(key);
        }
        catch (PolicyContextException | IllegalArgumentException e) {
            return null;
        }
    }

    private Util() {
    }

}

参照:

2
Uux