Not able to see negative exception in reporting agent setting.

Hello Gurus,
I created a query with exceptions on top of a multi-provider. This multi-provider is built on top of a DSO and a remote cube.
Exceptions is the query
1. range from -1,00,00,000 to -0.1
2. range from 1 to 1,00,00,000.
When I created a reporting agent setting for this query, i was able to see the positive exception but not negative. Please help me regarding this.
thanks,
Aarthi.

Hello Aarthi,
Have you checked the dataprovider contains the negative values.
Do a list Cube on the multiprovider and confirm it.
Have you defined single exception for both or seperate exception. If 2 then check whether exception is active?
Thanks
Chandran

Similar Messages

  • Users not able to see all the default reports in FDM under analysis

    All,
    Users in FDM are not able to see all the default reports which will be available under Analysis. I have checked the MenuNavigation and MenuNavigationItems under object maintainence in FDM which have "ALL" as the provisioning level. I am not sure where the issue is as the users still not able to see the reports. Please advise if there is something that can be done in workbench.
    Regards

    You can set security on Report folders in workbench.  You would go to the report tab in workbench, and right click on a Folder (Cannot do it on the individual report, it has to be on the folder), and you can assign security levels to the report folder.  There are some in here that default to the admin level but you can override it.
    Regards
    JTF

  • Except sadmin other users not able to see siebel BI publisher reports

    Hi,
    we have integrated siebel with BI publisher, except sadmin other users not able to see BI publisher reports, it is throwing error "No file has been attached to this record, please attach a file. SBL-SVC-00155".
    when login with sadmin report is generating. we have created user sadmin on BI publisher. if we change that user sadmin on BI publisher to some other name, then sadmin not able to generate reports. is there any specific on user creation on BIP should match with siebel?
    Thanks,
    Joe

    i suggest then dropping user and re-creating and then re-assigning permission (just keep his webcat files) - it'll be faster than looking into individual permissions
    another possible option - did you check his browser? sometimes the screen resolution can be too low and they don't see it on the same screen - need to scroll.
    is it possible he's not using the same Dashboard page as others? just check the "Report Links" to make sure
    i'm not sure what else could be a cause of this

  • Why am i not able to see the exception message?

    i wrote an 'instead of insert' trigger on a view.
    and there are some exception situations in which the insertion should be stopped. my trigger works correctly. i mean it implements its purpose. however, the message i am taking after the trigger execution is not satisfying. ( i am using iSQL*Plus as the editor.)
    here is my trigger: (after trigger there is some extra explanation below.)
    CREATE OR REPLACE TRIGGER DemandOfCourses_T1_II
    INSTEAD OF INSERT ON DemandOfCourses
    REFERENCING NEW AS NEW OLD AS OLD
    FOR EACH ROW
    DECLARE
         cpc NUMBER;
         currentNum NUMBER;
    stud1 NUMBER;
         stud2 NUMBER;
         prec     NUMBER;
    exc1 EXCEPTION;
    exc2 EXCEPTION;
    BEGIN
         SELECT capacity
         INTO cpc
         FROM LimitedCourse
         WHERE course = :NEW.course;
         IF cpc IS NULL THEN
              cpc := 1000;
         END IF;
         SELECT COUNT(course)
    INTO currentNum
    FROM Registered
    WHERE course = :NEW.course;
         SELECT COUNT(student)
         INTO stud1
         FROM Registered
         WHERE student = :NEW.student
         AND course = :NEW.course;
         SELECT COUNT(student)
         INTO stud2
         FROM WaitingFor
         WHERE student = :NEW.student
         AND course = :NEW.course;
         SELECT COUNT(hp.preCourse)
         INTO prec
         FROM HasPrereq hp
         WHERE hp.course = :NEW.course
         AND hp.preCourse NOT IN (SELECT course FROM CourseResult WHERE student = :NEW.student);
         IF (prec = 0) THEN
         IF (stud1 = 0) AND (stud2 = 0) THEN
         IF (currentNum = cpc) THEN
              INSERT INTO WaitingFor
              VALUES (:NEW.student, :NEW.course, SYSDATE);
         ELSE
              INSERT INTO Registered
              VALUES (:NEW.student, :NEW.course);
         END IF;
         ELSE
         RAISE exc1;
         END IF;
         ELSE
         RAISE exc2;
         END IF;
         EXCEPTION
         WHEN exc1 THEN
              RAISE_APPLICATION_ERROR (-20002, 'Already registered for this course.');
         WHEN exc2 THEN
              RAISE_APPLICATION_ERROR (-20003, 'First the prerequesite course(s) must be taken.');
         WHEN NO_DATA_FOUND THEN
              NULL;
    END;
    for eample, if i want to insert the row below:
    INSERT INTO DemandOfCourses VALUES (100005, 'BAK127', 'REGISTERED');
    -- 100005 : STUDENT ID
    -- BAK127 : COURSE CODE
    -- REGISTERED : SITUATION
    when i run this insert comment, i receive this result:
    1 row created.
    Actually, it should not insert anything. and it is not inserting anything. i mean, it is working correctly. however, i want it to write my exception message: "-20003, 'First the prerequesite course(s) must be taken.'"
    why cannot i see my expected exception message?
    all the data and structure is certainly true. if you have a question about them, i can answer.
    by the way, i will catch this exception from my java code. what should i do in this situation?
    any help will be appreciated.
    regards

    Hi,
    i don't understand your logic.
    See, I added output to trace the counters value :
    SQL> drop table courses cascade constraints;
    Table dropped.
    SQL> CREATE TABLE Courses (
      2  code VARCHAR2(15),
      3  name VARCHAR2(40) NOT NULL,
      4  credit NUMBER(2) CHECK (credit BETWEEN 1 AND 20),
      5  PRIMARY KEY (code)
      6  );
    Table created.
    SQL>
    SQL> drop table LimitedCourse;
    Table dropped.
    SQL> CREATE TABLE LimitedCourse (
      2  course VARCHAR2(15),
      3  capacity NUMBER(3) NOT NULL,
      4  PRIMARY KEY (course),
      5  FOREIGN KEY (course) REFERENCES Courses(code)
      6  );
    Table created.
    SQL>
    SQL> drop table Registered;
    Table dropped.
    SQL> CREATE TABLE Registered (
      2  student NUMBER(6),
      3  course VARCHAR2(15),
      4  PRIMARY KEY (student, course),
      5  --FOREIGN KEY (student) REFERENCES Students(studentID),
      6  FOREIGN KEY (course) REFERENCES Courses(code)
      7  );
    Table created.
    SQL>
    SQL> drop table WaitingFor;
    Table dropped.
    SQL> CREATE TABLE WaitingFor (
      2  student NUMBER(6),
      3  course VARCHAR2(15),
      4  regisDate TIMESTAMP NOT NULL,
      5  PRIMARY KEY (student, course),
      6  --FOREIGN KEY (student) REFERENCES Students(studentID),
      7  FOREIGN KEY (course) REFERENCES Courses(code)
      8  );
    Table created.
    SQL>
    SQL> drop table HasPrereq ;
    Table dropped.
    SQL> CREATE TABLE HasPrereq (
      2  course VARCHAR2(15),
      3  preCourse VARCHAR2(15),
      4  PRIMARY KEY (course, preCourse),
      5  FOREIGN KEY (course) REFERENCES Courses(code),
      6  FOREIGN KEY (preCourse) REFERENCES Courses(code)
      7  );
    Table created.
    SQL>
    SQL>
    SQL> drop table CourseResult;
    Table dropped.
    SQL> CREATE TABLE CourseResult (
      2  student NUMBER(6),
      3  course VARCHAR2(15));
    Table created.
    SQL>
    SQL> CREATE OR REPLACE VIEW DemandOfCourses (student, course, situation) AS
      2  (SELECT student, course, 'REGISTERED' FROM Registered)
      3  UNION
      4  (SELECT student, course, 'WAITING' FROM WaitingFor);
    View created.
    SQL>
    SQL> INSERT INTO Courses VALUES ('EDA242', 'MATHEMATICS 1', 5);
    1 row created.
    SQL>
    SQL> INSERT INTO LimitedCourse VALUES ('EDA242', 15);
    1 row created.
    SQL>
    SQL>
    SQL> CREATE OR REPLACE TRIGGER DemandOfCourses_T1_II
      2  INSTEAD OF INSERT ON DemandOfCourses
      3  REFERENCING NEW AS NEW OLD AS OLD
      4  FOR EACH ROW
      5  DECLARE
      6   cpc NUMBER;
      7   currentNum NUMBER;
      8   stud1 NUMBER;
      9   stud2 NUMBER;
    10   prec NUMBER;
    11   exc1 EXCEPTION;
    12   exc2 EXCEPTION;
    13 
    14  BEGIN
    15 
    16  SELECT capacity
    17  INTO cpc
    18  FROM LimitedCourse
    19  WHERE course = :NEW.course;
    20  dbms_output.put_line('cpc '||cpc);
    21 
    22  IF cpc IS NULL THEN
    23   cpc := 1000;
    24  END IF;
    25 
    26 
    27  SELECT COUNT(*)
    28  INTO currentNum
    29  FROM Registered
    30  WHERE course = :NEW.course;
    31  dbms_output.put_line('currentNum '||currentNum);
    32 
    33  SELECT COUNT(*)
    34  INTO stud1
    35  FROM Registered
    36  WHERE student = :NEW.student
    37  AND course = :NEW.course;
    38  dbms_output.put_line('stud1 '||stud1);
    39 
    40  SELECT COUNT(*)
    41  INTO stud2
    42  FROM WaitingFor
    43  WHERE student = :NEW.student
    44  AND course = :NEW.course;
    45  dbms_output.put_line('stud2 '||stud2);
    46 
    47 
    48  SELECT COUNT(*)
    49  INTO prec
    50  FROM HasPrereq hp
    51  WHERE hp.course = :NEW.course
    52  AND hp.preCourse NOT IN (SELECT course FROM CourseResult WHERE student = :NEW.student);
    53  dbms_output.put_line('prec '||prec);
    54 
    55 
    56  IF (prec = 0) THEN
    57   IF (stud1 = 0) AND (stud2 = 0) THEN
    58    IF (currentNum = cpc) THEN
    59     dbms_output.put_line('IF_1');
    60     INSERT INTO WaitingFor
    61     VALUES (:NEW.student, :NEW.course, SYSTIMESTAMP);
    62    ELSE
    63     dbms_output.put_line('ELSE_1');
    64     INSERT INTO Registered
    65     VALUES (:NEW.student, :NEW.course);
    66    END IF;
    67   ELSE
    68    dbms_output.put_line('ELSE_2');
    69    RAISE exc1;
    70   END IF;
    71  ELSE
    72   dbms_output.put_line('ELSE_3');
    73   RAISE exc2;
    74  END IF;
    75 
    76  EXCEPTION
    77  WHEN exc1 THEN RAISE_APPLICATION_ERROR (-20002, 'Already registered for this course.');
    78  WHEN exc2 THEN RAISE_APPLICATION_ERROR (-20003, 'First the prerequesite course(s) must be taken
    79  WHEN NO_DATA_FOUND THEN dbms_output.put_line('NO_DATA_FOUND');
    80  END;
    81  /
    Trigger created.
    SQL>
    SQL> INSERT INTO DemandOfCourses VALUES (100005, 'EDA242', 'REGISTERED');
    cpc 15
    currentNum 0 --here all count are 0, also you insert...
    stud1 0
    stud2 0
    prec 0
    ELSE_1
    1 row created.
    SQL> INSERT INTO DemandOfCourses VALUES (100005, 'EDA242', 'REGISTERED');
    INSERT INTO DemandOfCourses VALUES (100005, 'EDA242', 'REGISTERED')
    ERROR at line 1:
    ORA-20002: Already registered for this course. --For the second time, you have your excetion...
    ORA-06512: at "SCOTT.DEMANDOFCOURSES_T1_II", line 73
    ORA-04088: error during execution of trigger 'SCOTT.DEMANDOFCOURSES_T1_II'
    SQL> Nicolas.

  • Not able to see Beat Audio software and mute light not glowing on fresh windows 8

    Hi, 
    I am using Laptop : HP ENVY 4 1046tx. I have installed fresh windows 8 on it. After that I have downloaded audio software from HP software site but that driver is not accepting. 
    1. I am not able to see Beat Audio software and equalizer setting in control pannel.
    2. When I am pressing mute button mute light (red light) is not glowing on button
    Thanks,
    Prabhat
    This question was solved.
    View Solution.

    Try the IDT Audio driver here:
    http://ftp.hp.com/pub/softpaq/sp58501-59000/sp5863​5.exe
    ******Clicking the Thumbs-Up button is a way to say -Thanks!.******
    **Click Accept as Solution on a Reply that solves your issue to help others**

  • Not able to see crsytal report preview in Distributed Environment, Gettin e

    Hi All,
    I developed CR report using CR 2008, and integrated it with .Net 2.0, Its working fine in all the environments that we have except one environment. I'm not able to See the preview of Crystal report in that Environment but able to export the report to PDF format.
    Details Of the Error is mentioned bellow:
    My Application is working fine in In-Proc session, here we can see the preview, export to PDf format.
    But when we are trying to See the report in Production Environment u2013 WebFarm (NT Cluster+SQL Cluster) which run in SQLSession. i'm not able to see the preview option. But when i'm exporting the same report to PDF format its working fine. Bellow is the error i got while i try for the preview options. kindly tell me solutions for this.
    Attempted to read or write protected memory. This is often an indication that other memory is corrupt.
    Description: An unhandled exception occurred during the execution of the current web request. Please review the stack trace for more information about the error and where it originated in the code.
    Exception Details: System.AccessViolationException: Attempted to read or write protected memory. This is often an indication that other memory is corrupt.
    Source Error:
    An unhandled exception was generated during the execution of the current web request. Information regarding the origin and location of the exception can be identified using the exception stack trace below.
    Stack Trace:
    [AccessViolationException: Attempted to read or write protected memory. This is often an indication that other memory is corrupt.]
       CrystalDecisions.ReportAppServer.XmlSerialize.XmlSerializerClass.CreateObjectFromString(String bsXmlData) +0
       CrystalDecisions.ReportAppServer.ReportClientDocumentWrapper.Deserialize(SerializationInfo info, StreamingContext context) +165
    [CrystalReportsException: Deserialization failed.  You need to run "rassdk://C:\FIFA\FIFAUI\CrystalReports\GTSRequestedTransportSummaryReport.rpt" on a Report Application Server.]
       CrystalDecisions.ReportAppServer.ReportClientDocumentWrapper.Deserialize(SerializationInfo info, StreamingContext context) +309
       CrystalDecisions.ReportAppServer.ReportClientDocumentWrapper..ctor(SerializationInfo info, StreamingContext context) +51
       CrystalDecisions.CrystalReports.Engine.ReportDocument..ctor(SerializationInfo info, StreamingContext context) +200
    [TargetInvocationException: Exception has been thrown by the target of an invocation.]
       System.RuntimeMethodHandle._SerializationInvoke(Object target, SignatureStruct& declaringTypeSig, SerializationInfo info, StreamingContext context) +0
       System.Reflection.RuntimeConstructorInfo.SerializationInvoke(Object target, SerializationInfo info, StreamingContext context) +108
       System.Runtime.Serialization.ObjectManager.CompleteISerializableObject(Object obj, SerializationInfo info, StreamingContext context) +273
       System.Runtime.Serialization.ObjectManager.FixupSpecialObject(ObjectHolder holder) +49
       System.Runtime.Serialization.ObjectManager.DoFixups() +223
       System.Runtime.Serialization.Formatters.Binary.ObjectReader.Deserialize(HeaderHandler handler, __BinaryParser serParser, Boolean fCheck, Boolean isCrossAppDomain, IMethodCallMessage methodCallMessage) +188
       System.Runtime.Serialization.Formatters.Binary.BinaryFormatter.Deserialize(Stream serializationStream, HeaderHandler handler, Boolean fCheck, Boolean isCrossAppDomain, IMethodCallMessage methodCallMessage) +203
       System.Web.Util.AltSerialization.ReadValueFromStream(BinaryReader reader) +788
       System.Web.SessionState.SessionStateItemCollection.ReadValueFromStreamWithAssert() +55
       System.Web.SessionState.SessionStateItemCollection.DeserializeItem(String name, Boolean check) +281
       System.Web.SessionState.SessionStateItemCollection.get_Item(String name) +19
       System.Web.SessionState.HttpSessionStateContainer.get_Item(String name) +13
       System.Web.SessionState.HttpSessionState.get_Item(String name) +13
       FIFAUI.Reports.CrystalReportDisplay.Page_Load(Object sender, EventArgs e) +142
       System.Web.Util.CalliHelper.EventArgFunctionCaller(IntPtr fp, Object o, Object t, EventArgs e) +14
       System.Web.Util.CalliEventHandlerDelegateProxy.Callback(Object sender, EventArgs e) +35
       System.Web.UI.Control.OnLoad(EventArgs e) +99
       System.Web.UI.Control.LoadRecursive() +50
       System.Web.UI.Page.ProcessRequestMain(Boolean includeStagesBeforeAsyncPoint, Boolean includeStagesAfterAsyncPoint) +627
    Version Information: Microsoft .NET Framework Version:2.0.50727.3082; ASP.NET Version:2.0.50727.3082

    It looks like you might be attempting to serialize the ReportDocument and store it in Session on a StateServer or SQLServer. The ReportDocument is NOT serializable. You can only put it in Session if the <sessionState> is InProc.

  • Not able to see the data in the report

    Hi All
          In my cube i am having data.But when i am running the report ,i am not able to see the data.
        The error its throwing is -No Applicable data found.
        what could be the problem,please provide me the idea to solve the problem.
    Thanks&regards
    syam prasad dasari

    HI,
    See that any restrictions are there in the report(Filters)....Give the same restrictions in Listcube and see if you are getting data or not.....
    Thanks

  • Report exection problem for one user - not able to see the data.

    Hello Friends ,
    Need some help . I have got the one ticket from bussniess side about the report execution .
    Unfortunately , I am also not having authorisation of that report due to sensible data.
    Problem - User is executing the report but some how he is not ABLE TO see the data for one company code Hierachy .
    I executed the same report through RSSMQ via his user id , and I got the  below message.
    All value were selected . Hierachy Authorisation cannot be used.
    A displayed hierachy requier a hierachy authorisation .
    But when i checked his authorisation , I am able to see that he should have authorisation to all the hireachy .
    could you please let me know , how can I check more ?
    Regards,

    after accessing the report , u go to su53 tcode and check the authorization and u can see what is problem in authorization for the that user and u can send the details to secuity team to rectify the issue ,

  • Not able to see the result in particular column of BPC report

    Dear All,
    I have problem in one of the BPC report where I am not able to see the result into one column but rest of the users are able to see the result for same column in same report without any issues.
    Generally, I used this report frequently but having such problem from last few days. Excel has created any logs which I need to clear? Please advice.
    Request your help to resolve such problem please.
    If you need any information, please let me know.
    Thank You
    Kind Regards
    Anukul

    Hello Anukul,
    In the report what type of data you are trying to check in that column. can you please brief about report.
    And also please check the excel cell format (right click and check it is a numeric or character), which may help to resolve this issue.
    Regards,
    Rajesh.K

  • Not able to see Purchase Order No in FBL1N Report

    Dear All,
    I am not able to see Purchase Order Number in FBL1N report. I have tried in change layout by selecting the purchase document but system is not displaying.
    Kindly help me on this.
    Regards,
    Yadayya

    Dear Yadayya,
    in reference to your query please review the SAP note
    152335  Field EBELN in line layout variant for cust./vendor
    Please note that field BSEG-EBELN is not possible for being shown
    with a value in FBL1N and FBL5N as explained in the note above.
    Since Release 3.0, several purchase orders can be offset in one invoice.
    As a result, different purchasing document numbers (BSEG-EBELN) can be
    contained in the different G/L account line items.
    As a result, it is no longer possible to enter a unique purchasing
    document number in the customer/vendor line item.Field BSEG-EBELN is not
    filled in the vendor line item and therefore cannot be displayed in the
    line item display for customers/vendors.
    Hope this information helps to clarify the standard system behaviour.
    Mauri

  • I am not able to see the valeus in the report on multiprovider.

    Hi Gurus,
    I have loaded an infoobject Document currency0DOC_CURRCY into DSO and assigned a constant "USD" to it and I am able to see that value in DSO through the display data.
    Later I moved the DSO into multiprovider by loading the 0DOC_CURRCY in to multiprovider and wrote a query on it.
    But I am not able to see the values for 0DOC_CURRCY in the report.
    Why I am not able to see the valeus in the report which is executing on the multiprovider.
    PLs help me with a solution.

    Hi,
    First step is to checck the data in the ODS.
    Second is, You use Identify Characteristics and Select Key Figures to make InfoObject assignments between MultiProviders and InfoProviders.
    If this is checked you 70 % of the job is Over in your creating multiprovider.
    For more information
    http://help.sap.com/saphelp_sm40/helpdata/en/cf/bc734190ba137de10000000a155106/content.htms
    santosh

  • I could not able to see bi pulisher reports in dashboar

    hi gurus(bi publisher)
    since one month i have been facing problem with bi publisher reports
    We have created flex chats using bi publisher and we have placed all the chats in dashboard,
    when we were maintaining users and groups in RPD Administrator and all user were able to see the flex chats,
    for that we have created XMLP_ADMIN group in RPD and we assign the uses to that group,Now we are using external tables for user and groups and
    in the table i have created XMLP_ADMIN group in admin and i have assign user to that group
    now the problem is ,administrator is able to see the flex chat reports but all other user r not able to see the bi publisher reprots
    i was getting an error like access is denied please contact to bi publisher Administrator,such error i am getting
    i did all the changes in security configuration ,i set security model as bi_server and i have given everything
    even though users can not able to see the chats
    is there any one using bi-publisher reports in dashboard with external table authentication? please
    help me out form this problem
    Thanks

    Hi
    take a look at the post
    http://bipconsulting.blogspot.com/2010/03/how-to-migrate-bi-publisher-reports-to.html
    Hope this helps
    Regards
    Roy

  • Not able to see the crystal reports XI version in the IE 7 and IE 8

    Hi Team,
    I am using web based application developed in VB,ASP,SQL SERVER,Crystal Reports(XI). I am able to see the Crystal Reports in IE 6. But i am not able to see the reports in IE 7 and IE 8. While clicking on the reports button it is showing the  red X image top left cornor.
    I am using CrystalActiveX viewer11 version for viewing the reports.
    In IE 6,if the client using fiirst time for vieiwing the reports,it will ask the Activexviewer control prompt and says ok,it will display the reports.
    Thanks and Regards
    Eshwar

    Thanks your advise.But we are using following crystal reports (XI) version and we don't have CRXI with R1 and R2.
    CurrentVersion:11.0.0.895 ( CR Developer and Product Type:Full)
    Crystal Reportviewer11 configured in the IIS which is version (5.0). and configured the virtual folder to C:\Program Files\Common Files\Business Objects\3.0\crystalreportviewers11\.
    Our web application code also configured in the IIS at same level.
    When the user wants to see the reports through the application,it will ask the Plugin of Crystal Report Viewer and user will download this plugin and it will save in the IE plug ins.It will ask only first time viewing the reports for the next onwards it will not ask or prompt of the Activex control.
    So please suggest me, is there any upgrade version of this Crystal Reportviewer11 needs to be installed or any browser setting need to be configured for IE 7 and IE 8.
    waiting for your reply.
    Regards
    Eshwar

  • OBIEE 11g  - Not able to see existing reports which are created by specific owner but I could able to see Admin role user reports.

    OBIEE 11g  - Not able to see existing reports which are created by specific owner but I could able to see Admin role user reports.
    Appreciated if you could able to help as soon as possible as I don' have back up for these disappeared reports.
    Pleas let me know if any additional information needed.

    Hi
    Thank you for the reply.
    Here one thing I would need to mention that those are created by me on last week, but when I check those today, I could not able to see or even admin also not able to see those. For sure no migration and updations happend over the week end, really not able to debug whats the issue around. Unfortunately I haven't taken back up as well.
    Please could you help and let me know whats the root cause and how I could able to restore.
    Best regards,
    Kumar

  • EAM Controller is not able to see FFLOGs in Reports & analytics tab

    Hello Team,
    We have recently configured GRC 10.1. Currently we are testing the configuration and We have observed that EAM Controller is not able to see FFLOGs in Reports & analytics tab but  administrater is able to view the logs.
    Has anyone faced thiss issue earlier.  Please help me to get it resolved.
    Thanks,
    VIJEI

    Hi Ameet,
    Thanks for quick reply.
    I have assigned the custom roles of below SAP standard roles to EAM Controler ID
    SAP_GRAC_BASE
    SAP_GRAC_NWBC
    SAP_GRAC_SUPER_USER_MGMT_CNTLR
    SAP_GRC_FN_BASE
    SAP_GRC_FN_BUSINESS_USER
    Please let me know do i need to add any other roles or add Auth object to the roles.
    Thanks,
    Vijei

Maybe you are looking for

  • Xcode: volume that does not support ownership

    I just tried to install the latest Xcode which, after installing its components, flashed this warning: "Xcode is running from a volume that does not support ownership. Please move Xcode to one that does." Any clue what's up with that and how to fix i

  • Where to find Gimp package for Macbook?

    Hi, I have managed to install X11 on my Macbook and I now need to find a site that has Gimp bundled with an automatic installer. Any ideas? Cheers.

  • InDesign CS to InDesign CS4

    I am trying to re-install an upgrade version of InDesign CS4 (upgrading from CS Standard). As, in the past, I get an error message stating CS4 is not upgradable from CS Standard. A call to Adobe always resulted in a code that would bypass this messag

  • HTML Jump produces error

    RoboHelp6 for WORD Windows XP Creating WinHelp2000 project When I create an "HTML Jump" in Word and set the following properties, I get the following results: 1. Display in WinHelp, specify URL - works 2. Display in Browser, specify URL - error 3. Di

  • Configurator 1.0 Known issues summary

    Known issues summary: Exporting panel fails on Windows Vista. Workaround: Start the Configurator in “Run as Administrator” mode. Right-click and select “Run as Administrator” 1884843, Configurator can’t find the default “export panel path” when Photo