No records in main.active table?

I just updated my Muse, made a few changes to my site and saved. While saving, Muse crashed. Now when I try opening the site I receive the message "This Adobe Muse site file cannot be opened. no records in main.active table"? I freaking out here a little.... please help. Thank-you!

Please contact me directly at [email protected] I'd like to thoroughly understand your network and exactly how/where the file was being saved.
During Save As muse creates a file named similarly to the file you're attempting to Save As over with the ending "renamed". If a major error occurs during Save As (as appears to have occurred in this case), this file should still be present next to the file you were attempting to Save As to. This "xxx renamed" file will be your original file. Make a copy of it and rename it to have a .muse file extension.
Please contact me directly so I can better understand what may be unique to your environment to have resulted in this error. Thanks.

Similar Messages

  • Error Message "This adobe Muse site file cannont be opened. no records in main.active table"

    Is anyone else getting this message? It crashed just as I tried to save my website in the updated Muse

    coolxkid,
    You should have a file named MuseLog.txt in your user documents folder.
    Please send that file to [email protected] so we can follow up on this problem.

  • Record in DSO Active Table different from result of Update Rule Simulation

    Hi,
    I have a problem with the update of a particular Data Field for certain records via an Update Routine in 3.x Update Rules, from a Source DSO to one Target DSO.
    The DSO Key is the same in the Source DSO and the Target DSO. The Update Routine for the particular (target) Key Figure performs a calculation based on a number of COMM_STRUCTURE Data Fields and gives the Result. For this specific record, the Result being written to the target DSO is 0.00 (It is an 'Amount' Key Figure).
    Based on the Update Routine (which I have run through functionally), this is the incorrect result.
    However, I have run Simulation for this record and the correct result is simulated into the Data Target. I have also run the simulation with Debugging on the Update Rules. Each component/step of the Update Routine is processed correctly, eventually giving the correct result.
    I have tried to re-perform the load and I continually get the same result. This is occurring for a number of records being updated, but not all. Some records where the result of this Data Field is being calculated correctly are 'identical' in all important areas to the problem records.
    The problem records all appear to be in the same Data Package, however that Data Package also contains records being processed correctly.
    Based on the Simulation/Debugging it appears that the Update Routine is correct, however if anyone is willing to have a stab at this I am happy to send you the code.
    Also, a short time ago, we took a copy back from our Production system to our QA system. As a result, this record exists in the QA system as well. I have performed the load there and the record is processed correctly. The Production and QA systems are in line.
    Thanks and Regards,
    Tom

    Hi Ramesh,
    Thanks for posting a response. This is an Update Routine rather than a Start Routine.
    Also, in answer to the Sudhi's reply/post, Yes, the Update Type has been set to Overwrite.
    The problem is actually only present in Production.  Changes was made through our landscape some time ago (this is not my development).
    These changes have been tested through QA and were working. It is only when a reload has taken place in production that this issue has been occurred. A reload has then taken place in QA and has worked successfully.

  • Constraint - at most one record has status 'active' in a table.

    Oracle Database 10g Enterprise Edition Release 10.2.0.5.0 - Prod
    PL/SQL Release 10.2.0.5.0 - Production
    CORE 10.2.0.5.0 Production
    TNS for Linux: Version 10.2.0.5.0 - Production
    NLSRTL Version 10.2.0.5.0 - Production
    Thank in advance. I have a table like this:
    CREATE TABLE FIFAPPS.FS_MST_SUPPLIER
    SUPL_CODE VARCHAR2(12 BYTE) NOT NULL,
    SUPL_STATUS VARCHAR2(12 BYTE) DEFAULT 'ACTIVE' NOT NULL
    How to make constraint such that at most one supl_code has supl_status = 'ACTIVE' in the table.
    For example:
    -- BELOW IS NOT CORRECT AS THERE ARE TWO RECORDS WITH SUPL_STATUS='ACTIVE'
    record 1 : (supl_code = '1',SUPL_STATUS='ACTIVE')
    record 2 : (supl_code = '2',SUPL_STATUS='NOT ACTIVE')
    record 3 : (supl_code = '3',SUPL_STATUS='ACTIVE')
    -- -- BELOW IS CORRECT AS THERE IS ONLY ONE RECORD WITH SUPL_STATUS='ACTIVE'
    record 1 : (supl_code = '1',SUPL_STATUS='ACTIVE')
    record 2 : (supl_code = '2',SUPL_STATUS='NOT ACTIVE')
    record 3 : (supl_code = '3',SUPL_STATUS='NOT ACTIVE')
    -- -- BELOW IS CORRECT AS THERE IS NO RECORD WITH SUPL_STATUS='ACTIVE'
    record 1 : (supl_code = '1',SUPL_STATUS='NOT ACTIVE')
    record 2 : (supl_code = '2',SUPL_STATUS='NOT ACTIVE')
    record 3 : (supl_code = '3',SUPL_STATUS='NOT ACTIVE')

    You cannot refer other rows in check constraint I feel.Ideally these type of validations should happen from your Front-end.
    You can try something like below by adding a virtual column..
    SQL> CREATE TABLE FS_MST_SUPPLIER
      2  (
      3  SUPL_CODE VARCHAR2(12 BYTE) NOT NULL,
      4  SUPL_STATUS VARCHAR2(12 BYTE) DEFAULT 'ACTIVE' NOT NULL
      5  );
    Table created.
    --"Add a virtual column. The ELSE part here should be your primary key in the table
    SQL> alter table FS_MST_SUPPLIER add dummy_col as
       (case when upper(supl_status) = 'ACTIVE' then 'ACTIVE' else supl_code end);
    Table altered.
    --"Add a unique constraint on the virtual column.."
    SQL> alter table FS_MST_SUPPLIER add constraint cons1 unique(dummy_col);
    Table altered.
    SQL> insert into FS_MST_SUPPLIER(SUPL_CODE,SUPL_STATUS) values(1,'ACTIVE');
    1 row created.
    SQL> insert into FS_MST_SUPPLIER(SUPL_CODE,SUPL_STATUS) values(2,'ACTIVE');
    insert into FS_MST_SUPPLIER(SUPL_CODE,SUPL_STATUS) values(2,'ACTIVE')
    ERROR at line 1:
    ORA-00001: unique constraint (SCOTT.CONS1) violated
    SQL> insert into FS_MST_SUPPLIER(SUPL_CODE,SUPL_STATUS) values(2,'INACTIVE');
    1 row created.
    SQL> insert into FS_MST_SUPPLIER(SUPL_CODE,SUPL_STATUS) values(3,'INACTIVE');
    1 row created.
    SQL> update FS_MST_SUPPLIER set supl_status = 'INACTIVE';
    3 rows updated.
    SQL> insert into FS_MST_SUPPLIER(SUPL_CODE,SUPL_STATUS) values(5,'ACTIVE');
    1 row created.
    {code}
    Edited by: jeneesh on Oct 17, 2012 3:40 PM
    I did not have to use virtual columns or unique function index for any table in my career...                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           

  • Active table in DSO

    Hi Friends,
    What is the property of the Active Table of D.S.O means it alway has the functionality like Overwrite or addition also.
    OR it is based on the settings of the field in the transformation.
    Thanks in advance.
    Thanks & Regards,
    Vas
    Edited by: Vas_srini on Jul 8, 2010 8:35 AM
    Please search the forum before posting a thread
    Edited by: Pravender on Jul 8, 2010 12:14 PM

    Hi Suneel,
      1)Try to activate the request manually,then u will be getting "Green" symbol.The reason why the request is "Red" although ur long text are in green  might be due to the system performance or  there might be anyother errors in the 'Processing' tab.Try to check it 7 activate the request manually.
    2)U can 'repeat' the ODS by right clicking on it why bcoz  activation of records might be terminated so that request will become 'Green'.
    It might help you.
    Thanks& regards,
    Madhu

  • Error while activating data from new table of DSO to active table

    HI,
    while activating data from new table of DSO to active table i am getting
    error message as "Error occurred while deciding partition number".
    Plz any idea hoe to resolve this one.
    thanks & regards
    KPS MOORTHY

    Hi
    You are trying to update/upload the Records which are already been there in the DSO Active Data Table which has the partition.
    Try to see the Record Nos already been activated and update/upload with selective, if possible.
    You can trace the changes at Change log table for the same.
    Hope it helps
    Edited by: Aduri on Jan 21, 2009 10:38 AM

  • TOP OF PAGE printing according to SORT - ALV main internal table

    Hi guys
    I manage to solve my previous issues but 1 minor problem here
    Lets say I have an itab which has 3 records
    Sales Order | Purchase No, | Distributor
    1                  |   123               | abc
    1                  |   123               | abc
    2                  |   456               | TGIF
    I'm using FM REUSE_ALV_BLOCK_LIST_APPEND to display the ALV
    its working for the main INTERNAL TABLE but  when it comes to top of page, it doesn't follow the sort
    I want it to print
    Sales Order: 1
    Purchase No: 123
    Distributor: abc
    TABLE 1
    Sales Order: 2
    Purchase No: 456
    Distributor: TGIF
    TABLE 2
    But now its printing
    Sales Order: 1
    Purchase No: 123
    Distributor: abc
    TABLE 1
    Sales Order: 1
    Purchase No: 123
    Distributor: abc
    TABLE 2
    Sales Order: 2
    Purchase No: 456
    Distributor: TGIF
    TABLE <empty table>
    My codes was working previously but its not longer the same.
      READ TABLE it_report INTO l_report INDEX SY-tabix
      WRITE: text-003,          "Sales Order Number
            AT 22 l_report-ebeln.
      WRITE: / text-004,        "Purchase Order Number
             AT 25 l_report-purch_no.
      WRITE: / text-005,        "Distributor Number
             AT 22 l_report-kunnr.
      WRITE: / text-006,        "Ship to Name
             AT 16 l_report-wename1.
      WRITE: / text-007,        "Order Date
             AT 14 l_report-vdate.
      WRITE: / text-008,        "Delivery Date
             AT 17 i_vdatu.
    Can anyone help me out here?  How do I make it print just like the SORT for ALV?

    Refresh the work areas then it work fine

  • Inserting a record in qualified looup table

    Hi All,
    I am using MDM 5.5 SP6.  I have table structure like this.
    Table name:
    Representative (main table)
    Fields:
         Name          Text
         Age          Integer
         Voter ID     Text
         Gender          Lookup[flat]
         PostandLocation Lookup[Qualified](Multi-valued) --> It refers qualified table 'Post_and_Location'.
    Post_and_Location (Qualified table)
    Fields:
         Position     Lookup[flat]
         Location     Lookup[Hierarchy](multi-valued) --> It refers hierarchy table 'Locations'
    Locations (Hierarchy table)
    Fields:
         State          Lookup[flat]
         District     Lookup[flat]
         City          Text
    Here, I need add representative details in main table 'representative' using Java API. In webdynpro UI, I will give Name, age,voterid,gender,position, city,district, state.
    Here I am struggling that how to lookup hieararchy table value in qualified lookup table(Post_and_Location). How can I achieve this?.Please help me.
    I am more happy to give more information regarding this, if anybody needs.
    Thanks,
    Venkatesh

    Hi Bharti,
    Thanks for your quick reply. Here I need more explanation on, how to lookup hierarchy table(Location) record  in Qualified lookup table (Post_and_Location) using java API. I need more explanation in Java API regarding this.
    Because, As per our scenario, Qualified table(Post_and_Location) have a field called 'Location'(type Lookup[Hierarchy](multi-valued)). It looks up Hieararchy table(Locations).
    Here, while adding new representative  in main table(representative), I need to lookup qualified table(Post_and_Location) record  for the field 'PostandLocation' in main table(representative). And also, I need to lookup hierarchy table(Location) record for the field 'Location' in Qualified table.
    If you get confuse, please check my table structure above in this thread. If you need more info, I will provide.  Please help  me to achive this.
    Thanks,
    Venkatesh

  • Problem in modifying the main internal table gt_data

    Hello i have written code for modifying the main internal table. i have read data from ausp table and put into the internal table gt_ausp. now i want to modify my main table GT-DATA with gt_ausp. i am not able to do this.
    LOOP AT gt_data  INTO ls_list.
        lt_temp-objek  =  ls_list-matnr.
        APPEND  lt_temp.                  " 특성값 발췌용도로 저장
        APPEND  ls_list  TO lt_work.      " 핵심작업용도로 저장
      ENDLOOP.
      DESCRIBE TABLE lt_temp.
      IF  sy-tfill  EQ  0.
        pv_flg  =  'X'.
        EXIT.
      ENDIF.
    Get 제품인증(플랜트별).....
      DESCRIBE TABLE lt_cetino_tp.
            플랜트          자재번호
            카타로그-인증   코드그룹-인증   인증코드
            Certi. No.
    Get 자재별 특성값..........
              오브젝트  특성이름  내부특성   내부카운터  특성값
      SELECT    aobjek    batnam   aatinn    aatzhl    a~atwrt
            INTO CORRESPONDING FIELDS OF TABLE  lt_ausp_tp
            FROM ausp AS a  INNER JOIN  cabn AS b
              ON aatinn  =  batinn
             FOR ALL ENTRIES IN  lt_temp
           WHERE a~objek  EQ  lt_temp-objek   " 오브젝트키(자재번호)
             AND a~klart  EQ  '001'           " 클래스유형
           AND a~atzhl  EQ  '001'           " 특성값카운터(최종건만 존재)
                                              자재특성 변경시 변경됨
             AND b~adzhl  EQ  '0000'.
      IF  sy-subrc  EQ  0.
        DELETE ADJACENT DUPLICATES FROM  lt_ausp_tp.
        lt_ausp[]     =  lt_ausp_tp[].
        lt_ausp_tp2[] =  lt_ausp_tp[].
        DELETE ADJACENT DUPLICATES FROM  lt_ausp_tp2.
      Get 특성내역
              내부특성   " 내부카운터
              특성값       특성값내역
        SELECT    aatinn  " aatzhl
                  aatwrt    batwtb
              INTO CORRESPONDING FIELDS OF TABLE  lt_cawn
              FROM cawn AS a  INNER JOIN  cawnt AS b
                ON aatinn  =  batinn  AND
                   aatzhl  =  batzhl  AND
                   aadzhl  =  badzhl
               FOR ALL ENTRIES IN  lt_ausp_tp2
             WHERE a~atinn  EQ  lt_ausp_tp2-atinn  " 내부특성
               AND b~spras  EQ  sy-langu.
      ENDIF.
      SORT  lt_work BY matnr .
      BREAK-POINT.
      LOOP AT lt_work  INTO ls_list.
      특성내역
        READ TABLE  lt_ausp  WITH TABLE KEY  objek = ls_list-matnr
                                             atnam = 'SECTION_WIDTH'.
      수출자재가 아닌 것은 제외
    LS_LIST-SECTION_WIDTH = LT_AUSP-ATWRT.
    MODIFY TABLE GT_DATA FROM LS_LIST  TRANSPORTING SECTION_WIDTH.

    Hi,
    Question before: why dont you just use the std.API for reading the classification data?
    e.g. "BAPI_OBJCL_GETDETAIL"
    Second: a DELETE DELETE ADJACENT DUPLICATES works only only sorted tables.
    Doing this after a select will only succeed randomly depending on the buffers of your data based below.
    ( 90% chance if it is an oracle system)
    To your question:
    Just replace your LOOP AT gt_data into ls_list
    by a LOOP AT gt_data ASSIGNING <current_list_record>.
    then you can access the fields directly:
    <current_list_record>-SECTION_WIDTH = LT_AUSP-ATWRT.
    Cause of your issue:
    "MODIFY" needs a key to to find the record to be updated.
    If your gt_data ist referencing a DDIC table type with a key or a local type with a key
    it has no chance to do it.
    Hope that helps.
    br,

  • Insert a record in Qualified Lookup Table

    Hello everyone,
    I need code to insert a record in Qualified Lookup Table where the non-qualifier is a record of type Country. Other fields are qualifiers.
    I tried using QualifiedLookupValue.createQualifiedLink(). However, this only helps to insert in the qualifier values, how can I insert the non-qualifier (Country) value?
    Any idea?
    Many thanks in advance,
    Baez

    Hi guys,
    Maybe the answer comes late but i'm recently working on this and the API works for me to create and update qualifier values.
    Suppose recordMain is the main record, fldQFT is the qualified lookup field in main table, fldQualifier is the qualifier field in QFT table.
    To add qualifier value you can use:
    QualifiedLookupValue qualifiedLookupValue = new QualifiedLookupValue();
    int index = qualifiedLookupValue.createQualifiedLink(recordMain.getId());
    qualifiedLookupValue.setQualifierFieldValue(index, fldQualifier, MdmValue);
    recordMain.setFieldValue(fldQFT, qualifiedLookupValue);
    To update qualifier value, use:
    QualifiedLookupValue qualifiedLookupValue = (QualifiedLookupValue) recordMain.getFieldValue(fldQFT);
    qualifiedLookupValue.setQualifierFieldValue(index, fldQualifier, MdmValue);
    recordMain.setFieldValue(fldQFT, qualifiedLookupValue);
    Regards,
    James

  • To count number of records in an internal table for a condition

    Hello All,
            I want to count number of records in an internal table for a condition.
    For e.g. -- I have one internal table IT which having fields F1, F2, F3, F4, F5.
                     Now, I want number of records in itnternal table IT where F1 = 'ABC'.
    Is it possible to do..?? If yes, then how.??
    Thanks in advance...!!
    Regards,
    Poonam.

    Hi,
    If you mean an internal table, there are a few ways to do this.
    1 One would be to loop over the table with a WHERE clause and increment a counter.
    data: lv_counter type i.
    clear lv_counter.
    loop at itab where fld1 = 'ABC'.
    lv_counter = lv_counter + 1.
    endloop.
    lv_counter now has the number of rows per the condiction.
    2  Well, you may want to try this as well, and compare to the LOOP way. Not sure what kind of overhead you may get doing this way. Here ITAB is our main internal table, and ITAB_TMP is a copy of it. Again I think there may be some overhead in doing the copy. Next, delete out all records which are the reverse of your condition. Then whatever is left is the rows that you want to count. Then simply do a LINES operator on the internal table, passing the number of lines to LV_COUNT.
    data: itab type table of ttab.
    data: itab_tmp type table of ttab.
    itab_tmp[] = itab[].
    delete table itab_tmp where fld1  'ABC'.
    lv_count = lines( itab_tmp ).
    Thanks & Regards,
    ShreeMohan

  • Insert a new record in the database table in between the records.

    i va a database table which ve 100 records. but i want to insert my new record  as 50th record. how i want to  proceed?
    thanks ,
    velu.

    V,
    This is an odd request.  Why?
    Ignoring that, you can ATTEMPT to insert into the 50th position IF:
    1) The DB table has just had the primary key index re-built/re-shuffled to GUARANTEE that it IS in primary key order
    2) And the primary key of the new record is built so that it follows the 49th record
    Regardless, once this table has activity against it, its sort order can/will get out of promary key order (with adds/changes/deletes). 
    But when you select data from it, you can use ORDER BY or an ABAP SORT to organzie the date as needed.
    Again... not sure WHY you need a record in a particular physical position... who cares... it is a relational DB.

  • How to copy complete internal table into main dababase table

    please tell me how to copy complete internal table into main dababase table by overwriting all the entries of the main DBtable.

    HI,
    you can use<b> Insert Or  Modify statement ..</b>
    <b>Modify updates the existing record, insert creates a new one. ...</b>
    insert ZDBTAB from table itab.
    Modify ZDBTAB from table Itab.
    The structure of itab should be exactly the same as the z table.
    You should not update standard tables directly though.
    rewards if usefuyl
    regards,
    nazeer

  • MGP "record flags" from multiple tables?

    Hello All.
    I've run into a client requirement/business rule change that is causing problems in regards to data synchronizations and MGP processing. Hopefully, someone here can provide some insight in this situation.
    We have three tables in the scenario...
    - A table of sales figures with a unique key based on Store ID and month
    - An "org table" associating facilities with territories
    - A user data table...associating specific users with territory numbers.
    The goal with this was to provide only the set of sales figures related to a user's specific set of facilities, based on sales territory. This is provided with a view joining these tables together, with a bound variable tied to the user ID (set as a Data Subsetting Parameter in Mobile Manager).
    With this configuration, we should get an entirely new set of sales figures whever we...
    - load new territory assignments to the User Table
    - load new organizational info into the Stores Table
    - update the individual records in the Sales Figures table
    And this also avoids a lot of administrative overhead in resetting Data Subsetting Parameters, since there are massive rates of change in territory assignments.
    The problem I'm running into comes when defining the Published Item for this view. Mobile Databse Workbench still wants to define a "primary table" for the view, placing triggers on only one of the three tables. This means that synchronization/MGP flags are only being set when one of the tables is updated. I need them set whenever ANY of the constituent tables are updated.
    Since even a subset of this data is massive, we want to stick to Fast Refresh, so refusing to set a Primary and forcing Complete Refresh is not an option.
    Outside of forcibly de-normalizing our data into a single, messy, massive table (or huge de-normalized materialized view), how do I handle this? How do I get Oracle Lite to trigger Fast Refresh off of multiple constiuent tables from a join/view?

    We use views a lot for data denormalisation as there can be client side performance issues when joining tables in msql (either direcly of via local views)
    in order to create a view as a snapshot you WILL need to define a main base table as this is the source of the primary key. composite PKs from a number of tables will not work correctly as this causes problems in the out queue creation.
    for your scenario, in the view you will need a unique primary key - this may determine which table you use as the base table. when published this will autmatically create the triggers for fast refresh on the base table. To get the triggers on the other tables in the view, you can include these tables manually in the publication as well, either with create on client=NO or with a dummy select clause (we use where 1=2). this will trigger the compose if any of the tables change.
    There are a couple of issues
    1) you will see when looking at the details of a published view object that the base table and all subsidiary tables are shown, but ONLY if directly referenced in the view itself. derived data via functions for example will not show the table, and therefore changes to these tables will not trigger the compose of the object
    2) the out queue is only populated if the version number of the record is changed - this is associated with the base table ONLY. If you get the replication triggers on all of the tables as above, then any change to any table will trigger the compose, and if the nature of the change means that a new record is to be sent to the client, or one deleted, this will happen. HOWEVER if the nature of the change is just a change to data, the update will only be sent if the base table has altered.
    in some cases in our system we have gone for a strategy like
    view is based on table a, also includes data from tables b and c, and a function selecing data from table d
    create and publish based on table a
    create triggers in the base schema on tables b, c and d that in case of change do an update to the table a record that is associated.
    This method means that changes to any of the tables cause a change to table a, and therefore all inserts, updates and deletes will be replicated.
    an alternative is to create publication items for the view and also tables b, c and d
    this will create <tablename>i,u and d on all of the tables
    if you look at the triggers for table a, you will see that what it does is log a record in c$all_sid_logged_tables, and updates the version number in CVR$<table a>. if you copy this code to the corresponding <table b/c/d> triggers, this will 'fool' the mgp compose into processing the changes without the need for physical updates to the tables themselves

  • Searching for Duplicates records in Qualified Lookup tables

    Hi SDNers,
    I would like to know,
    How to find out how many records having duplicate records in Qualified Look Tables.
    In Free form search or Drill down Serach.. I am select the particular Qualified Look up Table. After how can I find Duplicated reocrds.
    Any Solution?
    Thanks
    Ravi

    Hi,
    If you want to find the duplicates present in qualified table then, you can go to qualified table in data manager and get to know the duplicates....else if you want to find the duplicate links to a record in main table, then you can write an expression in free form search to get the value of duplicate links. but that would be specific to a link value only..e.g. Country is your no qualifier, then in free form search, you can write an expression to get how many links are for USA.
    Hope this clarifies your doubt...if not, please elaborate on the requirement.
    Regards,
    Arafat.

Maybe you are looking for