OKEON ERROR: Overlapping intervals or identical values have occurred

Hi Gurus,
Kindly help with my problem. When creating a cost center/ cost center group in OKEON, a warning message is appearing, Message No. GS001, the message log is as follows:
Overlapping intervals or identical values have occurred
Message no. GS001
Diagnosis
You have created or changed a set. The set contains a value more than once, although the set definition specifies that this is not allowed.
System Response
The system does not allow you to create or change the set.
Procedure
Either correct the set so that it does not contain any value more than once, or change your settings so that a value can occur more than once in the set (in other words, deselect the ambiguity check in the header screen for set maintenance).
If you cannot find the multiple occurrences of values in this set, first permit multiple occurrences of a value and save the set. You can then carry out an ambiguity check (by choosing "Utilities -> Ambiguity check") which will show you the values that occur more than once, together with their path.
I now wish to change the settings of the set so that a value can occur more than once. But my problem is I do not know where to change this setting. Can anyone please advise?
Thanks and regards
Edited by: pinoy sap on Feb 19, 2009 11:31 AM

Greetings Randall et al.,
Is it even possible to disable Ambiguity Check for CO groups?
You can disable the ambiguity check for a Set in GS02 if you go to the Header level, but if  you try to change a CO group that way, it will give you the error GS098 "CO groups cannot be changed"
And if you go to KSH2 / KAH2 there is no option of going to the Header level?
We have found an instance in which one of our CO groups contains a CO subgroup with duplicate entries, which we will naturally fix, but I am perplexed as to why there was a non-unique group saved in the first place?

Similar Messages

  • Groups having non-overlapping intervals

    Hi there,
    I need help on some mind boggling overlap problem, or perhaps non-overlap problem.
    Having the sample data below, I need to put together subcodes in groups having non-overlapping
    intervals [MIN_VAL;MAX_VAL[
    I have this table:
    SQL>create table t (product   varchar2(1) not null
      2                 ,subcode   number(1)   not null, constraint subcode_chk check (subcode >= 0)
      3                 ,min_val   number(2)   not null, constraint min_val_chk check (min_val >= 0)
      4                 ,max_val   number(2)   not null, constraint max_val_chk check (max_val >= 0)
      5                 ,constraint t_pk primary key (product, subcode)
      6                 ,constraint t_val_chk check (min_val < max_val));
    Table created.
    SQL>
    SQL>insert into t (product, subcode, min_val, max_val) values ('A', 0, 0, 99);
    1 row created.
    SQL>insert into t (product, subcode, min_val, max_val) values ('A', 1, 0, 99);
    1 row created.
    SQL>insert into t (product, subcode, min_val, max_val) values ('A', 2, 18, 67);
    1 row created.
    SQL>insert into t (product, subcode, min_val, max_val) values ('A', 3, 20, 65);
    1 row created.
    SQL>insert into t (product, subcode, min_val, max_val) values ('A', 4, 0, 99);
    1 row created.
    SQL>insert into t (product, subcode, min_val, max_val) values ('A', 5, 45, 60);
    1 row created.
    SQL>insert into t (product, subcode, min_val, max_val) values ('A', 6, 20, 40);
    1 row created.
    SQL>insert into t (product, subcode, min_val, max_val) values ('A', 7, 0, 99);
    1 row created.
    SQL>insert into t (product, subcode, min_val, max_val) values ('A', 8, 60, 65);
    1 row created.
    SQL>insert into t (product, subcode, min_val, max_val) values ('A', 9, 0, 99);
    1 row created.
    SQL>commit
      2  /
    Commit complete.
    SQL>
    SQL>  select product, subcode, min_val, max_val
      2      from t
      3     where product = 'A'
      4  order by product, subcode;
    PRODUCT    SUBCODE    MIN_VAL    MAX_VAL
    A                0          0         99
    A                1          0         99
    A                2         18         67
    A                3         20         65
    A                4          0         99
    A                5         45         60
    A                6         20         40
    A                7          0         99
    A                8         60         65
    A                9          0         99
    10 rows selected.
    SQL>The records of interest are subcodes 5,6,8 since they in certain cases can be considered as one subcode.
    It is OK, that MAX_VAL of one record = MIN_VAL of other record. The main thing is that the subcodes
    within a group are mutual disclosing on MIN_VAL, MAX_VAL.
    SQL>  select product, subcode, min_val, max_val
      2      from t
      3     where product = 'A'
      4       and subcode in (5,6,8)
      5  order by min_val;
    PRODUCT    SUBCODE    MIN_VAL    MAX_VAL
    A                6         20         40
    A                5         45         60
    A                8         60         65
    SQL>I have started out by trying to solve it using lag/lead analytical functions, but without luck.
    Next, I've come up with this hierarchial query, but I don't quite understand it myself, and that bothers me!
    SQL>    select distinct -- This, distinct, bothers me!
      2                      product
      3                     ,subcode
      4                     ,min_val
      5                     ,max_val
      6  --                   ,connect_by_isleaf
      7  --                   ,connect_by_root subcode
      8        from t
      9       where connect_by_isleaf = 1 -- Why does this help me?
    10  start with -- This, start with, seems "clumpsy"
    11            min_val in (  select min_val
    12                            from t
    13                        group by product, subcode, min_val)
    14  connect by nocycle -- This, nocycle, really bothers me!
    15                     min_val > prior min_val
    16                 and max_val <= prior max_val
    17                 and product = prior product
    18                 and subcode <> prior subcode
    19    order by product
    20            ,subcode
    21            ,min_val
    22            ,max_val;
    PRODUCT    SUBCODE    MIN_VAL    MAX_VAL
    A                5         45         60
    A                6         20         40
    A                8         60         65
    SQL>Currently I'm struggling with just identifying the three subcodes. In the perfect world this would be better output
    PRODUCT    SUBCODE    MIN_VAL    MAX_VAL   GROUP_FLAG
    A                0          0         99
    A                1          0         99
    A                2         18         67
    A                3         20         65
    A                4          0         99
    A                5         45         60            1
    A                6         20         40            1
    A                7          0         99
    A                8         60         65            1
    A                9          0         99Or even better, if using herarchial query:
    PRODUCT    SUBCODE    MIN_VAL    MAX_VAL   ROOT_SUBCODE
    A                0          0         99              0
    A                1          0         99              1
    A                2         18         67              2
    A                3         20         65              3
    A                4          0         99              4
    A                5         45         60              6
    A                6         20         40              6
    A                7          0         99              7
    A                8         60         65              6
    A                9          0         99              9Any help and inspiration would be much appreciated. But please don't get offended if I don't follow up the next 12-14 hrs.
    Regards
    Peter
    BANNER
    Oracle Database 10g Enterprise Edition Release 10.2.0.4.0 - 64biEdited by: Peter on May 19, 2009 12:52 PM
    - Changed line 15 in hierarchial query

    Brillant as always, Frank. Ten points and mange tak for you.
    (1) What is your concept of "group" in this problem? In what sense do subcodes 5, 6 and 8 form a group? Is it that they share the quality of not overlapping with some other row with the same product? That is, will there be at most two groups per product: rows that overlap with every other row, and rows that don't?By group I mean, that when isolated from other subcodes, a group does not overlap. For product A, I have 10 different subcodes. In certain situations I'm allowed to consider 5,6 and 8 as one, since they don't overlap. In general the data presented results in 8 groups, 7 groups having 1 subcode, 1 group having 3 subcodes.
    (2) What you mean by "mutually disclosing"? Is it that the min_val to max_val ranges do not overlap?Yes. They are however allowed to be equal.
    As to your query. Seems you're right, it might actually be that "simple". I changed slightly, allowing >= and <=
    SQL> SELECT m.*,
      2         CASE
      3            WHEN
      4            EXISTS (
      5                     SELECT  NULL
      6                     FROM    t
      7                     WHERE   product = m.product
      8                     AND     (       min_val >= m.max_val
      9                             OR      max_val <= m.min_val
    10                             )
    11                   )
    12         THEN 1 END group_flag
    13    FROM t m;
    PRODUCT    SUBCODE    MIN_VAL    MAX_VAL GROUP_FLAG
    A                0          0         99
    A                1          0         99
    A                2         18         67
    A                3         20         65
    A                4          0         99
    A                5         45         60          1
    A                6         20         40          1
    A                7          0         99
    A                8         60         65          1
    A                9          0         99
    10 rows selected.
    SQL>
    This assumes that min_val <= max_val on each row.Your assumption is perfectly correct, as expessed in check constraint on table t.
    >
    The rest of this message concerns the CONNECT BY query you posted, in case you want to understand it better.
    When I run the CONNECT BY query you posted, I get these results:
    P    SUBCODE    MIN_VAL    MAX_VAL
    A          0          0         99
    A          1          0         99
    A          4          0         99
    A          5         45         60
    A          6         20         40
    A          7          0         99
    A          8         60         65
    A          9          0         99
    Ouch, my bad. Somehow I posted the wrong query. I have edited line 15 from
      15                    min_val >= prior min_valinto
      15                    min_val > prior min_val
    The START WITH clause includes all rows: you might as well not have a START WITH clause:
    10  start with -- This, start with, seems "clumpsy"
    11            min_val in (  select min_val
    12                            from t
    13                        group by product, subcode, min_val)
    That's great, somehow I was misled to believe that wew should always have a START WITH.
    Thank you for your remainding comments on hierarchial query. I'll definitely have to play around with it to fully understand. With the edit mentioned, and
    without a START WITH it now looks as,
    SQL>  select distinct -- This, distinct, bothers me!
      2                       product
      3                      ,subcode
      4                      ,min_val
      5                      ,max_val
      6         from t
      7        where connect_by_isleaf = 1 -- Why does this help me?
      8   connect by nocycle -- This, nocycle, really bothers me!
      9                      min_val > prior min_val
    10                  and max_val <= prior max_val
    11                  and product = prior product
    12                  and subcode <> prior subcode  -- Not necessary
    13     order by product
    14             ,subcode
    15             ,min_val
    16             ,max_val;
    PRODUCT    SUBCODE    MIN_VAL    MAX_VAL
    A                5         45         60
    A                6         20         40
    A                8         60         65
    3 rows selected.
    SQL>One final question. In your solution with EXISTS, you use < and >. In my rewritten example I use <= and >=. It seems that it still works, even without a condition on subcode != m.subcode in the subquery.
    Maybe I'm too tired by now, but why is that? - just don't get it
    Regards
    Peter

  • Error 1000: AFx Library library exception: Sql encountered an error: These columns don't currently have unique values.

    Hi everyone,
    Using the Writer block, configured with a correct SQLAzure instance, I experience this error:
    - Error 1000: AFx Library library exception: Sql encountered an error: These columns don't currently have unique values.
    I have read that this error can be related to inheritance problems, but my table does not have inheritances of any kind:
    CREATE TABLE [dbo].[my_table](
    [my_float] [float] NULL
    ) ON [PRIMARY]
    GO
    Writer block parameters:
    Comma separated list of columns to be saved:
    temp      (from Bike Rental UCI Dataset)
    Data Table name: [dbo].[my_table]
    Comma separated list of datatable columns:
    [my_float]
    The experiment from which I have extracted the writing part was able to correctly write to DB until few days ago. Is it possible that some changes in the platform are causing this issue or am I doing something wrong?
    Thank you and best regards,
    FV

    Hi Maureen,
    Yes, the scenario is correct. On SQL profiler I can't see any SQL operation that can lead to that kind of error, but as you were saying it was worth trying anyway having that error message.
    New test scenario:
    CREATE TABLE [dbo].[my_table_identity](
        [ID] [int] IDENTITY(1,1) NOT NULL,
        [my_float] [float] NULL,    
     CONSTRAINT [PK_my_table_identity] PRIMARY KEY CLUSTERED 
        [ID] ASC
    )WITH (PAD_INDEX  = OFF, STATISTICS_NORECOMPUTE  = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS  = ON, ALLOW_PAGE_LOCKS  = ON)
    ) ON [PRIMARY]
    -- These lines work fine on SQL Management Studio
    INSERT INTO [dbo].[my_table_identity] (my_float) VALUES (1.23)
    INSERT INTO [dbo].[my_table_identity] (my_float) VALUES (1.23)
    INSERT INTO [dbo].[my_table_identity] (my_float) VALUES (1.23)
    -- I can see all new rows with each one a different ID
    SELECT * FROM [dbo].[my_table_identity]
    dbo is the default schema for my Azure login.
    New writer block parameters:
    Comma separated list of columns to be saved: temp  
       (from Bike Rental UCI Dataset)
    Data Table name: my_table_identity
    Comma separated list of datatable columns: my_float
    I still get the same error: Error 1000: AFx Library library exception: Sql encountered an error: These columns don't currently have unique values.
    I have also tried to pass the "instant" column instead of "temp", as it hasn't any duplicated values, but still no luck.
    I attach the log file (purged of sensitive information) because I see some error / warnings there.
    https://dl.dropboxusercontent.com/u/40411467/azure_log.txt
    Thank you again and best regards,
    FV

  • File to Idoc - Generate one segment where sourcfields have identical values

    Hello Team,
                          This is a Flat File to Idoc scenario where one idoc is generated at the target.
    As i have mapped the Record(1..unbounded) with the E1MBXYI (1..9999), one record  in the file would create one E1MBXYI- segment in the Idoc. So if the source has four records then this would create an idoc with four E1MBXYI-segments. The requirement is, it has to generate only 1 segment for the input records(Order,Item and Date) if they have identical values.
    eg., 1234,66,01032009 (Order,Item,Date)
           1234,67,01032009
           1234,68,01032009
           1234,69,01032009  - this would generate four E1MBXY1 segments in the target each for item value 66,67,68 & 69 as it has no identical item values.
    eg., 1234,66,01032009
           1234,67,01032009
           1234,66,01032009
           1234,68,01032009  - this would generate three E1MBXY1 segments each for item value 66,67 & 68 in the target.The 2 identical item values for item 66 creates one segment.
    How could i achieve this in the mapping, Should i go for an UDF or could it be achieved using standard functions?
    Appreciate your replies....
    Thanks,
    Rag

    Hi Raghavendra,
    U can achieve this by simple graphical mapping.
    U can do ir using following functions,
    If
    equlas
    and
    context changes.
    eg.
                                                                                    order                           order
                         order
                         item                   equalsS                                                         then
                                                                                 and                       if
                         date
                         order                   equalsS                                                      else
                                                                                    order(context change)             order
    repeat the same for other fields also,
    item and date....
    If any doubt pl post the problem....
    I hope this will be helping u...

  • The selected signed file could not be authenticated. The file might have been tampered with or an error might have occured during download. Please verify the MD5 hash value against the Cisco Systems web site

    I am trying to load any 9.0.3 firmware on my UCM 5.0.4.2000-1 server. Every newer firmware I load throws the following error. I have verified the MD5 is correct and also downloaded the file several times with the same result. I can load the same firmware file on another UCM server and it loads fine. Any ideas?
    Thanks in advance!
    Error Message:
    The selected signed file could not be authenticated. The file might have been  tampered with or an error might have occured during download. Please verify the  MD5 hash value against the Cisco Systems web site:  9b:b6:31:09:18:15:e7:c0:97:9f:e6:fe:9a:19:94:99
    Firmware File: cmterm-7970_7971-sccp.9-0-3.cop.sgn
    UCM version: 5.0.4.2000-1

    Thanks for your reply. We have a lab environment where I maintain  UCM 5.0, 5.1, 6.0, 6.1, 7.0, 7.1 and 8.0 servers each running the latest released firmware for our QA testing team. I have downloaded and installed the latest device packages but find that if I try to install any firmware newer then 8.3.1 on either 5.0.4 or 6.0 i start getting MD5 hash authentication errors. It looks like 9.0.3 firmware should work on UCM 5.0 and 6.0 so I am lost as to why I can't seem to update any firmware for any model phone if it is newer then version 8.3.1 on either 5.0 or 6.0. while 5.1 and 6.1 work without issues. Maybe it is just a bug. I mostly wanted to see if anyone else has experienced this or if it is just me.

  • What do I do when I get an error message: Could not write value ManageLLRouting to key\SYSTEM\CurrentControlSet\Services\BonjourService\Parameters.  Verify that you have sufficient access to that key, or contact your support personnel?

    What do I do when I get an error message: Could not write value ManageLLRouting to key\SYSTEM\CurrentControlSet\Services\BonjourService\Parameters.  Verify that you have sufficient access to that key, or contact your support personnel?

    See Troubleshooting issues with iTunes for Windows updates for general advice.
    For "Could not open key/write value" errors when reinstalling try b noir's user tip:
    "Could not open key: UNKNOWN\Components\[LongStringOfLettersAndNumbers]\
    [LongStringOfLettersAndNumbers]" error messages when installing iTunes for Windows but apply it to the branch in question.
    In this thread the OP found their AV solution appeared to be blocking access to the registry. 
    tt2

  • ERROR: Error 1406.Could not write value  to key \SOFTWARE\Microsoft\Windows\CurrentVersion\Run.   Verify that you have sufficient access to that key, or contact your support personnel.

    ERROR: Error 1406.Could not write value  to key \SOFTWARE\Microsoft\Windows\CurrentVersion\Run.   Verify that you have sufficient access to that key, or contact your support personnel.
    ERROR: Install MSI payload failed with error: 1603 - Fatal error during installation.
    MSI Error message: Error 1406.Could not write value  to key \SOFTWARE\Microsoft\Windows\CurrentVersion\Run.   Verify that you have sufficient access to that key, or contact your support personnel.

    Error 1402 | Error 1406 | Acrobat, Reader
    Error 1603: A fatal error occurred during installation

  • ExternamSystemId identical values error when InsertOrUpdate Campaign Object

    Hello,
    My requirement is want to insert or update the values in Campaign object to linking with List object(its Child object of campaign)
    I'm using CRMOD webservice InsertorUpdate method using proxy class.
    Whenever i try to import the same data with different/same child object. Its throws the following error
    For instance of Integration Component 'Campaign', using user key '[External System Id] = "1-7QH3N"', a record with identical values already exists in the Siebel database.
    Please ensure that the field values in the input message are unique.(SBL-EAI-04381)
    I'm getting this error when i was pass the same value for ExternamSystemId and Campain's SourceCode fields
    eg: (ExternamSystemId = 1-7QH3N and SourceCode = 1-7QH3N )
    is ExternamSystemId and SourceCode values should be different in Campaign object ??? if i pass different values or pass just 2 or 3 records per request then i didn't get any error. if i pass 20 records per request then it throw the above error.
    Please give some advice for this issue
    Thansk in advance
    Best Wishes
    Sathis Kumar P

    Hi All,
    Below is my SOAP Message
    <SOAP-ENV:Envelope>
    <SOAP-ENV:Body>
    <SOAPSDK1:AccountWS_AccountInsertOrUpdate_Input>
    <SOAPSDK2:ListOfAccount>
    <Account>
    <ParentAccountExternalSystemId>990038131</ParentAccountExternalSystemId>
    <stLEID>11207733</stLEID>
    <stSubProfileID>2</stSubProfileID>
    <plGroup_Status>Subsidiary</plGroup_Status>
    *<ExternalSystemId>11207733/2</ExternalSystemId>*
    </Account>
    </SOAPSDK2:ListOfAccount>
    </SOAPSDK1:AccountWS_AccountInsertOrUpdate_Input>
    </SOAP-ENV:Body>
    </SOAP-ENV:Envelope>
    Here I'm calling Upsert and a Client is already found with this Exact ExternalSystemId.
    I am not updating any Name or location It should go ahead and update the Account based on the ExternalSystemId field is my understanding correct ?
    I wonder why am I getting
    *'For instance of Integration Component 'Account', using user key '[External System Id] = "11207733/2"', a record with identical values already exists in the Siebel database.'* in the response..
    Any reasoning .....

  • Office 365 API, error: The token has invalid value 'roles' for the claim type ''

    Hi guys,
    I am trying to develop a Daemon / Server application using the new Office 365 APIs. I have added a new application to Azure Active Directory. I am using cURL + the app ID and secret to get a JWT token, this is the exact request:
    curl -X POST https://login.windows.net/TENANT_KEY/oauth2/token \
    -F redirect_uri=http://spreadyDaemon \
    -F grant_type=client_credentials \
    -F resource=https://outlook.office365.com/ \
    -F client_id=XXXX \
    -F client_secret=XXXX=
     I get back a JWT however it has no scopes for access set here is the decoded JWT claims:
    "ver": "1.0",
    "aud": "https://outlook.office365.com/",
    "iss": "https://sts.windows.net/TENANT_KEY/",
    "oid": "17fa33ae-a0e9-4292-96ea-24ce8f11df21",
    "idp": "https://sts.windows.net/TENANT_KEY/",
    "appidacr": "1",
    "exp": 1415986833,
    "appid": "XXXX",
    "tid": "e625eb3f-ef77-4c02-8010-c591d78b6c5f",
    "iat": 1415982933,
    "nbf": 1415982933,
    "sub": "17fa33ae-a0e9-4292-96ea-24ce8f11df21"
    Therefore when I do a request to the exchange API endpoint I get the following response:
    HTTP/1.1 401 Unauthorized
    Cache-Control: private
    Server: Microsoft-IIS/8.0
    request-id: d08d01a8-7213-4a13-a598-08362b4dfa70
    Set-Cookie: ClientId=WDALDNO0CAIOOZDZWTA; expires=Sat, 14-Nov-2015 16:40:59 GMT; path=/; HttpOnly
    X-CalculatedBETarget: am3pr01mb0662.eurprd01.prod.exchangelabs.com
    x-ms-diagnostics: 2000001;reason="The token has invalid value 'roles' for the claim type ''.";error_category="invalid_token"
    X-DiagInfo: AM3PR01MB0662
    X-BEServer: AM3PR01MB0662
    X-AspNet-Version: 4.0.30319
    Set-Cookie: exchangecookie=6bf68da033684824af21af3b0cdea6e3; expires=Sat, 14-Nov-2015 16:40:59 GMT; path=/; HttpOnly
    Set-Cookie: [email protected]=[email protected]4Wbno2ajNGQkZKWnI2QjJCZi9GckJKBzc/Oy9LOzdLOy6vOycXLz8XKxoGaio2PjZvPztGPjZCb0ZqHnJeekZiak56djNGckJI=; expires=Sun, 14-Dec-2014 16:40:59 GMT; path=/EWS; secure; HttpOnly
    Set-Cookie: [email protected]=[email protected]4Wbno2ajNGQkZKWnI2QjJCZi9GckJKBzc/Oy9LOzdLOy6vOycXLz8XKxg==; expires=Sun, 14-Dec-2014 16:40:59 GMT; path=/EWS; secure; HttpOnly
    X-Powered-By: ASP.NET
    X-FEServer: DB4PR02CA0026
    WWW-Authenticate: Bearer client_id="00000002-0000-0ff1-ce00-000000000000", trusted_issuers="00000001-0000-0000-c000-000000000000@*", authorization_uri="https://login.windows.net/common/oauth2/authorize", error="invalid_token",Basic Realm="",Basic Realm=""
    Date: Fri, 14 Nov 2014 16:40:59 GMT
    Content-Length: 0
    I have asked a stack overflow question here: http://stackoverflow.com/questions/26950838/office-365-api-error-the-token-has-invalid-value-roles-for-the-claim-type
    Any help on the matter will be hugely appreciated, thanks!

    Hi Manu,
    To wrap this thread up; I have had an answer on stack overflow.
    It appears that currently the grant type client_credentials is not supported, according to a comment on this blog post by Matthias' http://blogs.msdn.com/b/exchangedev/archive/2014/03/25/using-oauth2-to-access-calendar-contact-and-mail-api-in-exchange-online-in-office-365.aspx 
    "There is no way in the code flow to avoid username/password. We're working on a client credential flow for later this fall that will give you the functionality required to run background services. For this you will not need a username/password,
    but the application will directly assert its identity and authenticate as itself."
    Unfortunately I require client_credentials for a daemon process, Q4 is the scheduled release for support for this grant time.
    Thanks for the help,
    Nick

  • I have 2 issues when downloading Acrobat XI pro as a creative cloud user. I am receiving an error below when downloading and I have lost the previous version of Acrobat and my disk will no longer load.

    Exit Code: 7 Please see specific errors below for troubleshooting. For example,  ERROR:   -------------------------------------- Summary --------------------------------------  - 0 fatal error(s), 3 error(s)    ----------- Payload: Acrobat Professional 11.0.0.0 {23D3F585-AE29-4670-8E3E-64A0EFB29240} -----------  ERROR: Error 1406.Could not write value  to key \SOFTWARE\Microsoft\Windows\CurrentVersion\Run.   Verify that you have sufficient access to that key, or contact your support personnel.  ERROR: Install MSI payload failed with error: 1603 - Fatal error during installation. MSI Error message: Error 1406.Could not write value  to key \SOFTWARE\Microsoft\Windows\CurrentVersion\Run.   Verify that you have sufficient access to that key, or contact your support personnel.  ERROR: Third party payload installer AcroPro.msi failed with exit code: 1603  -------------------------------------------------------------------------------------

    My apologies for not supplying the rest of the information required. I will go through the information provided in the link. Thank you.
    I am using Windows 7 Home Premium.
    The previous version of Acrobat is showing 8 from CS3 Design Premium.
    I did not get a chance to try another DVD drive or load onto another machine to test the disk. I will also have to note all of the errors from the reinstall failure.
    I do see the original install folder created - C:\Program Files (x86)\Adobe\Acrobat 8.0
    Jeff

  • Error 1406.Could not write value Adobe ARM

    Hi all,
    I have tried to install the new version of Adobe Reader XI, but I keep getting the following error messages.
    I have tried to follow suggestion by others on the web as to how to sort this problem out.
    I have uninstalled adobe reader and restarted the computer.
    tried to download again but still get the error message.
    The full error message I got was,
    Error 1406.Could not write value Adobe ARM to key \SOFTWARE\Microsoft\Windows\CurrentVersion\Run. Verify that you have sufficient access to that key, or contact your support personnel.
    I went to the registry HKEY_Local_Machine and then to the above location.
    in the right hand side of the registry editor is listed ADOBE ARM   "C:\Program Files\Common Files\Adobe\ARM\1.0\AdobeARM.exe"
    I have tried to delete this entry but my system wont let me.
    I am running Windows 7 ultimate 32 bit
    I have 4 Gb RAM
    I have an Intel core2 Quad Q6600 @2.40Ghz
    I run Zone Alarm Extreme Security with virus protection.
    I hope someone can help as I want to install Adobe Reader.

    Truthfully, I don¹t know the difference.
    Okay here is what happened:
    I purchased a new Mac because my old one was on the fritz.  They put all of
    my old programs on my new computer including my old Adobe Acrobat 7.0
    Standard.  Since I purchased a newer computer, I gave the old one to my
    assistant.  But the Apple people replaced the hard drive on the old one, so
    none of the old programs were in the system.  I purchased Adobe Acrobat XI
    Standard for the new computer and figured I could just reload the old
    acrobat on the old computer. But I had to buy new windows and parallels
    programs in order to get the parallels program to work on the old computer.
    Here¹s what it looks like:
    New Computer:
    Old Windows
    New Acrobat
    Old Parallels
    Old computer
    New Windows
    New Parallels
    Old Acrobat
    How much more messy could this get?
    Maybe I should put all of the old stuff on the old computer and all of the
    new stuff on the new computer?
    Or, maybe I should just update everything? Prior to this everything worked
    fine. . .
    But, what do you think?
    Dionne L. Wade, Esq.
    Law Office of Dionne Wade
    1301 Main Avenue, 2nd Floor
    Clifton, New Jersey 07011
    Office 973.340.4662
    Fax: 973.340.4775
    INTERNET CONFIDENTIALITY NOTICE:
    This transmission is intended only for the use of its indicated recipients
    and may contain information that is privileged, confidential and exempt from
    disclosure under applicable law.  If the reader of this transmission is not
    an intended recipient, you are hereby notified that any dissemination,
    distribution or copying of the transmission is strictly prohibited.  If you
    have received this transmission in error, please immediately notify us by
    telephone (collect call if long distance) and/or by e-mail, delete the
    transmission from your system and destroy any printed copies which you may
    have made of the transmission.

  • ORA-06502: PL/SQL: numeric or value error: NULL index table key value Repor

    W've been experiencing the Oracle Error: ORA-06502: PL/SQL: numeric or value error: NULL index table key value Report’ [we are currently on apex v3.0.1]. From the forum there was a reference to a bug fix: apex bug (6416829) fixed in 3.1. When we view '6416829' in Metalink we can see the bug title but cannot see any details as it's protected. Can anyone shed some light on why it's protected or provide further details.
    We have many LIVE customers reporting this error and we want to be certain it's fixed in v3.1.
    (currently we are working around this by flushing the shared pool but this is not ideal).
    Any help would be appreciated.

    Scott,
    This error has been thrown several times in the past 24 hours. Yesterday several of my reports threw the error, these reports have done so in the past. This morning APEX has begun throwing the error of which I have seen only once before. This is occuring at Home>Application>My Application. The error appears when I attempt to View the report in Details mode, is OK when I view the report in Icons mode. The error is occuring in my Prodution environment which has not been updated since 2/25/2009.
    As before, I edited the SQL on my application's reports and the error then disappeared.
    We are running Application Express 3.2.0.00.27 and Oracle Release 10.2.0.1.0. My browser is IE 7.0.
    Plan to test later with FireFox provided I can download it to see if this might browser related.
    Any inforamtion or guidance is appreciated.
    Jeff

  • Error ORA-06502, numeric or value error character to number conversion

    I have been trying to create an email including data from a table as part of the body. Whenever I try to send it, I get an error ORA-06502, numeric or value error, character to number conversion. If I take out the part referencing the table, the email will go without error, but if I put it back in I get the error.
    There is the code:
    DECLARE
    v_email_body CLOB;
    v_from_email_address VARCHAR2(100) := v('APP_USER');
    v_id NUMBER;
    BEGIN
    v_email_body := 'Please pay the attached invoice from FY '||:P14_FY||' funds
    Date: '||:P14_PURCHASE_DATE||'
    Vendor: '||:P14_VENDOR||'
    Invoice Number: '||:P14_INVOICE||'
    Invoice Date: '||:P14_INVOICE_DT||'
    Due Date: '||:P14_INVOICE_DUE_DT||'
    KSR Number: '||:P14_KSR||'
    DTS PO: '||:P14_DTS_PO||'
    FINANCE DO: '||:P14_FINANCE_PO||'
    FOR detail IN(SELECT OB_CODE
    FROM BUDGET_USED
    WHERE P_ID = :P14_ID)
    v_email_body := v_email_body||detail.OB_CODE||utl_tcp.crlf;
    LOOP
    FOR detail2 IN (SELECT ob_code, amount
    FROM budget_used
    WHERE p_id = :P14_ID)
    LOOP
    v_email_body := v_email_body||detail2.ELCID||' - '||detail2.AMOUNT||utl_tcp.crlf;
    END LOOP;
    END LOOP;
    v_email_body := v_email_body
    '||:P14_EMAIL_NOTES||'
    Thanks.
    v_id := APEX_MAIL.SEND
    (p_to => :P14_SUBMIT_TO
    ,p_cc => v('APP_USER')
    ,p_bcc => '[email protected]'
    ,p_from => v_from_email_address
    ,p_body => v_email_body
    ,p_subj => 'Invoice, '||:P14_VENDOR||', '||:P14_INVOICE||'');
    --Having set up your email, now add one (or more) attachments...
    FOR c1 in (SELECT FILENAME
    ,BLOB_CONTENT
    ,MIME_TYPE
    FROM file_subjects f, apex_application_files a
    where a.name = f.name
    and f.P_ID = :P14_ID) LOOP
    IF c1.blob_content IS NOT NULL THEN
    APEX_MAIL.ADD_ATTACHMENT( p_mail_id => v_id,
    p_attachment => c1.blob_content,
    p_filename => c1.filename,
    p_mime_type => c1.mime_type);
    END IF;
    END LOOP;
    END;
    Apex_mail.push_queue();
    This is important to my company to be able to put this data into an email. If anyone can help me, I would greatly appreciate it. Thank you in advance.

    Lets isolate the erroring line by running the code in debug mode and adding some debug lines at various stages in the code
    Apex has a builtin function named wwv_flow.debug which can print messages to the debug stack and would be visible when the page is run in debug mode.
    DECLARE
    v_email_body CLOB;
    v_from_email_address VARCHAR2(100) := v('APP_USER');
    v_id NUMBER;
    BEGIN
    wwv_flow.debug('BEGIN');
      v_email_body := 'Please pay the attached invoice from FY '||:P14_FY||' funds
      Date: '||:P14_PURCHASE_DATE||'
      Vendor: '||:P14_VENDOR||'
      Invoice Number: '||:P14_INVOICE||'
      Invoice Date: '||:P14_INVOICE_DT||'
      Due Date: '||:P14_INVOICE_DUE_DT||'
      KSR Number: '||:P14_KSR||'
      DTS PO: '||:P14_DTS_PO||'
      FINANCE DO: '||:P14_FINANCE_PO||'
      '||:P14_EMAIL_NOTES||'
      Thanks.
    wwv_flow.debug('Before sending mail');
      v_id := APEX_MAIL.SEND
      (p_to => :P14_SUBMIT_TO
      ,p_cc => v('APP_USER')
      ,p_bcc => '[email protected]'
      ,p_from => v_from_email_address
      ,p_body => v_email_body
      ,p_subj => 'Invoice, '||:P14_VENDOR||', '||:P14_INVOICE||'');
    wwv_flow.debug('Before attachements');
      --Having set up your email, now add one (or more) attachments...
      FOR c1 in
             (SELECT FILENAME
            ,BLOB_CONTENT
            ,MIME_TYPE
            FROM file_subjects f, apex_application_files a
            where a.name = f.name
            and f.P_ID = :P14_ID)
      LOOP
        IF c1.blob_content IS NOT NULL THEN
        APEX_MAIL.ADD_ATTACHMENT( p_mail_id => v_id,
        p_attachment => c1.blob_content,
        p_filename => c1.filename,
        p_mime_type => c1.mime_type);
        END IF;
      END LOOP;
    wwv_flow.debug('Finished attachements'); 
      Apex_mail.push_queue();
    END;What is the last message you see in the debug after running the page in debug mode and submitting it ?

  • FPGA 2010 Compilation error - TclTasklC:project_028: Unknown property value

    Hi, I'm using a cRIO 9075 and a NI 9211 to measure temperature for a project busy with. Everytime I try t compile code I have a compilation error that read as follows:
    Compilation failed due to a Xilinx error.
    Details:
    ERROR: TclTasksC: project_028:Unknown property value "spartan6" specified for "PROP_DevFamily"
    Can someone help me on how to resolve this error, I'm using LabVIEW FPGA 2010 and Xilinx 11.5
    Regards 
    Solved!
    Go to Solution.

    What version of the NI-RIO driver do you have?
    Attached is a chart with the different compatibilities of the RIO driver.
    NI-RIO and LabVIEW Version Compatibility
    http://digital.ni.com/public.nsf/allkb/577CC9A7DCFC73DF8625738400116CC3?OpenDocument
    Is this a 64-bit machine? Also, the minimum version of LabVIEW that will work with the 9075 is LabVIEW 2010SP1. You can verify if you have this version by going into Measurement & Austomation Explorer and expanding software. If you do not have LabVIEW 2010SP1, you will need either the platform DVDs for 2010 SP1 or you can download the content from www.NI.com/src. 
    You will also want to verify that you have the 2010SP1 FPGA module and 2010SP1 RT module.
    Also, does this issue occur with all FPGA VIs that you try to compile or only the one that you are currently working on?
    You can check by doing two things:
    1. Try to compile a blank FPGA VI (i.e. nothing on the block diagram or front panel)
    2. Try to compile an FPGA VI from one of the example LabVIEW projects 
    Please post back if one of these troubleshooting steps resolved your issue or if you're still having problems.
    Jordan

  • Active Directory Certificate Services setup failed with the following error: Overlapped I/O operation is in progress. 0x800703e5 (WIN32: 997)

    Hi,
    I am trying to install certificate services on a windows 2008 server (R2 ENT SP1) with a PCIe nCipher HSM module installed on it. The version of nCipher SW is = 11.30.  It is a RootCA, and I am trying to use a key that is already stored in the HSM (I
    have done this before with a PCI HSM (older HW version)).  I select “Use existing private key” and “Select an existing private key on this computer” on the wizard, then i change the CSP to nCipher and click on "search" the key I am looking for
    appears and I select that one.  I repeat, I have done this before and it works with a PCI HSM module.
    The installation is finished before being prompted to insert the operator cards, and it ends with two errors:
    <Error>: Active Directory Certificate Services setup failed with the following error: Overlapped I/O operation is in progress. 0x800703e5 (WIN32: 997)
    And:
    <Error>: Active Directory Certificate Services setup failed with the following error: The group or resource is not in the correct state to perform the requested operation.
    0x8007139f (WIN32: 5023)
    The servermanager.log says:
    1856: 2014-07-23 18:27:48.195 [CAManager]                 Sync: Validity period units: Years
    1856: 2014-07-23 18:27:48.928 [Provider] Error (Id=0) System.Runtime.InteropServices.COMException (0x800703E5): CCertSrvSetup::Install: Overlapped I/O operation is in progress. 0x800703e5 (WIN32: 997)
       at Microsoft.CertificateServices.Setup.Interop.CCertSrvSetupClass.Install()
       at Microsoft.Windows.ServerManager.CertificateServer.CertificateServerRoleProvider.Configure(InstallableFeatureInformation featureInfo, DiscoveryResult discoveryResult, ChangeTracker changeTracker)
    1856: 2014-07-23 18:27:48.928 [Provider]                  CAErrorID: 0, CAErrorString: 'Active Directory Certificate Services setup failed with the following error:  Overlapped I/O operation is in progress.
    0x800703e5 (WIN32: 997)'
    1856: 2014-07-23 18:27:48.928 [Provider]                  Adding error message.
    1856: 2014-07-23 18:27:48.928 [Provider]                  [STAT] For 'Certification Authority':
    And:
    1856: 2014-07-23 18:27:49.053 [CAWebProxyManager]         Sync: Initializing defaults
    1856: 2014-07-23 18:27:49.162 [Provider] Error (Id=0) System.Runtime.InteropServices.COMException (0x8007139F): CCertSrvSetup::Install: The group or resource is not in the correct state to perform the requested operation. 0x8007139f (WIN32: 5023)
       at Microsoft.CertificateServices.Setup.Interop.CCertSrvSetupClass.Install()
       at Microsoft.Windows.ServerManager.CertificateServer.CertificateServerRoleProvider.Configure(InstallableFeatureInformation featureInfo, DiscoveryResult discoveryResult, ChangeTracker changeTracker)
    1856: 2014-07-23 18:27:49.162 [Provider]                  CAErrorID: 0, CAErrorString: 'Active Directory Certificate Services setup failed with the following error:  The group or resource is not in the correct
    state to perform the requested operation. 0x8007139f (WIN32: 5023)'
    1856: 2014-07-23 18:27:49.162 [Provider]                  Adding error message.
    Has anyone experienced this before? Am I missing something here?
    Any help will be very appreciated
    Thanks in advance
    Best regards
    Alejandro Lozano Villanueva

    Hi, thanks for your support.
    I have been playing around a bit with some ncipher commands and found this:
    C:\Program Files (x86)\nCipher\nfast\bin>cspcheck.exe
    cspcheck: fatal error: File key_mscapi_container-1c44b9424a23f6cddc91e8a065241a0
    9aa719e4f (key #1): 0 modules contain the counter (NVRAM file ID 021c44b9424a23f
    6cddc91)
    cspcheck: information: 2 containers and 2 keys found.
    cspcheck: fatal error occurred.
    If I perform the same command on the original server (the server with the original kmdata folder and with the running RootCA services):
    E:\nfast\bin>cspcheck.exe
    cspcheck: information: 2 containers and 2 keys found.
    cspcheck: everything seems to be in order.
    Strange?
    Moreover, when I do a csptest.exe command (also on both servers, i find this)
    On the new server:
    C:\Program Files (x86)\nCipher\nfast\bin>csptest.exe
    nCipher CSP test software
    =========================
    Found the nCipher domestic CSP named 'nCipher Enhanced Cryptographic Provider'
      Provider name: nCipher Enhanced Cryptographic Provider
      Version number: 1.48
    User key containers:
        Container 'csptest.exe' has no stored keys.
        Container 'Administrator' has no stored keys.
      Machine key containers:
        Container '352dd28a-17cb-4c6f-b6e4-bf39bcf75db5' has a 2048-bit signature key.
        Container 'ROOTCA' has no stored keys.
        Container 'csptest.exe' has no stored keys.
    While in the old server:
    E:\nfast\bin>csptest.exe
    nCipher CSP test software
    =========================
    Found the nCipher domestic CSP named 'nCipher Enhanced Cryptographic Provider'
      Provider name: nCipher Enhanced Cryptographic Provider
      Version number: 1.40
    User key containers:
        Container 'csptest.exe' has no stored keys.
      Machine key containers:
        Container '352dd28a-17cb-4c6f-b6e4-bf39bcf75db5' has a 2048-bit signature key.
        Container 'ROOTCA' has a 2048-bit signature key.
        Container 'csptest.exe' has no stored keys.
    As you can see, the container called ROOTCA, which is the one that I use during the installation, says it has no stored keys.  While on the old server, it says it contains a key.  Why is this happening?  I dont know, I am copying the complete
    key management folder from one server to another and initialize the security world with that folder as I always do, and i dont have any errors during this procedure. 
    Do you know what could be the cause of this? or how can I fix this?  Thanks a lot, best regards.
    Alejandro Lozano Villanueva

Maybe you are looking for

  • Missing Fiels and Segment in IDOC ORDER05

    We have a requirement to include the storage location as part of the ship-to parameters our in procuremet interface based on ALE. We user Idoc ORDERS.ORDERS03 Our System is ERP ECC 6.0 We want to see: 1.Field: E1EDKA1-KNREF 2.Segment: E1EDPA1 I found

  • Help needed to mark or highlight certain columns in Data Modeler

    Hi there, We use the data modeler to present our data model to the security department to explain/prove for which columns we ran a data masking/anonymization function. I am looking for any kind of way to either highlight or change a set of columns ac

  • Tester needed - WinXP

    Hi, Wondering if someone can help me out and test something on Windows XP and possibly also NT. I know this works on Win 2000 and not on Win9x. This is kind of a big download of a zip file with a windows installer inside. I promise a million times ov

  • What does unencrypted mean? It always warns me about this. How do I get Firefox encrypted?

    Before I can use Mozilla firefox, this prompt comes up...this site is unencrypted and it is very likely that a 3rd party can get information, what does this mean, unencrypted? Can I get firefox encrypted?

  • Can't open OS9 Quicken 2002 files in Classic mode on iBook G4

    I have an iMac that I use to run OS9 and applications, and it has Quicken 2002 installed, but I'd like to use Quicken 5 which is installed on my iBook G4. I have OS 9.2 installed on the iBook G4, and I installed Quicken 2002 on the iBook G4. I used a