Circular Dependency in data

Im usiing oracle 9i.
I have the following table
create table JOB_DEPENDS
JOB VARCHAR2(40) not null,
SUBJOB VARCHAR2(40) not null,
DEP_JOB VARCHAR2(40) not null,
DEP_SUBJOB VARCHAR2(40) not null
sample data:-
insert into JOB_DEPENDS (JOB, SUBJOB, DEP_JOB, DEP_SUBJOB)
values ('A', 'SA', 'B', 'SB');
insert into JOB_DEPENDS (JOB, SUBJOB, DEP_JOB, DEP_SUBJOB)
values ('B', 'SB', 'C', 'SC');
insert into JOB_DEPENDS (JOB, SUBJOB, DEP_JOB, DEP_SUBJOB)
values ('C', 'SC', 'A', 'SA');
insert into JOB_DEPENDS (JOB, SUBJOB, DEP_JOB, DEP_SUBJOB)
values ('D', 'SD', 'E', 'SE');
Commit;
Based on he above data
Job A depends on job B to run.
Job B depends on job C to run.
Job C depends on job A to run.
Thus there is circular dependency between the data A->B->C->A.
I need a sql query to identify the circular dependent data.
Output of the sql query should be like below
JOB     SUBJOB     DEP_JOB     DEP_SUBJOB
A     SA     B     SB
B     SB     C     SC
C     SC     A     SA
In the above example circular dependency is between 3 jobs.
I need an sql which finds circular dependency between any number of jobs
Thanks in advance

Hi,
Sorry but I was traveling this afternoon and I could not reply immediately.
You did not explain in the first post that the relation is with job AND subjob with dep_job and dep_subjob.
Based on he above data
Job A depends on job B to run.
Job B depends on job C to run.
Job C depends on job A to run.Sorry but my crystal ball has broken for longtime :-)
Anyway I have 2 assumptions that you have to confirm:
a) No duplicate records (same job, subjob, dep_job, dep_subjob)
b) Hierarchical relation among records is job=dep_job AND subjob=dep_subjob
If these assumptions are correct here below is the modifed script:
SET SERVEROUTPUT ON SIZE UNLIMITED
DECLARE
   e_infinite_loop  EXCEPTION;
   PRAGMA EXCEPTION_INIT (e_infinite_loop, -01436);
   l_count          INTEGER;
BEGIN
   FOR c1 IN (SELECT job, subjob, dep_job, dep_subjob FROM job_depends)
   LOOP
      BEGIN
         SELECT COUNT(*)
           INTO l_count
           FROM job_depends j
          START WITH job = c1.job AND subjob=c1.subjob
                 AND dep_job=c1.dep_job AND dep_subjob=c1.dep_subjob
        CONNECT  BY job = PRIOR dep_job AND subjob = PRIOR dep_subjob;
      EXCEPTION
         WHEN e_infinite_loop
         THEN
            DBMS_OUTPUT.PUT_LINE('Infinite loop detected on Job: '|| c1.job ||' '|| c1.subjob ||' '|| c1.dep_job ||' '|| c1.dep_subjob);
      END;
   END LOOP;
END;
and the output is:
Infinite loop detected on Job: A SA B SB
Infinite loop detected on Job: B SB C SC
Infinite loop detected on Job: C SC1 A SA
Infinite loop detected on Job: C SC C SC1
{code}
Regards
Al                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           

Similar Messages

  • How to check circular reference in data of millions of rows

    Hi all,
    I am new as an oracle developer.
    I have a table(say table1) of hierarchical data with columns child_id and parent_id. The table has around 0.5 million records. There are around 0.2 million root level records are present.
    I need to update some (the number variies on different conditions, might differ from 50K to 0.4 million) of the parent_ids from other table only if that do not cause any circular reference in data of table1.
    I am using Oracle9i.
    The approach I have tried is:
    I copied all data from table1 to a work table table3. Update the parent_id on columns that matches the condition and updated a column source_table to table2.
    I copied all the child_id from table2 that are to be updated into another table table4 and built tree for each of those childs. If it builds the tree successfully updated a column is_circular in the table3 to 0 and then deleted the child_id from table4.
    This whole process needs to run recursively until no tree is built successfully in an iteration.
    But this process is running slow and at the rate it is executing it would run for days for the 0.3 million records.
    Please suggest a better way to do this.
    The code I am using is :
    INSERT /*+ append parallel (target,5) */
    INTO table3 target
    select /*+ parallel (src,5) */
    child_id, parent_id, 'table1' source_table,null
    from table1 src;
    INSERT INTO table4
    select distinct child_id, parent_id
    from table2
    where status_cd is null;
    commit;
    Update dtable3 a
    set (parent_id,source_table) = (select parent_id,'table2' source_table
    from table4 b
    where b.child_id = a.child_id);
    WHILE v_loop_limit<>v_new_count
    LOOP
    select count(1)
    into v_loop_limit
         from table4;
    -+-----------------------------------------------------------
    --| You need to actually traverse the tree in order to
    --| detect circular dependencies.
    +-----------------------------------------------------------           
    For i in 1 .. v_new_count
    BEGIN
    select child_id
    into v_child_id from(
    select child_id, row_number() over (order by child_id) pri from table4)
    where pri = i;
    SELECT COUNT (*) cnt
    INTO v_cnt
    FROM table3 dl
    START WITH dl.child_id = v_child_id
    CONNECT BY PRIOR dl.child_id = dl.parent_id ;
    UPDATE table3SET is_circular = '0'
    where child_id= v_child_id
    and source_table = 'table2';
    delete from table3
    where child_id = v_child_id;
    select count(1)
    into v_new_count
         from table4;
    COMMIT;
    EXCEPTION WHEN e_infinite_loop
    THEN dbms_output.put_line ('Loop detected!'||v_child_id);
    WHEN OTHERS THEN
         dbms_output.put_line ('Other Exceptions!');
    END;
    END LOOP;
    END LOOP;
    Thanks & Regards,
    Ruchira

    Hello,
    First off, if you're so new to a technology why do you brush off the first thing an experienced, recognized "guru" tells you? Take out that WHEN OTHERS ! It is a bug in your code, period.
    Secondly, here is some code to try. Notice that the result depends on what order you do the updates, that's why I run the same code twice but in ASCENDING or DESCENDING order. You can get a circular reference from a PAIR of updates, and whichever comes second is the "bad" one.drop table tab1;
    create table TAB1(PARENT_ID number, CHILD_ID number);
    create index I1 on TAB1(CHILD_ID);
    create index I2 on TAB1(PARENT_ID);
    drop table tab2;
    create table TAB2(PARENT_NEW number, CHILD_ID number);
    insert into TAB1 values (1,2);
    insert into TAB1 values (1,3);
    insert into tab1 values (2,4);
    insert into TAB1 values (3,5);
    commit;
    insert into TAB2 values(4,3);
    insert into TAB2 values(3,2);
    commit;
    begin
    for REC in (select * from TAB2 order by child_id ASC) LOOP
      merge into TAB1 O
      using (select rec.child_id child_id, rec.parent_new parent_new from dual) n
      on (O.CHILD_ID = N.CHILD_ID)
      when matched then update set PARENT_ID = PARENT_NEW
      where (select COUNT(*) from TAB1
        where PARENT_ID = n.CHILD_ID
        start with CHILD_ID = n.PARENT_NEW
        connect by CHILD_ID = prior PARENT_ID
        and prior PARENT_ID <> n.CHILD_ID) = 0;
    end LOOP;
    end;
    select distinct * from TAB1
    connect by PARENT_ID = prior CHILD_ID
    order by 1, 2;
    rollback;
    begin
    for REC in (select * from TAB2 order by child_id DESC) LOOP
      merge into TAB1 O
      using (select rec.child_id child_id, rec.parent_new parent_new from dual) n
      on (O.CHILD_ID = N.CHILD_ID)
      when matched then update set PARENT_ID = PARENT_NEW
      where (select COUNT(*) from TAB1
        where PARENT_ID = n.CHILD_ID
        start with CHILD_ID = n.PARENT_NEW
        connect by CHILD_ID = prior PARENT_ID
        and prior PARENT_ID <> n.CHILD_ID) = 0;
    end LOOP;
    end;
    select distinct * from TAB1
    connect by PARENT_ID = prior CHILD_ID
    order by 1, 2;One last thing, be sure and have indexes on child_id and parent_id in your main table!

  • Time-dependent master data in the cube and query

    Hello,
    I have a time-dep. masterdata infoobject with two time-dep attributes (one of them is KF). If i add this infoobject into the cube, what time period SID will be considered during the load? I assume it only matters during load, if i add the KF to the query it gets its value based on the SID in the cube.. right?
    Thanks,
    vamsi.

    If its Time Dependent Master Data object when you run your Master Data if that time any changes to the Master Data that value will be overwrite to the old value you will get the new value. When you run the Query execution the Infocube Master Data infoobject will having the SID that time it will to there it will be displayed at that moved what is the value you have in the Master Data table.
    This is what my experience.
    Thanks,
    Rajendra.A

  • Data not uploading in Time dependent Master data Infoobject

    Hello All,
    I have a master data infoobject for HR entity and have to load data from PSA to that info object.
    The HR entity infoobject already have sone data like below:
    HR Entity
    Version
    Date from
    Date To
    x
    A
    01.07.2013
    31.12.9999
    x
    A
    19.04.2013
    30.06.2013
    x
    A
    01.09.2012
    18.04.2013
    x
    A
    01.01.2012
    31.08.2012
    x
    A
    01.01.1000
    31.12.2011
    Now the data in PSA is as follows:
    HR Entity
    Start Date
    End Date
    X
    01.01.2012
    18.12.2013
    Once I loaded this data to the infoobject, i can not see this value which is the latest value of this HR entity.
    Can somebody please explain how the data gets loaded in the time dependent master data infoobject and why this entry is not getting loaded in the info object.
    Regards
    RK

    Hi,
    did you activate master data after your load?
    You can check also version 'M' records and see if your record is there.
    The load went green?
    The problem is, that your entry overlaps all exisitng time intervals, which can't be deleted or merged as there may be dependent transactional data. You have first to delete the transactional data for this entity.
    Then you can delete the time-dependent data and reoload it from your PSA.
    BW will build then correct time intervals.
    The easiest is to change the time interval in PSA, see example below:
    At the moment the time interval is not accepted. But you can add time intervalls before 31.12.2011 and after 01.07.2013, Then system will create remaiing time intervals, e.g. your new record is:
    HR Entity
    Start Date
    End Date
    X
    01.08.2013
    18.12.2013
    Result will be:
    HR Entity
    Version
    Date from
    Date To
    x
    A
    19.12.2013
    31.12.9999
    x
    A
    01.08.2013
    18.12.2013
    x
    A
    01.07.2013
    31.07.2013
    Regards, Jürgen

  • What is time dependent master data?

    Can anybody explain me in detail with an example for time dependent master data?
    Thanks in advance.
    Sharat.

    hi,
    the master data value changes with respect to some time characteristics.
    say- Salesregion is a char that have sales rep as master data(attribute)
    saleregion  date from  date to              sales rep
    sr001        20/10/2007  20/12/2007          Ram
    sr002        21/12/2007  12/05/2008          Ram
    in the above example Ram is in two sales region in different dates.
    these type of attributes were time dependent.
    usually time period will be defined in the data range of 01/01/1000 to 31/12/9999.
    Ramesh

  • Dependent master data for the Transaction data

    Hi,
    Wish u Happy New Year to All.
    I use to schedule daily some 250 master data.Then i will run transaction data.Because of this the system performance is effecting.I want to know, where i can find dependent master data objects for the particular transaction data?
    Thanks in Advance
    Regards,
    Siv

    Dear Siva
    In the Info Source Over View for the particular data target can shown dependent master data objects.
    Regards
    Saravanan.ar

  • Problems with language dependent master data

    Hi,
    I created a InfoObject with language dependent master data and I am trying to upload data from a flat file.
    My flat file has a 2 digit language code (EN,DE,FR,JP,ES) and when uploading the data it seems that SAP BW is only using the first digit which leads to the situation that EN and ES get treated as duplicate records.
    Any help would be appreciated
    thanks
    Ingo Hilgefort

    Hi,
    ES is the Language for spanish..But the Flat file should have to represent 'S' for Spanish.
    Check in Table T002 for the symbols which represent Languages and that to be used in flat file.

  • Modify code to pull the time dependent master data

    I fully under stand the suggestion below for the requirement to add the time dependent attribute comp code
    thanks fo rthe help but please tell me if there is a way i can modify the abap code and make the user enter the value for the date on which he want to pull th emaster data for company code or keydate to and from and pull the master data, so how will i proceede should i create the variable on 0doc_date and how to modify the code. please help . i have opened another question with same desc as above to assign points
    thanks
    soniya
    The literal within <..> is supposed to be replaced by the actual field name (as I didn't know the fields). In this case, I am changing your code for costcenter/company-code.
    data : wa like /bi0/qcostcenter.
    select single * from /bi0/qcostcenter into wa
    where costcenter = comm_structure-costcenter
    and objvers = 'A'
    and datefrom le comm_structure-<keydatefield>
    and dateto ge comm_structure-<keydatefield>.
    if sy-subrc = 0.
    result = wa-comp_code.
    endif.
    abort = 0.
    You can use this code for update rule of company_code. You have to replace '<keydatefield>' with a field name that contains the date on which the company is to be derived. If there is a date in your comm_structure (eg aedat) which you can use, you can specify that field in place of this literal (instead of comm_structure-<keydatefld> use comm_structure-aedat). If you have no such field, and you wish to use current date for getting the company code from time-dependent master data, you can use sy-datum (ie replace comm_strucutre-<keydatefld> with sy-datum).
    And it should work.
    The 'master data attribute' option is one of the options when you create update rule (one of the radio button options).

    That the code is doing anyway.
    If your txn data in the cube doesn't have a date, how does it know it is Feb data, or, it is March data?
    If it has a date or month field, you should modify and use this code to update the company based on that date instead of system date.
    Other than that minor variation, it is already doing what you look for.

  • AnyGantt: How to set different bar color depending on data value.

    Need to have different colors for bars in a gantt resource chart.
    The color depends on certain data value not included in the visible part of the chart, so it must be provided 'extra' for the chart in some way without beeing visible.
    Have studied some examples but cannot figure out the mechanism for this, and the procedure to implement it.
    Any ideas?
    Apex 4.2.2
    Regards
    Per.

    Hi Per,
    You mention "+Among the samples I can see that it has been implemented, but not how.+" - in the Information region below the chart that Tony referred to (https://apex.oracle.com/pls/apex/f?p=36648:50) that I've stated the following:
    "The elements of the Timeline region have been customized via the Chart Attributes page, using the following settings: *Custom Colors*: #000000,#00FF00,#0033FF"
    So that's how I applied custom colours to that particular chart. However, that declarative option won't meet your requirements, where the colours you wish to apply are dependent on data not included in the chart series query. You mention "+Now, if I add another column to the statement I get a yellow error message telling that the statement is not valid.+". It is not possible to simply add an additional column to the chart series query. Each supported chart type expects the associated chart series query to use specific syntax - see About Creating SQL Queries for Charts in Chapter 10 of the APEX User's Guide, http://docs.oracle.com/cd/E37097_01/doc/doc.42/e35125/bldapp_chrt.htm#BCEIJJID.
    So to answer your question "+How to add the new value if not providing another column to the graph?+", if you wish to customise your chart to that extent, then you will need to use custom XML. Depending on what exactly you're trying to achieve, this may require the generation of custom data for your chart. If you edit your chart, and take a look at the Custom XML region, you'll notice a substitution string, #DATA#, towards the end of the XML. When a chart is rendered, we use the chart series query to generate the necessary XML to represent the data on the chart, replacing the string #DATA# with the actual XML. The format of the data XML generated for gantt charts uses a bar style called "defaultStyle", and this handles the default appearance of the bars in the timeline region e.g.
    <period resource_id="1" start="2009.03.21 00.00.00" end="2009.09.21 00.00.00" style="defaultStyle"/>You'll see that the 'style="defaultStyle" ' attribute of the data corresponds to a segment of XML outlining what that style is e.g.
    <period_style name="defaultStyle">Now take a look at the Bar Style in Resource Project example in the AnyChart online documentation http://www.anychart.com/products/anygantt/docs/users-guide/bar-style.html#bar-style-application-resource-project. In that particular example, a number of different bar styles are used i.e.
    <periods>
      <period resource_id="server_1" start="2008.07.07" end="2008.07.8" style="Working" />
      <period resource_id="server_1" start="2008.07.8" end="2008.07.12" style="Maintance" />If you need to add a different bar style to particular rows of data on your chart, then you'll need to add new bar style XML for each colour you wish to use in the Custom XML on the Chart Attributes page, and then you'll also need to generate the data XML yourself, applying the necessary bar style to the relevant row of data. I've got an example of how custom data can be generated for a Resource Gantt here e.g. https://apex.oracle.com/pls/apex/f?p=36648:73 but keep in mind that particular example doesn't demo adding different styles to the data...but it can certainly give you an idea of what's entailed in the generation of custom data for your chart.
    I hope this helps.
    Regards,
    Hilary

  • Time dependent communication data.

    Hi,
    I would like to create a time dependent communication data in the standard Business Partner transaction ( Tcode - BP ).
    Scenario : A customer might call in to inform that for the coming 2 months he'll be away and wants all the communications be sent to a differnet address for this two months.
    Standard SAP documentation says that the the Business Address Service which currently handles the address managemnt does not support time dependent data.
    http://help.sap.com/saphelp_470/helpdata/en/12/ad797a5c5811d3b4ea006094192fe3/frameset.htm
    Any workarounds to this problem? Anyone who has ever faced such a requirement? Appreciate any ideas on this.
    Thanks, Debasish

    Hi Debasish,
    Workarounds, 2 spring to mind both with pros and cons:
    1. Maintain the customer in another client (an exact copy of the customer), and then use ALE to time the change. This would allow you to store up to 1 time dependent change in the future.  So, when you knew a change was coming you could change the customer in the other client, and then schedule the ALE job to process the idoc on the date that the change was due to take place.  The pro of this work around is there is no development to do, the cons are that it means keeping your customer data in another client, and that you can only store one change into the future and its not so user friendly.
    2. Build your own time dependent function for communication data.  Build a dynpro which called the standard address handling screens and then store the data in the standard address tables linked to your own custom tables for date/time of change etc.  Then schedule a batch job every day (or hour, or as required) to look through your scheduled changes and then call a bapi or idoc or function to update the customer with the stored addresses.  This should be great from the user friendliness point of view and will allow any number of future changes of address for each customer, but will require some development effort (although not a huge amount as you will be using standard functions a lot).
    Hope that helps.
    Brad

  • LANGUAGE dependent TEXT data load to Infoobject

    Hi,
    We had Z infoobject with LANGUAGE dependent TEXT data.
    We had a Z table in ECC in which the Text data of the Z info object is maintained.
    Table Structure:
    ZObjects : Lanuage:1-Text : Lanuage:2-Text
    Now i created a data on the Z table and extracted data to PSA and sample data is like below
    KEY,English Text,German Text134,potato,Kartoffel
    145,chocolate,Schokolade
    150,biscuit,Keks
    Please update me how can i load this data as LANGUAGE dependent TEXT data of the Infoobject.
    Thanks in advance

    Hi Maxicosi
    My understanding of the problem is you have text in english ( second field) and german ( 3rd field) while first field being the key.
    If m understanding is correct please read further.
    1. Your target InfoObject text table will have a structure like below
    Key Langu  Text
    2. Create one transformation Rule Group which will have mapping.
    Key ( DataSource)  to Key ( InfoObject Text Table)
                                       Langu ( "EN" as constant value)
    second filed   to   Short/Medium/Long text in (Text Table)
    3. Create another Rule Group which will have the mapping for German.
    Key ( DataSource)  to Key ( InfoObject Text Table)
                                        Langu ( "DE" as constant value)
    Third field   to  Short/Medium/Long text in (Text Table)
    Below how to document will give you an idea of Rule Group.
    Link: [Rule Group |http://www.sdn.sap.com/irj/scn/go/portal/prtroot/docs/library/uuid/d085fa63-f54c-2c10-b5ba-cc4ac231512b?QuickLink=index&overridelayout=true]
    Regards
    Anindo
    Edited by: Anindya Bose on Nov 27, 2011 11:33 PM

  • Maintain Partner-Dependent Product Data

    Hello Experts,
    I am trying to maintain the partner dependent product data through standard transaction /n/sapapo/prt_product. When I copy and paste data into the partner dependent table, it saves the partner product number but not the description. Even I tried to maintain all the field manually but still description get disappeared.
    Do you know why is not shoowing description in this?
    Thanks for your help.
    Thanks & Regards
    Sujay

    Hi Sujay,
    Little strange i must say.
    I tried this myself and it works absolutely fine either by copying or manually creating it.
    May be you can try again.
    Regards,
    Sandeep

  • Loadjava for circular dependency classes

    Hi,
    Let me explain my problem step by step.
    1. i created a jar file using the command
    jar -cvf DataProcessing.jar ERS
    2. Then i loaded the jar file using
    loadjava -u ERSDEMO/ERSDEMO -f -v -r DataProcessing.jar
    3. DataProcessing.jar contains several java classes. Among them DependentDataProcessing.class instantiates FoodIndexCalc.class, OutsideAirTemperatureCalc.class,...etc. Inturn FoodIndexCalc.class,OutsideAirTemperatureCalc.class,... instantiates DependentDataProcessing.class.
    so while loading the jar file, always loadjava skips these circular dependency files.
    Because of that my program is not running inside oracle. But it runs very well when i run it in JBuilder4.0. I observed JBuilder4.0 creates some dependency files at the time of compilation. May be due to this the program runs in JBuilder4.0, so i tried to load the dependency files also inside the database, but still i got the same problems.
    Pls help me.
    Regards,
    Babu
    null

    hi my e mail is [email protected] i got that problem with the ejbs a session bean calling another one but with a local interface and when i try to deploy it i got the next error: Cannot resolve reference Unresolved Ejb-Ref ejb.Session1Bean/ xxxxx@xxxxx :
    please help me look this is the structure of my project is simple:
    package cox;
    @Stateless
    public class EJB1Bean{
    @EJB
    private EJB2local eJB2Local;
    package cox;
    @Stateless
    public class EJB2Bean{
    how do i must configure the project in the xml in order to run ok?
    thanks for the answers

  • Time Dependency Master Data Load

    Hi:
    This is my first time to work on time dependency master data. I need help!
    I first deleted master data and cleaned up the PSA for material sales.
    Then I have turned on the feature of time dependent on the info object for material sales. Save it and activated the object.
    Then i have problems by loading the master sales attribute data in PSA. The error is: on every record of material, it has "invalid 'to' date '00/00/0000'" and "invalid 'from' data '00/00/0000'".
    Is every process i did wrong? What is the process to work on time dependent master data? and loading the data?
    Thank you!!

    Hi,
    After turning on the time dependence...you get an extra field in the key of the master data table Q table date to and a new field date from as a new field.
    These two fields needs to be mapped to date to and date from R/3 source as well.
    If there is no source field for these two then you need to make sure to get the values for these fields.
    Just check if you are getting any field like that from R/3...right now i think you have left the mappings for these fields as blank.
    Thanks
    Ajeet

  • Reporting on Time Dependent Master Date Info Provider

    Dear All.
    We have a info object Employee which is time dependent master data containing all the information with time dependency, when i create the query over this info object it give me the option to select the key date and it show the accurate information which is lying according to the key date.
    my requirement is to show all the records in the report which are there in master data but i am not able to show more then one record cause of the key date, can you please let me know how can i show all the records for any given employee id in the query.

    Hello Zeeshan,
    By standard if you create query directly on time dependent info object, it would display the active records as of the report execution (if no key date has been provided). In any case you can only see one record per the info object key, not the history.
    In order to fulfill this requirement, you may need to create infoset on this infoobject and select "date from" and "date to" as part of infoset fields.
    Then create bex query on the infoset and drag the "date from" and "date to" also into "rows" section of the query (apart from infoobject key, time dependent attributes). This will let you see the history of changes to time-dependent attributes of the infoobject.
    Cheers,
    Vasu

Maybe you are looking for

  • TS4147 how to remove duplicates in contacts in multiples

    I am having difficulty in removing multple duplicate and unwanted addresses in my icloud contact list and to remove each of them it will take ages. THere are about 7000 contacts!!! IS there a way to remove them in multiples so that I save time. I am

  • Multiple SAP Systems to one LiveCache

    Hi All, I know some one in the past already discussed on this topic.  I want to know is it possible to use a single MaxDB/LiveCache  for more than one SAP System like SCM and WFD system to a single LiveCache.  If this is possible and some one already

  • Sql 2008 Standart Backup Error 1117

    Hi, my operating System is Windows Server 2003 Standart x64 and when im doing a database backup in my SQL SERVER 2008 Standart. this problem jumps: Backup Failed for server "nameofserver". System Data Sql Client sql Error Read on "D:\sql\data\datamar

  • Numbers spreadsheet load error.

    Hello guys, a have a problem with one of my spreadsheets in numbers. I have it stored on my iPhone 4 and iPad 2 through iCloud. When I tried to open it on the iPhone a message popped up: "Spreadsheet couldn't be imported.              An error occure

  • Applescript bug in new iTunes 7?

    I have used the following applescript (in an Automator workflow) with version 6.x of iTunes in the past: -- Delete tracks from library and return the file location(s) on run {input, parameters} set these_tracks to the input tell application "iTunes"