Using collections and experiencing slow response

I am experiencing slow response when using htmldb_collection. I was hoping someone might point me in another direction or point to where the delay may be occurring.
First a synopsis of what I am using these collections for. The main collections are used in order to enable the users to work with multiple rows of data (each agreement may have multiple inbound and outbound tiered rates). These collections, OBTCOLLECTION and IBTCOLLECTION, seem to be fine. The problem arises from the next set of collections.
OBTCOLLECTION and IBTCOLLECTION each contain a field for city, product, dial code group and period. Each of these fields contains a semi-colon delimited string. When the user chooses to view either the outbound tiers (OBTCOLLECTION) or the inbound tiers (IBTCOLLECTION), I generate four collections based on these four fields, parsing the delimited strings, for each tier (record in the OBT or IBT collection). Those collections are used as the bases for multiple select shuttles when the user edits an individual tier.
Here is the collection code for what I am doing.
When the user chooses an agreement to work with, by clicking on an edit link, they are sent to page 17 (as you see referenced in the code). That page has the on-demand process below triggered on load, after footer.
-- This process Loads the collections used
-- for the Inbound and Outbound tier details
     -- OBTCOLLECTION
     -- IBTCOLLECTION
-- It is an on-demand process called on load (after footer) of page 17 --
-- OUTBOUND TIER COLLECTION --
     if htmldb_collection.collection_exists( 'OBTCOLLECTION') = TRUE then
         htmldb_collection.delete_collection(p_collection_name => 'OBTCOLLECTION' );
     end if;
     htmldb_collection.create_collection_from_query(
         p_collection_name => 'OBTCOLLECTION',
         p_query           => 'select ID, AGREEMENT_ID, FIXED_MOBILE_ALL,
                          OF_TYPE,TIER, START_MIN, END_MIN,
                                         REVERT_TO, RATE,CURRENCY,
                                         PENALTY_RATE, PENALTY_CURR,
                   PRODUCT,CITY, DIAL_CODE_GROUP, PERIOD,
                    to_char(START_DATE,''MM/DD/YYYY''),
                                         to_char(END_DATE,''MM/DD/YYYY''),
                                         MONTHLY,EXCLUDED,
                   ''O'' original_flag
                      from outbound_tiers
                      where agreement_id = '''||:P17_ID ||'''
                      order by FIXED_MOBILE_ALL, ID',
         p_generate_md5    => 'YES');
-- INBOUND TIER COLLECTION --
     if htmldb_collection.collection_exists( 'IBTCOLLECTION') = TRUE then
         htmldb_collection.delete_collection(p_collection_name => 'IBTCOLLECTION' );
     end if;
     htmldb_collection.create_collection_from_query(
         p_collection_name => 'IBTCOLLECTION',
         p_query           => 'select ID, AGREEMENT_ID, FIXED_MOBILE_ALL,
                          OF_TYPE,TIER, START_MIN, END_MIN,
                                         REVERT_TO, RATE,CURRENCY,
                                         PENALTY_RATE, PENALTY_CURR,
                          PRODUCT,CITY, DIAL_CODE_GROUP, PERIOD,
                          to_char(START_DATE,''MM/DD/YYYY''),
                                         to_char(END_DATE,''MM/DD/YYYY''),
                                         MONTHLY,EXCLUDED,
                          ''O'' original_flag
                      from inbound_tiers
                      where agreement_id = '''||:P17_ID ||'''
                      order by FIXED_MOBILE_ALL, ID',
         p_generate_md5    => 'YES');
     commit;The tables each of these collections is created from are each about 2000 rows.
This part is working well enough.
Next, when the user chooses to view the tier information (either inbound or Outbound) they navigate to either of two pages that have the on-demand process below triggered on load, after header.
-- This process Loads all of the collections used
--  for the multiple select shuttles --
     -- DCGCOLLECTION
     -- CITYCOLLECTION
     -- PRODCOLLECTION
     -- PRDCOLLECTION
-- It is  an on-demand process called on load (after footer)  --
DECLARE
   dcg_string long;
   dcg varchar2(100);
   city_string long;
   the_city varchar2(100);
   prod_string long;
   prod varchar2(100);
   prd_string long;
   prd varchar2(100);
   end_char varchar2(1);
   n number;
   CURSOR shuttle_cur IS
      SELECT seq_id obt_seq_id,
             c013 product,
             c014 city,
             c015 dial_code_group,
             c016 period
      FROM htmldb_collections
      WHERE collection_name = 'OBTCOLLECTION';
   shuttle_rec shuttle_cur%ROWTYPE;
BEGIN
-- CREATE OR TRUNCATE DIAL CODE GROUP COLLECTION FOR MULTIPLE SELECT SHUTTLES --
     htmldb_collection.create_or_truncate_collection(
     p_collection_name => 'DCGCOLLECTION');
-- CREATE OR TRUNCATE CITY COLLECTION FOR MULTIPLE SELECT SHUTTLES --
     htmldb_collection.create_or_truncate_collection(
     p_collection_name => 'CITYCOLLECTION');
-- CREATE OR TRUNCATE PRODUCT COLLECTION FOR MULTIPLE SELECT SHUTTLES --
     htmldb_collection.create_or_truncate_collection(
     p_collection_name => 'PRODCOLLECTION');
-- CREATE OR TRUNCATE PERIOD COLLECTION FOR MULTIPLE SELECT SHUTTLES --
     htmldb_collection.create_or_truncate_collection(
     p_collection_name => 'PRDCOLLECTION');
-- LOAD COLLECTIONS BY LOOPING THROUGH CURSOR.
     OPEN shuttle_cur;
     LOOP
        FETCH shuttle_cur INTO shuttle_rec;
        EXIT WHEN shuttle_cur%NOTFOUND;
        -- DIAL CODE GROUP --
        dcg_string := shuttle_rec.dial_code_group ;
        end_char := substr(dcg_string,-1,1);
        if end_char != ';' then
           dcg_string := dcg_string || ';' ;
        end if;
        LOOP
           EXIT WHEN dcg_string is null;
           n := instr(dcg_string,';');
           dcg := ltrim( rtrim( substr( dcg_string, 1, n-1 ) ) );
           dcg_string := substr( dcg_string, n+1 );
           if length(dcg) > 1 then
            htmldb_collection.add_member(
               p_collection_name => 'DCGCOLLECTION',
               p_c001 => shuttle_rec.obt_seq_id,
               p_c002 => dcg,
               p_generate_md5 => 'NO');
           end if;
        END LOOP;
        -- CITY --
        city_string := shuttle_rec.city ;
        end_char := substr(city_string,-1,1);
        if end_char != ';' then
           city_string := city_string || ';' ;
        end if;
        LOOP
           EXIT WHEN city_string is null;
           n := instr(city_string,';');
           the_city := ltrim( rtrim( substr( city_string, 1, n-1 ) ) );
           city_string := substr( city_string, n+1 );
           if length(the_city) > 1 then
            htmldb_collection.add_member(
               p_collection_name => 'CITYCOLLECTION',
               p_c001 => shuttle_rec.obt_seq_id,
               p_c002 => the_city,
               p_generate_md5 => 'NO');
           end if;
        END LOOP;
        -- PRODUCT --
        prod_string := shuttle_rec.product ;
        end_char := substr(prod_string,-1,1);
        if end_char != ';' then
           prod_string := prod_string || ';' ;
        end if;
        LOOP
           EXIT WHEN prod_string is null;
           n := instr(prod_string,';');
           prod := ltrim( rtrim( substr( prod_string, 1, n-1 ) ) );
           prod_string := substr( prod_string, n+1 );
           if length(prod) > 1 then
            htmldb_collection.add_member(
               p_collection_name => 'PRODCOLLECTION',
               p_c001 => shuttle_rec.obt_seq_id,
               p_c002 => prod,
               p_generate_md5 => 'NO');
           end if;
        END LOOP;
        -- PERIOD --
        prd_string := shuttle_rec.period ;
        end_char := substr(prd_string,-1,1);
        if end_char != ';' then
           prd_string := prd_string || ';' ;
        end if;
        LOOP
           EXIT WHEN prd_string is null;
           n := instr(prd_string,';');
           prd := ltrim( rtrim( substr( prd_string, 1, n-1 ) ) );
           prd_string := substr( prd_string, n+1 );
           if length(prd) > 1 then
            htmldb_collection.add_member(
               p_collection_name => 'PRDCOLLECTION',
               p_c001 => shuttle_rec.obt_seq_id,
               p_c002 => prd,
               p_generate_md5 => 'NO');
           end if;
        END LOOP;
     END LOOP;
     CLOSE shuttle_cur;
    commit;
END;Creating these collections from the initial collection is taking way too long. The page is rendered after about 22 seconds (when tier collection has 2 rows) and 10 minutes worst case (when the tier collection has 56 rows).
Thank you in advance for any advice you may have.

Try to instrument/profile your code by putting timing statements after each operation. This way you can tell which parts are taking the most time and address them.

Similar Messages

  • T400s and T500 experiencing slow response time accessing certain websites from within our network

    Hello there.... we have some Lenovo T400s running Windows 7 and T500 running WinXP Pro that are experiencing slow response time when trying to access certain website from within our company network (particularly this global crossing Web meeting, google maps): https://core1.callinfo.com/interface/guest.jsp?host=globalcrossing ... it takes 10-15 minutes before it loads the meeting login screen and same response time for google maps to respond as well... the thing is, other Lenovo T400s, T61, and other HP desktop machines that are connected to the same network in our company does not experience this slow response time... HOWEVER, when these problematic T400s / T500 laptops are connected to external network (e.g. home DSL, hotel DSL/Cable modem) the problem goes away.   Our NETWORK ran tests to monitor traffic to the websites from our company's network but seem to connect just fine... just wondering if anybody out there experienced the same problem and know of a solution.  By the way, the two newer T400s that are experiencing the slow response time have the following BIOS version 1.11 (6HET26WW) and BIOS version 1.09 (6HET24WW).  Then a T400s that is also connected to the same network but not experiencing the problem has a BIOS version of 1.02 (6HET17WW - running WinXP Pro).   NOTE: We also connected a Linksys USB wireless adapter to connect to our wireless network in the company but same problem - and problem occurs even when connected via network cable.  Your feedback will be greatly appreciated.

    Network World posted an article about a free response time monitoring tool that would be worth checking out

  • Firefox 4.0.1 is constantly freezing, having to reboot constantly, and not responding to key strokes, and very slow responses to keys strokes and to change sites

    firefox 4.0.1 is constantly freezing, having to reboot constantly, and not responding to key strokes, and very slow responses to keys strokes and to change sites. Firefox 3. (the previous incarnation of firefox) did not have such problems - this has started since "upgrading to 4.0.1 - I want to change back to the previous Firefox since this is a serious problem - need specific instructions on how to go back to the old Firefox

    Do you have multiple keyboard layouts installed?
    It is possible that you have switched the keyboard layout by accident.
    * http://support.microsoft.com/kb/258824 - How to change your keyboard layout
    Windows remembers the keyboard layout setting per application and you may have changed the keyboard layout by accident via a keyboard shortcut.
    * http://windows.microsoft.com/en-US/windows7/The-Language-bar-overview The Language bar (overview)
    * Make sure that you have the Language bar visible on the Windows Taskbar
    * You can do that via the right-click context menu of the Taskbar: Toolbars > Language Bar
    * Check the keyboard language (keyboard layout) setting for the application that has focus via the icon on the Language bar
    * You need to do that while Firefox has focus because Windows remembers the keyboard layout setting per application

  • Very slow start up and very slow response

    Hi guys,
    SOS
    My iMac is so slow to boot or start up. It takes about an 1-2 hours. It has very slow and very delayed response when doing tasks. I'm not sure what happened.
    I have tried safe mode but it has not worked. I tried the disk utility but it was saying that my DVD (possibly because it is for snow leopard)  is outdated. I think I updated to Lion.
    Do you have any suggestions? I will try any other tricks. Do you recommend to back up before doing repair etc.?
    thanks in advance!!

    Tried to reset the RAM but did not get through. It went to disk utility again. Tried repair but it still saying to back up and restore files. Maybe the HD has been toasted. =(...
    It says: Invalid key lenght. Volume Mac HD could not be verifried completely.. then it says Error: disk utilityu can't repair close back disk out, restoere etc..
    In disk utillity as well, Mac OS X base system appeared- I dont know the purpose of this. It has some files on it. Dont know whether to restore it or what?..Mac HD seems like the it's empty..
    Thanks again guys...It feels like I'm in a maze..

  • Using Collections and initialisation

    I am not in the IT business but I am trying to teach myself Java using the JBuilder IDE.
    I am creating an application which will contain the personal details of each individual user along with a record of the training/work they undertake on different days. The user logs in and accesses their personal info using a password. At the moment I am constructing each persons details in a Vector in case I want to add more attributes later, although there may be better options. I am therefore creating a PersonDetail class which extends Vector and which has the following elements:
    String name;
    String initials;
    String pinNumber;
    char[] password;
    Vector workRecord; (Vector, because it will expand all the time as new records about what work the user does are added.)
    Therefore I could have many instances of this PersonDetail class floating about, and I assume I should store them in something that should not take duplicates such as a Set or HashSet. I can then iterate through them to check the details of a person logging in. If this sounds feasible, should this overall holding collection be static i.e. one class instance only? If so, where should this static instance be declared/created to stop it being initialised more than once? I have created some GUI�s using Swing, but without a decent underlying system for storing the information the GUIs collect, its never really going to work efficiently.
    Any guidance on a better way of storing the information or an answer to my specific query warmly appreciated - and apologies if what I have said doesn't make sense!
    Paul D

    Your approach seems OK to me. The problem you will have is that the data is volatile, i.e. you will lose it when the program exits, unless you serialize to a file. Use the Serializable interface to acheive this. Once you get the hang of it, its very convenient. Check out Suns tutorials.
    Alternatively, you could put your data into an SQL database (MS access SQLServer MySQL etc..) and use JDBC to access/update it. The trick here is setting up the JDBC/ODBC access, and it does require some basic understanding of SQL.
    Hope this helps.

  • Using clickboxes and not getting response to display

    I'm building a scenario and have 2 standard objects that I'm using as buttons.  I created 2 clickboxes --1 for each item with the correct/incorrect response path.  When I preview/publish, the correct response will work, but not the incorrect response.  What am I missing?

    If you were intending to have the user continue clicking the same locations on the screen repeatedly to get either Correct or Incorrect feedback, then you might be looking at a situation that would suit the Event Handler widget:
    http://www.infosemantics.com.au/adobe-captivate-widgets/event-handler-interactive
    It has Preference settings that allow you to Disable Continue (thus remaining at the same frame on the timeline) and Reset Success Fail Criteria after Action (thus enabling repeat clicks and feedback captions).
    Free trial download versions of this widget are available here:
    http://www.infosemantics.com.au/adobe-captivate-widgets/download-free-trial-widgets

  • I movie 11 scrolling lags and has slow response

    I have been using Imovie 11 since it was released just last night it started to act weird. When trying to scroll over a project and edit it i has really bag lag time when scrolling the arrow over it. it has like a 2-3 second delay. it makes it so it is almost impossible to edit. really frustrating. any ideas?

    Try this thread...
    http://discussions.apple.com/message.jspa?messageID=12582963#12582963
    "After these past couple years since iMovie '09 went to this type of visual Project Library and dealing with this slowdown..... I'VE FIGURED OUT THE PROBLEM!!! Daniel, thanks again for that video. I "Removed from Media Browser" from all projects in the bottom two-thrids of my Project Library. Guess what? The bottom two-thrids scrolls with ease. The when you get to the top third it gets hung up when it hits the projects that are exported to the Media Browser. Now please submit new feedback.
    http://www.apple.com/feedback/imovie.html "

  • Hi, Just wondering if anyone has used the Jurassic Park game on an i-pod and experienced it freezing or being very slow on a regular basis?  If so, does anyone have any hints or tips?

    Does anyone have experience of using the Jurassic Park app game on their i-pod touch, and experiencing freezing and/or slow response?  If so, could you share any hints or tips that you have found that resolves these issues?  Many thanks.

    I have not seen that posted here before
    Try:
    iOS: Troubleshooting applications purchased from the App Store
    Contact the developer/go to their support site if only one app.
    Restore from backup. See:
    iOS: How to back up              
    Restore to factory settings/new iPod

  • Random users getting very slow response when opening messages/attachments or sending email

    I have a small number of users, mostly very senior management of course, who are experiencing slow response when trying to open email messages and attachments or send messages.
    They see the spinning wheel and sit there until it decides to open or send. If the message is opened  and closed again you would expect it to be quick reopening the same message, no, it does the same thing again.
    These users are all using Outlook 2010 and their mail accounts are on Exchange 2013. It does not seem to make a difference if they use a physical machine or log into a VDI.
    I do not have the same issue generally, though I have experienced this when using VDI and this has been seen using a number of different machine pools so it is not a specific pool.
    This is not specifically a VDI issue, as the 3rd paragraph says, the issues are seen on both physical and virtual machines.
    none of the mailboxes are particularly large, most are at around 60% of quota limit, and the same limit applies to almost all mailboxes across the organization. They also do not appear to have a huge number of messages stored, other users without issues
    have larger mailboxes and higher item counts. Any ideas what I need to look at to address this?

    Hi,
    How about OWA?
    If OWA works well, it seems an issue on the Outlook client side.
    Please try to run Outlook under safe mode and re-create profile for testing.
    Any related error/warning/information message left in App Log?
    Also consider the network Bandwidth.
    Thanks
    If you have feedback for TechNet Subscriber Support, contact
    [email protected]
    Mavis Huang
    TechNet Community Support

  • Database slow response

    Hi Guys,
    I am running Oracle Database 11g Enterprise Edition Release 11.2.0.3.0 - 64bit Production on Solaris 10.
    I upgraded my database from 9i (9.2.0.4.0 - 64bit Production) to 11gR2 (11.2.0.3.0 - 64bit Production)--now I am experiencing slow response from the queries.
    Below please find my Top 5 Wait Events:
    Top 5 Timed Foreground Events
    Event     Waits     Time(s)     Avg wait (ms)     % DB time     Wait Class
    db file sequential read      3,573,342     7,796     2     71.69     User I/O
    DB CPU          2,780          25.56     
    db file parallel read     37,346     327     9     3.01     User I/O
    direct path write temp     3,947     248     63     2.28      User I/O
    Disk file operations I/O     20,134     170     8     1.56      User I/O
    It looks like I have a serious I/O issues here--but how do I see if this is indeed the case?
    Please Help!!!!!!
    Thanks in advance.
    Edited by: user11979518 on Nov 1, 2012 5:05 AM

    user11979518 wrote:
    Thanks Guys for the replies,
    I strongly feel that this link--http://jonathanlewis.wordpress.com/category/oracle/statspack/ posted on this thread by Girish, really addresses my problems.
    I used memory target during the upgrade.
    Below are the reports from AWR:
    This statement inetersted me most:
    The DBA had decided to trust Oracle to do the right thing after the upgrade, so he had set the memory_target
    and eliminated all the other memory parameters, including the db_keep_cache_size.I did exactly that on during my upgrade.
    Here is the report from my database:
    Segments by Physical Read Requests:
    Owner          Tablespace Name          Object Name               Subobject Name     Obj. Type     Physical Reads     %Total
    CTRONLIV     AXS_AP2               PAY_HISTORY                         TABLE          9,286,075     60.12
    CTRONLIV     AXS_AP2               AP_VCHRS                         TABLE          2,732,117     17.69
    CTRONLIV     AXS_AR2               APPL_HIST_HDRS                          TABLE          1,216,941     7.88
    CTRONLIV     AXS_API2          SIY_X51                              INDEX          775,911          5.02
    CTRONLIV     AXS_API3          CHCK_RECON_TRANDATE_IDX                    INDEX          263,826          1.71
    Segments by UnOptimized Reads:
    Owner          Tablespace Name          Object Name               Subobject Name     Obj. Type     UnOptimized Reads     %Total
    CTRONLIV     AXS_AP2               PAY_HISTORY                         TABLE          9,278,509          69.33
    CTRONLIV     AXS_AR2               APPL_HIST_HDRS                         TABLE          1,215,931          9.09
    CTRONLIV     AXS_API2          SIYA_X51                         INDEX          775,915               5.80
    CTRONLIV     AXS_AP2               AP_VCHRS                         TABLE          752,067               5.62
    CTRONLIV     AXS_API3          CHCK_RECON_TRANDATE_IDX                    INDEX          263,826               1.97
    See how much better your report looks when I put in tags for you?
    Looking at the report it shows that I have done 9.2M read requests from table PAY_HISTORY and 1.2 M read requests from table APPL_HIST_HDRS,resulting in 9.2 M blocks reads from one table and 1.2M blocks read from the other, now I checked the sizes of the two tables:--PAY_HISTORY-->30GB and APPL_HIST_HDRS-->34GB.
    I used dbms_metadata.get_ddl(),as suggested on the link,to see the DDL of the two tables...the storage parameter are as follows :
    FOR table PAY_HISTORY:
    ) PCTFREE 10 PCTUSED 40 INITRANS 1 MAXTRANS 255 NOCOMPRESS LOGGING
    STORAGE(INITIAL 1048576 NEXT 20971520 MINEXTENTS 1 MAXEXTENTS 2147483645
    PCTINCREASE 0 FREELISTS 1 FREELIST GROUPS 1 BUFFER_POOL DEFAULT)
    For table APPL_HIST_HDRS:
    ) PCTFREE 10 PCTUSED 0 INITRANS 1 MAXTRANS 255 NOCOMPRESS LOGGING
    STORAGE(INITIAL 2147483648 NEXT 209715200 MINEXTENTS 1 MAXEXTENTS 2147483645
    PCTINCREASE 0 FREELISTS 1 FREELIST GROUPS 1 BUFFER_POOL DEFAULT)
    Does these mean that my tables were assigned to use KEEP buffer pool ?
    Or are they are assigned to use defualt buffer pool, if so does it mean that my cache is not working and if so, how do I rectify this issue?
    BUFFER_POOL DEFAULT means they were put into a pool named DEFAULT.  You should leave them there and work on the actual problem first.  There are queries to find out what is in the various pools, you can check that (and sometimes there are surprises).  But in general, leave it until after fixing the code that is making the problem.
    You should look at the top SQL and see if it is accessing those objects.  You should look at all SQL accessing those objects.  Look at the plans, including predicates.  You can post those here for more help, see the thread about how to post a tuning request.  The most likely thing is that some plan is not the best.  After you fix that, you may find your problems magically change.  (Assuming you checked all the config stuff I suggested).                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       

  • APEX hosted site slow response issues

    Hi,
    Is anyone else experiencing slow response issues when navigating through the hosted (apex.oracle.com) APEX site. About a 2-3 weeks ago we started noticing that it takes a long time to log into the site as well as navigate through anything
    This might sound odd but often times how we would workaround it is by repeatedly "re-clicking" a link or a button to get the page to return. Whenever the site is slow in respnding we wound see "Waiting for apex.oracle.com" in the browser's bottom console.
    We see the same issue with IE or Firefox and its only the apex.oracle.com site that has this problem.

    As I posted on another thread:
    Sorry for the lack of a reply here. With the long holiday in the U.S. and then my past two days of this week, spending at least a half a day each on apex.oracle.com, I haven't been paying attention to the discussion forums. I was unaware of this active thread.
    Don't worry Ben, I'm not going to say "It's fine for me". TKyte had identified a bug or two in Ask Tom over the weekend, and I tried to fix them on Monday morning. What should have taken me 10 minutes took me two hours.
    This has been my top priority for the past two days. There are some networking issues still being researched. A configuration change was made earlier today which seems to have alleviated the issue, but I'm not convinced that it will be a permanent fix.
    Understand that this has not been a database issue nor an Application Express issue. Every time the performance was glacial, both yesterday and today, I examined the database and there was hardly anything going on. It was a hardware (filer) issue a month ago, and it appears to be either firewall or network card or network issue or all three. Regardless, I am embarrassed for Oracle's sake - this should be our flagship for Oracle Application Express, and the past month or two of poor performance can only serve to dissuade from using Oracle and Oracle Application Express.
    Joel

  • Iphoto and CS4 SLOW

    I use Iphoto to organize my pics, and Photoshop to edit them. From iPhoto, clicking edit, can open photoshop fine and I can edit pics. But going backwards....
    If I'm in Photoshop and click Photos under media, the event blocks come up -- great, fast and responsive. No click an event.....SLLOOOWWW. Pics (Thumbnails) are slow, and scrolling past the pic files are painfully slow -- they load blurry, and take a lot of time sharpening. They act as if they're on a different (Networked Drive), but they're on the main HDD (750GB). It kills to try to edit any pic files because its so hard to see (Small thumbnails) and navigate (slow response) folders.
    Any ideas or solutions?

    Well LarryHN, its just that these programs and hardware are expensive its disappointing that they don't work well. I can edit any photo in iPhoto well and re-save it to the library, or re-save it somewhere else. However, when im working on a project, and need a pic of a person it it -- i often go to my photo library for more content. So i want to browse my library within photoshop as i'm working on another graphic art pic. I can do this, but its so slow, i'd probably give up before I found the pic i want.
    I COULD save my pic in photoshop, an then open iphoto, find a pic, hit edit, which will open up photoshop again, and then re-open my old art file, then i have the 2 pics together, but that's more a workaround more than a solution.

  • Slow response when deleting from PSA or overlapping requests

    Hi
    We have experienced slow response times when the 'delete' jobs are kicked off from the process chain to delete PSA data as well as overlapping requests from cubes in the past two weeks. When displaying the processes via SM50 it appears that the job is not running, however in SM37 the status of the job is 'Active'. Eventually it does finish, but sometimes it times out. Any suggestions?

    Hi
    When it completes it does the correct deletion of the overlapping requests. It only cancels without a shortdump. Here is a job log of one of these jpbs:
    14.02.2006 05:47:45 Job started                                                                      
    14.02.2006 05:47:45 Step 001 started (program RSPROCESS, variant &0000000670942, user ID ALEREMOTE)  
    14.02.2006 05:47:54 FB RSM1_CHECK_DM_GOT_REQUEST called from PRG RSSM_PROCESS_REQUDEL_CUBE; row 000214
    14.02.2006 05:47:54 Request '437,729'; DTA '0PM_C01'; action 'D'; with dialog 'X'                    
    14.02.2006 05:47:54 Leave RSM1_CHECK_DM_GOT_REQUEST in row 70; Req_State ''                          
    After the last step, that is where the entire job comes to a halt. It stays like that until we manually cancels it or it finish some hours later. We have recently uploaded patch level 28 on BW 3.0B, and am not sure if that could be the cause.
    Thanks :->

  • Flash Player slow response after update

    I have an older laptop that has a 2 ghz processor and the latest version requires a processor speed of 2.33 or better. Is this why I'm experiencing slow response on my facebook apps and loading on internet as well?

    Please refer this : http://helpx.adobe.com/flash-player.html and  http://helpx.adobe.com/flash-player/kb/installation-problems-flash-player-windows.html

  • Best practices when using collections in LR 2

    How are you using collections and collection sets? I realize that each photographer uses them differently, but I'm looking some inspiration because I have used them only very little.
    In LR 1 I used collections a bit like virtual Folders, but it doesn't anymore work as naturally in LR2.
    In LR 1 it was like:
    Travel (1000 images, all Berlin images)
    Travel / Berlin trip (400 images, all Berlin trip images)
    Travel / Berlin trip / web (200 images)
    Travel / Berlin trip / print (100 images)
    In LR 2 it could be done like this, but this somehow feels unnatural.
    Travel (Collection Set)
    Travel / Berlin trip (CS)
    Travel / Berlin trip / All (collection, 400 images)
    Travel / Berlin trip / web (collection, 200 images)
    Travel / Berlin trip / print (collection, 100 images)
    Or is this kind of use stupid, because same could be done with keywords and smart collections, and it would be more transferable.
    Also, how heavily are you using Collections? I'm kind of on the edge now (should I start using them heavily or not), because I just lost all my collections because I had to build my library from scratch because of weird library/database problems.

    Basically, i suggest not to use collections to replicate the physical folder structure, but rather to collect images independent of physical storage to serve a particular purpose. The folder structure is already available as a selection means.
    Collections are used to keep a user defined selection of images as a persistent collection, that can be easily accessed.
    Smart collections are based on criteria that are understood by the application and automatically kept up to date, again as a persistent collection for easy access. If this is based on a simple criterium, this can also, and perhaps even easier, done by use of keywords. If however it is a set of criteria with AND, OR combinations, or includes any other metadata field, the smart collection is the better way to do it. So keywords and collections in Lightroom are complementary to eachother.
    I use (smart)collections extensively, check my website  www.fromklicktokick.com where i have published a paper and an essay on the use of (smart)collections to add controls to the workflow.
    Jan R.

Maybe you are looking for

  • My experience of Playbook and RIM customer support

    On Oct 26, 2012, I purchased BlackBerry 32G Playbook from The Source. I contacted BlackBerry support on Dec 27, 2012 as I was having problem charging it using the charger that came with the Playbook. The charging cable connects to charging port on th

  • A,B,C indicator Physical Inv report

    We have maintained the A,B,C indicator in MRP view for materials.and changed the description of A,B,C as per material category. When we post the physical inv. diffrenec, we need to have physivcal inventory report with last count date and with A,B,C i

  • Arch linux for Sparc Ultra2

    I have flat rate adsl2 24/7 and a sparc ultra 2 idle connected, I can trust some people on it to port all arch PKGBUILD, 18Gb hard disk scsi3 15000 rpm 1280Mb rom 2 300Mhz CPUs. I can make Arch base boot on it in a couple of weeks. Anybody with me?

  • How to install adobe player on kindle hd

    I have a Kindle fire hd . Could you help me enable the settings so that the program can be downloaded ?

  • Over heating in Macbook pro

    Have Macbook pro MC700 13'', It is overheating while working in windows 7. How to resolve it ?