How to modify user responsibility

Hi,
Please suggest me how to modify the user responsibility in oracle apps 11i.
I have a user, he has system Administration role, however he wants System Administrator. Let me know how to change it.
Thanks,
-vinod

Please suggest me how to modify the user responsibility in oracle apps 11i.
I have a user, he has system Administration role, however he wants System Administrator. Let me know how to change it.You can assign responsibilities from (System Administrator responsibility > Security > User > Define). If you want to end-date the other responsibility/role then you can do from the same screen or from User Management responsibility.
Thanks
Hussein

Similar Messages

  • How to simulate user response in Objective C

    How can a program simulate a user response such as picking a menu choice?
    For example, in a game design where the player takes turns with the device, the player shuffles the cards and gets various animations dependent upon the choice from a shuffle menu. Now it is the computer's turn to shuffle (make menu selections). The program can decide which buttons to press, but how can I make the program PRESS the buttons?
    iOS 5.1 etc.
    I think I am simply looking for a hook in the run-loop at user response time that checks to see if there is a program response available, that interpretes the request or tickles the first responder, or the responder chain. I have trouble believing that this has not come up already, Maybe it is just the way I am looking at the problem. Thank you in advance.

    Use "performClick"

  • How to modify user attributes in Microsoft IAS or Active Directory??

    Anyone have an idea?? What I'm trying to do is to authenticate management access to an ACE 4710 against a Microsoft IAS server.
    According to the document below:
    http://www.cisco.com/en/US/docs/app_ntwk_services/data_center_app_services/ace_appliances/vA1_7_/configuration/security/guide/aaa.html#wp1519045
    it sounds like I need to be able to modify user attributes similar to what I know is doable in ACS. I base my assumption on this because of the following statement in the link above:
    "Step 3 Go to the User Setup section of the Cisco Secure ACS HTML interface and double-click the name of an existing user that you want to define a user profile attribute for virtualization. The User Setup page appears.
    Step 4 Under the TACACS+ Settings section of the page, configure the following settings:
    •Click the Shell (exec) check box.
    •Click the Custom attributes check box.
    •In the text box under the Custom attributes, enter the user role and associated domain for a specific context in the following format:
    shell:<contextname>=<role> <domain1> <domain2>...<domainN>"
    Is something like this possible in IAS??
    I have the authentication piece working for the ACE however when I login, I'm assigned an ACE defined default role of 'network-monitor' which gives me only read-only access. The way I'm interpreting what needs to be done to resolve this is to have the authentication server send an attribute value that states that the user is in the role 'Admin' in which case I'll have unlimited access to my ACE.
    Make sense?? Any thoughts??
    Thanks in advance.
    -Lloyd

    Lloyd,
    It is possible via Radius and not TACACS. On the same link if you scroll down, you will see option of doing it via Radius.
    "Defining Private Attributes for Virtualization Support in a RADIUS Serve"
    Find attached the doc that explains about setting up user attributes on IAS.
    Regards,
    ~JG
    Do rate helpful posts

  • User Response variable

    Hi,
    Could some one help me on how to put user response promt to my report title from input control report use a variable.
    much appreciate your help.
    Regard,
    Lily

    Hi,
    As per the formula, you are putting a space " " between two values.
    =ReportFilter(Param1]) + " " + ReportFilter(Param2) + " " + ReportFilter(Param3)
    To bring one line in each value you need to replace the space " " in the above formula with Char(13)+Char(10) that means a Carriage Return and Line Feed.
    The formula would look like
    =ReportFilter(Param1]) + Char(13)+Char(10) + ReportFilter(Param2) + Char(13)+Char(10) + ReportFilter(Param3)
    You can also write it as
    =Replace(ReportFilter(Param1]) + " " + ReportFilter(Param2) + " " + ReportFilter(Param3);" ";Char(13)+Char(10))
    But there is one problem, if one the values you selected has 2 words with a space in between, it'll show that value in 2 lines as the space would be replaced by Char(13)+Char(10).
    Ex:
    Chicago New York Miami
    would look like
    Chicago
    New
    York
    Miami
    Hope that helps
    To get rid of this problem what you can do is change the first formula that you created, replace the space " " by a semicolon ";" if you want
    =ReportFilter(Param1]) + ";" + ReportFilter(Param2) + ";" + ReportFilter(Param3)
    What say you?

  • Modify Servlet response using filter

    This is the code wht i am using, this is an example give in the oronserver.com and some other sites too..
    import javax.servlet.*;
    public class GenericFilter implements javax.servlet.Filter {
    public FilterConfig filterConfig;
    public void doFilter(final ServletRequest request,
    final ServletResponse response,
    FilterChain chain)
    throws java.io.IOException, javax.servlet.ServletException {
    chain.doFilter(request,response);
    public void init(final FilterConfig filterConfig) {     this.filterConfig = filterConfig;
    public void destroy() {                                             
    =============================================================
    import javax.servlet.*;
    import javax.servlet.http.*;
    import java.io.*;
    public class FilterServletOutputStream extends ServletOutputStream {
    private DataOutputStream stream;
    public FilterServletOutputStream(OutputStream output) {
    stream = new DataOutputStream(output);
    public void write(int b) throws IOException {
    stream.write(b);
    public void write(byte[] b) throws IOException {
    stream.write(b);
    public void write(byte[] b, int off, int len) throws IOException {
    stream.write(b,off,len);
    ===================================================
    import javax.servlet.*;
    import javax.servlet.http.*;
    import java.io.*;
    public class GenericResponseWrapper extends HttpServletResponseWrapper {
    private ByteArrayOutputStream output;
    private int contentLength;
    private String contentType;
    public GenericResponseWrapper(HttpServletResponse response) {
    super(response);
    output=new ByteArrayOutputStream();
    public byte[] getData() {
    return output.toByteArray();
    public ServletOutputStream getOutputStream() {
    return new FilterServletOutputStream(output);
    public PrintWriter getWriter() {
    return new PrintWriter(getOutputStream(),true);
    public void setContentLength(int length) {
    this.contentLength = length;
    super.setContentLength(length);
    public int getContentLength() {
    return contentLength;
    public void setContentType(String type) {
    this.contentType = type;
    super.setContentType(type);
    public String getContentType() {
    return contentType;
    ===========================================================
    import javax.servlet.*;
    import javax.servlet.http.*;
    import java.io.*;
    public class PrePostFilter extends GenericFilter {
    public void doFilter(final ServletRequest request,
    final ServletResponse response,
    FilterChain chain)
    throws IOException, ServletException {
    OutputStream out = response.getOutputStream();
    out.write("<HR>PRE<HR>".getBytes());
    GenericResponseWrapper wrapper = new
    GenericResponseWrapper((HttpServletResponse) response);
    chain.doFilter(request,wrapper);
    out.write(wrapper.getData());
    out.write("<HR>POST<HR>".getBytes());
    out.close();
    ===========================================================
    filter3.jsp
    <HTML>
    <HEAD>
    <TITLE>Filter Example 3</TITLE>
    </HEAD>
    <BODY>
    This is a testpage. You should see<br>
    this text when you invoke filter3.jsp, <br>
    as well as the additional material added<br>
    by the PrePostFilter.
    <br>
    </BODY>
    </HTML
    When i run the above code i am not getting data which is there in the jsp page, i am getting data which i am writing it in the prepostFilter.
    the output is
    PRE
    Post
    Is the above is overwriting the actual response ?
    If so can anyone tell me how to modify the response of the servlet instead of overwriting.............i will so thankful to you.

    i run your codes and get the following:
    PRE
    This is a testpage. You should see
    this text when you invoke filter3.jsp,
    as well as the additional material added
    by the PrePostFilter.
    POST
    my testing environment is
    sun j2ee ri 1.3.1
    and i deploy filter3.jsp and set the filter Mapping as the following
    Filter Name: PrePostFilter
    Target Type: Url Pattern
    Target : /*

  • How to add a new tab on modify user form

    Hi,
    In OIM11g, we can assign roles to a user using a tab named Roles in the modify user form. I want to add a new custom tab alongside all the already present tabs.
    The new custom attribute functions the same as 'Roles' in OIM.
    Does OIM11g provide any functionlity to do so?
    Thanks..

    Have you seen the 11g tutorial thing about adding a Custom ADF tabs in OIM Self Service Console at
    http://apex.oracle.com/pls/apex/f?p=9830:37:3242381082783477::NO:RIR:IR_PRODUCT,IR_PRODUCT_SUITE,IR_PRODUCT_COMPONENT,IR_RELEASE,IR_TYPE,IRC_ROWFILTER,IR_FUNCTIONAL_CATEGORY:,,,OIM_11g,,,
    Is that any help?
    Also, more general advice on customising OIM 11g is available at:
    http://download.oracle.com/docs/cd/E14571_01/doc.1111/e14309/uicust.htm
    Try metalink too because there may be examples of how to do stuff with OIM 11g there.
    Good luck

  • JTextField: How to modify keybinding / keyboard response?

    Hello Experts,
    For a certain programming purpose, is there a way to modify keyboard response?
    I have created a JTextField txtSample. When it gets the focus, I want it to behave as following:
    1. When user presses '+' key, instead of printing '+' in the text field, I want to do some actions and the '+' is not printed.
    2. When user presses 'a' key, instead of printing 'a' in the text field, I want 'o' to be printed.
    I have done the following for the first purpose, but it doesn't work:
    Action addTrans = new AbstractAction() {
         public void actionPerformed(ActionEvent e){
              System.out.println("User has pressed + keypad");
    txtSample.getInputMap().put(KeyStroke.getKeyStroke(KeyEvent.VK_PLUS, 0), "addTrans");
    txtSample.getActionMap().put("addTrans", addTrans);Any advice would be greatly appreciated.
    Patrick

    camickr,
    First amazing thing, the first time I clicked on the link
    Works fine is this example:
    http://forums.sun.com/thread.jspa?forumID=57&threadID=622030 it gave an error message.
    Second amazing thing, I checked on the API of KeyStroke
    getKeyStroke
    public static KeyStroke getKeyStroke(char keyChar)
        Returns a shared instance of a KeyStroke that represents a KEY_TYPED event for the specified character.
        Parameters:
            keyChar - the character value for a keyboard key
        Returns:
            a KeyStroke object for that key
    getKeyStroke
    public static KeyStroke getKeyStroke(int keyCode,
                                         int modifiers)
        Returns a shared instance of a KeyStroke, given a numeric key code and a set of modifiers. The returned KeyStroke will correspond to a key press.
        The "virtual key" constants defined in java.awt.event.KeyEvent can be used to specify the key code. For example:
            * java.awt.event.KeyEvent.VK_ENTER
            * java.awt.event.KeyEvent.VK_TAB
            * java.awt.event.KeyEvent.VK_SPACE
        The modifiers consist of any combination of:
            * java.awt.event.InputEvent.SHIFT_DOWN_MASK
            * java.awt.event.InputEvent.CTRL_DOWN_MASK
            * java.awt.event.InputEvent.META_DOWN_MASK
            * java.awt.event.InputEvent.ALT_DOWN_MASK
            * java.awt.event.InputEvent.ALT_GRAPH_DOWN_MASK
        The old modifiers
            * java.awt.event.InputEvent.SHIFT_MASK
            * java.awt.event.InputEvent.CTRL_MASK
            * java.awt.event.InputEvent.META_MASK
            * java.awt.event.InputEvent.ALT_MASK
            * java.awt.event.InputEvent.ALT_GRAPH_MASK
        also can be used, but they are mapped to _DOWN_ modifiers. Since these numbers are all different powers of two, any combination of them is an integer in which each bit represents a different modifier key. Use 0 to specify no modifiers.
        Parameters:
            keyCode - an int specifying the numeric code for a keyboard key
            modifiers - a bitwise-ored combination of any modifiers
        Returns:
            a KeyStroke object for that key
        See Also:
            KeyEvent, InputEventThere is no indication that one method consume the keystroke, while the other does not. Now, I understand that keybinding can prevent the key from reaching the model.
    And last, yes, you are right. It would be better to use DocumentFilter to serve
    When user presses 'a' key, instead of printing 'a' in the text field, I want 'o' to be printed.Thanks for all your effort to guide me and sorry for the misunderstanding,
    Patrick

  • How to find out responsibility attached for particular user through query

    hi
    How to find out responsibility attached for particular user through query
    Regards
    9841672839

    Hi,
    Following sql will help you find the responsibilities associated with the users in oracle applications.
    SELECT frt.RESPONSIBILITY_NAME, furg.end_date
    FROM
    fnd_user_resp_groups furg,
    FND_RESPONSIBILITY fr,
    fnd_responsibility_tl frt,
    fnd_user fu
    WHERE fu.user_name = ‘&&username’
    AND fu.user_id = furg.user_id
    AND furg.responsibility_id = fr.RESPONSIBILITY_ID
    AND frt.responsibility_id = fr.RESPONSIBILITY_ID
    ORDER BY 1
    Cheers...

  • Modify User (OIM 11gR2 PS1): How to enable "submit" button for custom udf fields?

    I made some new attributes following oracle documentation for create user, modify user, and view user details forms. create user and view user details are working fine, but I'm not being able to copy/paste the following code in custom modify user attributes to enable the submit button for modify user form change: #{pageFlowScope.cartDetailStateBean.attributeValueChangedListener} . Any ideas? Thanks.

    Export the sandbox and edit userModifyForm.jsff to set value change listener property for the new attribute as below
    valueChangeListener="#{pageFlowScope.cartDetailStateBean.attributeValueChangedListener}"
    http://docs.oracle.com/cd/E27559_01/admin.1112/e27149/customattr.htm#autoId4

  • Error 500--Internal Server Error:How to modify req.setReportAbsolutePath

    I test a servlet but I get following errors. I use OBIEE 11g and Jdeveloper 11.1.1.3
    How to modify the source code and the req.setReportAbsolutePath?
    ===============error====================
    http://127.0.0.1:7101/Application4-Project4-context-root/bipservlettest
    Error 500--Internal Server Error
    java.lang.NullPointerException
         at java.io.OutputStream.write(OutputStream.java:58)
         at mywebcenter.BipServletTest.doGet(BipServletTest.java:75)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:707)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:820)
         at weblogic.servlet.internal.StubSecurityHelper$ServletServiceAction.run(StubSecurityHelper.java:227)
         at weblogic.servlet.internal.StubSecurityHelper.invokeServlet(StubSecurityHelper.java:125)
         at weblogic.servlet.internal.ServletStubImpl.execute(ServletStubImpl.java:300)
         at weblogic.servlet.internal.TailFilter.doFilter(TailFilter.java:26)
         at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
         at oracle.dms.wls.DMSServletFilter.doFilter(DMSServletFilter.java:330)
         at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
         at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.doIt(WebAppServletContext.java:3684)
         at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.run(WebAppServletContext.java:3650)
         at weblogic.security.acl.internal.AuthenticatedSubject.doAs(AuthenticatedSubject.java:321)
         at weblogic.security.service.SecurityManager.runAs(SecurityManager.java:121)
         at weblogic.servlet.internal.WebAppServletContext.securedExecute(WebAppServletContext.java:2268)
         at weblogic.servlet.internal.WebAppServletContext.execute(WebAppServletContext.java:2174)
         at weblogic.servlet.internal.ServletRequestImpl.run(ServletRequestImpl.java:1446)
         at weblogic.work.ExecuteThread.execute(ExecuteThread.java:201)
         at weblogic.work.ExecuteThread.run(ExecuteThread.java:173)
    ========source code============
    package mywebcenter;
    import java.io.IOException;
    import java.io.PrintWriter;
    import javax.servlet.*;
    import javax.servlet.http.*;
    import com.oracle.xmlns.oxp.service.publicreportservice.AccessDeniedException;
    import com.oracle.xmlns.oxp.service.publicreportservice.AccessDeniedException_Exception;
    import com.oracle.xmlns.oxp.service.publicreportservice.DeliveryRequest;
    import com.oracle.xmlns.oxp.service.publicreportservice.InvalidParametersException;
    import com.oracle.xmlns.oxp.service.publicreportservice.InvalidParametersException_Exception;
    import com.oracle.xmlns.oxp.service.publicreportservice.LocalDeliveryOption;
    import com.oracle.xmlns.oxp.service.publicreportservice.OperationFailedException;
    import com.oracle.xmlns.oxp.service.publicreportservice.OperationFailedException_Exception;
    import com.oracle.xmlns.oxp.service.publicreportservice.PublicReportService;
    import com.oracle.xmlns.oxp.service.publicreportservice.PublicReportServiceClient;
    import com.oracle.xmlns.oxp.service.publicreportservice.PublicReportServiceService;
    import com.oracle.xmlns.oxp.service.publicreportservice.ReportRequest;
    import com.oracle.xmlns.oxp.service.publicreportservice.ReportResponse;
    import com.oracle.xmlns.oxp.service.publicreportservice.ScheduleRequest;
    import java.io.IOException;
    import java.io.OutputStream;
    import java.io.PrintWriter;
    import java.net.URL;
    import javax.servlet.*;
    import javax.servlet.http.*;
    import javax.xml.namespace.QName;
    public class BipServletTest extends HttpServlet {
    private static final String CONTENT_TYPE =
    "text/html; charset=windows-1252";
    private static PublicReportServiceService publicReportServiceService;
    public void init(ServletConfig config) throws ServletException {
    super.init(config);
    public void doGet(HttpServletRequest request,
    HttpServletResponse response) throws ServletException,
    IOException {
    response.setContentType(CONTENT_TYPE);
    OutputStream os = response.getOutputStream();
    //PrintWriter out = response.getWriter();
    String sid = "";
    System.out.println("===57===");
    publicReportServiceService = new PublicReportServiceService(new URL("http://localhost:9704/xmlpserver/services/PublicReportService"),
    new QName("http://xmlns.oracle.com/oxp/service/PublicReportService",
    "PublicReportServiceService"));
    PublicReportService publicReportService =
    publicReportServiceService.getPublicReportService();
    //To get a session id
    System.out.println("===64===");
    try {
    sid = this.getSessionID("weblogic", "welcome1", publicReportService);
    } catch (AccessDeniedException_Exception e) {
    System.out.println("invalid user");
    //To generate a report and display it
    System.out.println("===72===");
    ReportResponse res = this.getReportInSession(publicReportService, sid);
    byte[] binaryBytes = res.getReportBytes();
    os.write(binaryBytes);
    response.setContentType(res.getReportContentType());
    public String getSessionID(String username, String password, PublicReportService publicReportService) throws AccessDeniedException_Exception {
    String sid = publicReportService.login(username, password);
    return sid;
    public ReportResponse getReportInSession(PublicReportService publicReportService,
    String sid) {
    ReportRequest req = new ReportRequest();
    ReportResponse res = new ReportResponse();
    System.out.println("===89===");
    req.setAttributeFormat("pdf");
    req.setAttributeLocale("en-US");
    req.setAttributeTemplate("Simple");
    req.setReportAbsolutePath("E:\\OracleBI_win2008_32_20101206\\user_projects\\domains\\bifoundation_domain\\config\\bipublisher\\repository\\Reports\\Samples\\11g Overview\\W2 2010.xdo");
    //req. setSizeOfDataChunkDownload (-1); //download all
    try {
    System.out.println("99");
    res = publicReportService.runReportInSession(req, sid);
    System.out.println("101");
    System.out.println("===100==="+res.getReportContentType());
    } catch (Exception e) {
    System.out.println(e);
    System.out.println("===107===");
    return res;
    ============Jdeveloper console==================
    [Another instance of the application is running on the server.  JDeveloper redeploy the application.]
    [Application Application4 stopped but not undeployed from Server Instance IntegratedWebLogicServer]
    [Running application Application4 on Server Instance IntegratedWebLogicServer...]
    [12:45:14 PM] ---- Deployment started. ----
    [12:45:14 PM] Target platform is (Weblogic 10.3).
    [12:45:14 PM] Retrieving existing application information
    [12:45:14 PM] Running dependency analysis...
    [12:45:14 PM] Deploying 2 profiles...
    [12:45:15 PM] Wrote Web Application Module to C:\Users\Administrator\AppData\Roaming\JDeveloper\system11.1.1.3.37.56.60\o.j2ee\drs\Application4\Project4WebApp.war
    [12:45:15 PM] WARNING: Connection ApplicationDB has no password. ApplicationDB-jdbc.xml file not generated for connection ApplicationDB.
    [12:45:15 PM] Wrote Enterprise Application Module to C:\Users\Administrator\AppData\Roaming\JDeveloper\system11.1.1.3.37.56.60\o.j2ee\drs\Application4
    [12:45:15 PM] Redeploying Application...
    [12:45:17 PM] Application Redeployed Successfully.
    [12:45:17 PM] The following URL context root(s) were defined and can be used as a starting point to test your application:
    [12:45:17 PM] http://192.168.1.17:7101/Application4-Project4-context-root
    [12:45:17 PM] Elapsed time for deployment: 4 seconds
    [12:45:17 PM] ---- Deployment finished. ----
    Run startup time: 3547 ms.
    [Application Application4 deployed to Server Instance IntegratedWebLogicServer]
    Target URL -- http://127.0.0.1:7101/Application4-Project4-context-root/bipservlettest
    ===57===
    ===64===
    ===72===
    ===89===
    99
    javax.xml.ws.soap.SOAPFaultException: oracle.xdo.webservice.exception.OperationFailedException: PublicReportService::generateReport failed: due to oracle.xdo.servlet.CreateException: Report definition not found:E:\OracleBI_win2008_32_20101206\user_projects\domains\bifoundation_domain\config\bipublisher\repository\Reports\Samples\11g Overview\W2 2010.xdo
    ===107===
    <Dec 8, 2010 12:45:24 PM PST> <Error> <HTTP> <BEA-101020> <[ServletContext@26496369[app:Application4 module:Application4-Project4-context-root path:/Application4-Project4-context-root spec-version:2.5]] Servlet failed with Exception
    java.lang.NullPointerException
         at java.io.OutputStream.write(OutputStream.java:58)
         at mywebcenter.BipServletTest.doGet(BipServletTest.java:75)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:707)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:820)
         at weblogic.servlet.internal.StubSecurityHelper$ServletServiceAction.run(StubSecurityHelper.java:227)
         Truncated. see log file for complete stacktrace
    >
    <Dec 8, 2010 12:45:24 PM PST> <Notice> <Diagnostics> <BEA-320068> <Watch 'UncheckedException' with severity 'Notice' on server 'DefaultServer' has triggered at Dec 8, 2010 12:45:24 PM PST. Notification details:
    WatchRuleType: Log
    WatchRule: (SEVERITY = 'Error') AND ((MSGID = 'BEA-101020') OR (MSGID = 'BEA-101017') OR (MSGID = 'BEA-000802'))
    WatchData: DATE = Dec 8, 2010 12:45:24 PM PST SERVER = DefaultServer MESSAGE = [ServletContext@26496369[app:Application4 module:Application4-Project4-context-root path:/Application4-Project4-context-root spec-version:2.5]] Servlet failed with Exception
    java.lang.NullPointerException
         at java.io.OutputStream.write(OutputStream.java:58)
         at mywebcenter.BipServletTest.doGet(BipServletTest.java:75)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:707)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:820)
         at weblogic.servlet.internal.StubSecurityHelper$ServletServiceAction.run(StubSecurityHelper.java:227)
         at weblogic.servlet.internal.StubSecurityHelper.invokeServlet(StubSecurityHelper.java:125)
         at weblogic.servlet.internal.ServletStubImpl.execute(ServletStubImpl.java:300)
         at weblogic.servlet.internal.TailFilter.doFilter(TailFilter.java:26)
         at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
         at oracle.dms.wls.DMSServletFilter.doFilter(DMSServletFilter.java:330)
         at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
         at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.doIt(WebAppServletContext.java:3684)
         at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.run(WebAppServletContext.java:3650)
         at weblogic.security.acl.internal.AuthenticatedSubject.doAs(AuthenticatedSubject.java:321)
         at weblogic.security.service.SecurityManager.runAs(SecurityManager.java:121)
         at weblogic.servlet.internal.WebAppServletContext.securedExecute(WebAppServletContext.java:2268)
         at weblogic.servlet.internal.WebAppServletContext.execute(WebAppServletContext.java:2174)
         at weblogic.servlet.internal.ServletRequestImpl.run(ServletRequestImpl.java:1446)
         at weblogic.work.ExecuteThread.execute(ExecuteThread.java:201)
         at weblogic.work.ExecuteThread.run(ExecuteThread.java:173)
    SUBSYSTEM = HTTP USERID = <WLS Kernel> SEVERITY = Error THREAD = [ACTIVE] ExecuteThread: '1' for queue: 'weblogic.kernel.Default (self-tuning)' MSGID = BEA-101020 MACHINE = WIN-IT8WDLG81KH TXID = CONTEXTID = 55211ca27b9d1dfd:bd42a62:12cc7606a10:-8000-000000000000009c TIMESTAMP = 1291841124147
    WatchAlarmType: AutomaticReset
    WatchAlarmResetPeriod: 30000
    >
    <Dec 8, 2010 12:45:34 PM PST> <Alert> <Diagnostics> <BEA-320016> <Creating diagnostic image in c:\users\administrator\appdata\roaming\jdeveloper\system11.1.1.3.37.56.60\defaultdomain\servers\defaultserver\adr\diag\ofm\defaultdomain\defaultserver\incident\incdir_12 with a lockout minute period of 1.>

    am able to login
    http://192.168.75.140:7001/console/login/LoginForm.jsp
    from this environment-> servers-> all servers(adminserver,soa_server1, oim_server1, oam_server1) status is running,and health is ok.
    I have started these servers from command line <base_domain/bin/sh startManagedWebLogic.sh oim_server1
    result is <server started in running mode>
    now I shutdown the oam_server1 and oim_server1
    again I started the oim_server1 as above
    command line result is < <May 30, 2013 7:54:47 PM IST> <Notice> <WebLogicServer> <BEA-000360> <Server started in RUNNING mode>
    but in (http://localhost:7001/console) window oim_server1 status is unknown...

  • Limit user fields seen  in Modify User Approval Request task - 11g R2

    Hi,
    I want to do the following;
    I fire a 'Modify User Profile' request, the request is being assigned to the right person. When the approver opens the task assigned to him in the Request Details tab he sees all the data about the user he will approve. I want to limit the user fields seen on this page, I just want to show few fields to the approver, is that possible? If yes how I can achieve that? Any help is strongly appreciated..
    BR ,
    Aliye

    Thank you Nayan for your fast response...
    If I do it in the way you suggested, the user will not see the attributes also when he try to modify user by clicking 'Modify' link from the oim user page. I want to do this only for the page accessed described below:
    Approver user has logged in to oim
    click Pending Approval from left pane-> Select the task from the list ->Task Page oppened-> Click Request Details tab->User attributes are seen ... I want to limit the attributes on that page.. Customize link is not accessable from here...
    Do you know any other way to achieve my requirement? Maybe there is something like approval template I dont know...
    Thank you so much for your guide..
    BR,
    Aliye

  • How to let user download multi files at the same time in WebDynpro ABAP?

    hi all:
    As you know, WeyDynpor has provided upload/download UI element, but it seems that it only support one file upload/downlaod at the same time.The following is the API method to download one file in Webdynpro:
        cl_wd_runtime_services=>attach_file_to_response(
         EXPORTING
           i_filename      = lv_filename
           i_content       = lv_content
           i_mime_type     = lv_mine_type
           i_in_new_window = abap_true
           i_inplace       = abap_false
    *      EXCEPTIONS
    *        others          = 1
    but if when use click one button, we want to provide user a html file plus 2 icons files which are used as this html file's resource file, then how to let user download these 3 files together at the same time?
    one simple way is calling the download api (cl_wd_runtime_services=>attach_file_to_response) 3 times,
    but it is very ugly that three popup windows are shown to let user select every file's download path, which is unaccepted.
    So anyone know more convienient way to handle it?
    thanks.

    Hi,
    I suggest you to zip the files and attach it to the response. Do the add file part for each of your files
         "References
         DATA lr_zip TYPE REF TO cl_abap_zip.
         "Variables
         DATA lv_zip_xstring TYPE xstring.
         DATA lv_zip_name TYPE string.
         DATA lv_file_content TYPE xstring.
         DATA lv_file_name  TYPE string.
         "Create instance
         CREATE OBJECT lr_zip.
         "Add file
         lr_zip_attachments->add(
           EXPORTING name = lv_file_name
                  content = lv_file_content ).
         lr_zip_attachments->save( RECEIVING zip = lv_zip_xstring ).
         "Attach zip file to response
         cl_wd_runtime_services=>attach_file_to_response(
           EXPORTING i_filename      = lv_zip_name
                     i_mime_type     = 'ZIP/APPLICATION'
                     i_content       = lv_zip_xstring ).

  • How to modify a lookup field-type to use checkbox instead of radiobutton?

    How to modify a lookup field-type to use checkbox instead of radiobutton?
    I would like to modify the behavior for the lookup field.
    Normally you get a screen where it is possible to search through a lookup. The items resulted from the search are listed as radiobutton items. Therefore you can select only one at the time to be added.
    Is it possible to have the items to be listed as checkbox instead? So that you can check multiple items and therefore be able to add multiple items at the time?
    For example:
    To add the user to 10 different groups on MS-AD.
    It is desired to have the ability to check multiple groups to be added instead only one at the time.
    My client would like to use this feature in many other situations.

    Displaying will not be a big deal but with that you have to customize the action class and its working as well.

  • How to modify a column name & How to modify a constraint name

    How to modify a column name?
    How to modify a primary key constraint name if the pk has been referenced by another foreign key?
    Thanks.

    Hi,
    What version of oracle are you using? If it is 9i,
    then you can the command
    alter table <table_name> rename column <column_name> to <new_column>;
    if it is 8i or earlier, you can create a view with the required names.
    hth
    Always post the oracle version and the platform you are using to get better response.

  • How to Block user from Sending IM or Hide Presence of there user who is not in his department

    Hi All,
    How to Block user from Sending IM or Hide Presence of there user who is not in his department.
    Thank you

    Hi Jp,
    Method 1:
    You can use the Enhanced Privacy Mode in Lync 2013
    <section class="ocpSection">
    Enable Privacy Mode
    By default, everyone except Blocked Contacts can see your presence status. To modify the privacy settings, you can do the following:
    In the Lync main window, click the Options button.
    In the Lync - Options dialog box, click Status, and then do one of the following:
    Click I want everyone to be able to see my presence regardless of system settings (override default settings).
    Click I want the system administrator to decide - currently everyone can see my presence but this could change in the future.
    </section>
    About Enhanced Privacy Mode
    If your organization has enabled Enhanced Privacy Mode in Lync, you can choose whether to limit visibility of your presence information to only those people you’ve added to your Contacts list. You do that by selecting one of the following on the
    Options->Status window:
    I want everyone to be able to see my presence
    I only want people in my Contacts list to see my presence
    Method 2:
    Using Privacy Relationship, you can block a particular user by adding him to blocked contacts
    Anil Kumar (MCITP)
    Note: Posts are provided “AS IS” without warranty of any kind, either expressed or implied, including but not limited to the implied warranties of merchantability and/or fitness for a particular purpose.

Maybe you are looking for

  • %FILEINFO% token not working correctly in photo gallery

    I created a photo gallery through the automated script and the output of it placed the description where I wanted it, but it doesnt update it when a new image in selected. The description from the first image remains in the description box the entire

  • How to share an airport disc between PC and Mac

    I am planning to buy a airport station and connect my existing USB hard disc for sharing the data wirelessly among my PC and Mac book. My existing USB hard disc was partitioned into two parts to cater for different formats for PC and Mac book. One of

  • Footnotes and Bibliography?

    It appears that Apple has overlooked the ability to create footnotes and a bibiography in iBooks Author. (yet it's specifically targeted at the academic textbook market) Can this possibly be true???

  • Getting error imp-00017 while tryimg to import dump

    HI, My imp command is USERID= sqapkob/sqapkob@orcl2 FILE=/export/home/fccus/DUMP/fcpkob2.dmp LOG=/export/home/fccus/DUMP/fcpkobexpl.log FROMUSER=FCPKOB TOUSER=SQAPKOB IGNORE=Y FEEDBACK=200 COMMIT=Y Rows=Y I am getting errors like imp-00017following s

  • Photoshop CC 15.2 update fails

    I get the error when  trying to update PS CC 15.2 over a 15.0 version : 10/13/14 17:07:48:271 | [FATAL] |  | OOBE | DE |  |  |  | 5968 | DS003: Installer package might be corrupt. Re-download the installer and try again. (Cannot extract 'C:\Users\Dom