help kindly scenario performance

My requirment is simple

(1) I have table with 10 crore data records

2) there are 30 columns

(3) I add 1 more columns with the name "PAVILION".

(4) if the individual has 10 columns set to zero then update the flag with TRUE column

pls help

S

Published by: oraclehema on July 7, 2011 23:02

OK, I really strongly suggest that you do not store the flag on the table
We have all these indicators and flags on the tables where I work and their maintenance
is a nightmare.
It would be so much better to just drift indicator or indicator as needed by using a view, regardless of the function.

However if you really have to put this flag on the table you need a trigger to keep it.
This script should add column, relaxation and then update the appropriate indicator.

/* Formatted on 7/7/2011 9:15:46 AM (QP5 v5.149.1003.31008) */
ALTER TABLE
   crore_data
ADD
   flag  NUMBER(1);

ALTER TABLE  crore_data
 ADD CONSTRAINT check_flag
 CHECK (NVL(flag,0) BETWEEN 0 AND 1);

CREATE OR REPLACE TRIGGER crore_data
   BEFORE INSERT or UPDATE
   ON crore_data
   FOR EACH ROW
BEGIN
   :new.flag :=
      CASE   ABS (:new.col1)
           + ABS (:new.col2)
           + ABS (:new.col3)
           + ABS (:new.col4)
           + ABS (:new.col5)
           + ABS (:new.col6)
           + ABS (:new.col7)
           + ABS (:new.col8)
           + ABS (:new.col9)
           + ABS (:new.col10)
         WHEN 0
         THEN
            1
         ELSE
            0
      END;
END;

UPDATE crore_data
   SET col1 = col1;

Tags: Database

Similar Questions

  • How to disable location under the privacy services? My switch is freezed help kindly

    How to disable location under the privacy services? My switch is freezed help kindly

    Try disabling "Find my iPhone" in iCloud settings first.

  • Help improve the performance of a procedure.

    Hello everyone,

    First of all to introduce myself. My name is Ivan and I recently started to learn the SQL and PL/SQL. Then don't go hard on me. :)

    Now let's move on to the problem. What we have here is a table (a large, but we will need only a few fields) with some information about the calls. 'S called it table1. There is also another, absolutely the same structure, which is empty and we must transfer the recordings of the first.
    The calls short (less than 30 minutes) have segmentID = "C1".
    Longer calls (over 30 minutes) are saved as multiple records (1 for every 30 minutes). The first record (the first 30 minutes of the call) a segmentID = "C21". It's the first time we have only one of them for each different call. Then we have the next parts (the middle one) of the appeal, having segmentID = "C22". We have more than 1 middle part and once again the maximum minutes in every 30 minutes. Then we have the last part (new max 30 minutes) with segmentID = "C23. As with the first, we can have that last part.
    So far so good. Now we need to insert these call records in the second table. The C1 are easy - a record = one call. But those partial we must combine so that they become a single whole call. This means that we must be one of the first pieces (C21), find if there is a middle part (C22) with the same caller/called numbers and with the difference in 30 minutes time, then additional research if there is an another C22 and so on. And finally, we search for the last part of the call (C23). As part of this research we sum the length of each part, so we can have the duration of the call at the end. Then, we are ready to be inserted into the new table as a single record, just with the new duration.
    But here's the problem with my code... The table a LOT of files and this solution, despite the fact that it works (at least in tests I've done so far), it is REALLY slow.
    As I said I am new to PL/SQL and I know that this solution is really newbish, but I can't find another way to do this.

    So I decided to come here and ask for some advice on how to improve the performance of this.

    I think you're getting confused already, so I'll just put some comments in the code.

    I know this isn't a procedure as at present, but it will be once I have create better code. I don't think it's important for now.
    DECLARE
    
    CURSOR cur_c21 IS
        select * from table1
        where segmentID = 'C21'
        order by start_date_of_call;     // in start_date_of_call is located the beginning of a specific part of the call. It's date format.
        
    CURSOR cur_c22 IS
        select * from table1
        where segmentID = 'C22'
        order by start_date_of_call;
        
    CURSOR cur_c22_2 IS
        select * from table1
        where segmentID = 'C22'
        order by start_date_of_call;   
        
    cursor cur_c23 is
        select * from table1
        where segmentID = 'C23'
        order by start_date_of_call;
    
    v_temp_rec_c22 cur_c22%ROWTYPE;
    v_dur table1.duration%TYPE;           // using this for storage of the duration of the call. It's number.
    
    BEGIN
    
    insert into table2
    select * from table1 where segmentID = 'C1';     // inserting the calls which are less than 30 minutes long
    
    -- and here starts the mess
    
    FOR rec_c21 IN cur_c21 LOOP        // taking the first part of the call
       v_dur := rec_c21.duration;      // recording it's duration
    
       FOR rec_c22 IN cur_c22 LOOP     // starting to check if there is a middle part for the call 
          IF rec_c22.callingnumber = rec_c21.callingnumber AND rec_c22.callednumber = rec_c21.callednumber AND  
            (rec_c22.start_date_of_call - rec_c21.start_date_of_call) = (1/48)                 
    /* if the numbers are the same and the date difference is 30 minutes then we have a middle part and we start searching for the next middle. */
          THEN
             v_dur := v_dur + rec_c22.duration;     // updating the new duration
             v_temp_rec_c22:=rec_c22;               // recording the current record in another variable because I use it for the next check
    
             FOR rec_c22_2 in cur_c22_2 LOOP
                IF rec_c22_2.callingnumber = v_temp_rec_c22.callingnumber AND rec_c22_2.callednumber = v_temp_rec_c22.callednumber AND  
                  (rec_c22_2.start_date_of_call - v_temp_rec_c22.start_date_of_call) = (1/48)         
    /* logic is the same as before but comparing with the last value in v_temp... 
    And because the data in the cursors is ordered by date in ascending order it's easy to search for another middle parts. */
                THEN
                   v_dur:=v_dur + rec_c22_2.duration;
                   v_temp_rec_c22:=rec_c22_2;
                END IF;
             END LOOP;                      
          END IF;
          EXIT WHEN rec_c22.callingnumber = rec_c21.callingnumber AND rec_c22.callednumber = rec_c21.callednumber AND  
                   (rec_c22.start_date_of_call - rec_c21.start_date_of_call) = (1/48);        
    /* exiting the loop if we have at least one middle part.
    (I couldn't find if there is a way to write this more clean, like exit when (the above if is true) */
       END LOOP;
                  
       FOR rec_c23 IN cur_c23 LOOP              
          IF (rec_c23.callingnumber = rec_c21.callingnumber AND rec_c23.callednumber = rec_c21.callednumber AND 
             (rec_c23.start_date_of_call - rec_c21.start_date_of_call) = (1/48)) OR v_dur != rec_c21.duration           
    /* we should always have one last part, so we need this check.
    If we don't have the "v_dur != rec_c21.duration" part it will execute the code inside only if we don't have middle parts
    (yes we can have these situations in calls longer than 30 and less than 60 minutes). */
          THEN
             v_dur:=v_dur + rec_c23.duration;
             rec_c21.duration:=v_dur;               // updating the duration
             rec_c21.segmentID :='C1';
             INSERT INTO table2 VALUES rec_c21;     // inserting the whole call in table2
          END IF;
          EXIT WHEN (rec_c23.callingnumber = rec_c21.callingnumber AND rec_c23.callednumber = rec_c21.callednumber AND 
                    (rec_c23.start_date_of_call - rec_c21.start_date_of_call) = (1/48)) OR v_dur != rec_c21.duration;                  
                    // exit the loop when the last part has been found. 
       END LOOP;
    END LOOP;
    
    END;
    I'm using version 1.5.5 Developer SQL and Oracle 11 g.

    This is my first post here so I hope it's the right subforum.
    I tried to explain it as deep as possible (sorry if it's too long) and I kinda think that code got a bit hard to read with all these comments. If you want I can delete them.
    I know that I'm missing a lot of knowledge for all the help is really appreciated.

    I thank very you much in advance!

    Hi and welcome to the forums.

    Thanks for posting your code (and using code tags... it's a miracle of a novice!).

    What would be nice would be if you could provide some example data and expected results; as described in the FAQ: {message identifier: = 9360002}

    Your code is very likely to be slow because of the number of nested loops cursor that you use. Which is known in the trade as treatment of rank by rank (more affectionately known as slow-by-slow transformation, as he was known to be slow). It is slow because the PL engine must keep going back and forth between himself and the SQL engine and the INSERT you in a loop called SQL much time to insert data.

    Usually this kind of thing can be achieved by using something like a single INSERT... ... SELECT statement where the SELECT all the treatment that you put in the language PL, or sometimes a SQL MERGE statement if a conditional is sort of insert/update.

    If you post your data so people can get an idea of what is the logic (and have something to test with and know what results should be) then we can help.

  • Help!  Cannot perform this Action.  60 pages on 8 helped change.

    It's very frustrating. I need help expertise.

    The construction of a web stie for our County Government.

    I asked each of the 8 offices to buy 4 Help and my first office is problems with him "you can not perform this action in this region of the page" when it is loading files links or links in emails.

    I read everything I can. I used contribute 1.0 and 2.0 for years!

    http://www.ottawacountygov.com/countyclerk/countyclerk.htm This is the office that I work with, at this stage.

    I've changed the document type according to the suggestion of Murray.
    I updated the content div INSIDE the editable region. It made no difference.
    I removed a position: relative in the wrapper of the CSS.

    I test in Contribute... it allows me to add a 1 link BUT ONLY. Then I get the error message.

    Help, please! All 60 + pages are the same, basic css so if I can understand a...

    Thank you. I hope it's something very simple!

    Sandy

    I finally found the answer, but it looks more like a BUG. Be in the KNOW!

    I had a very simple library in the footer at the bottom. Even in a purely format table, it did not work. When I published the library, it would add several links.

    The menu of the library had not led the question of the link, just one down. Disappointing.

  • Help-need to perform a major reboot!

    OK, so I forgot how to get my rockets to lay restart mode.  Help, please.  I have white screen problems.  Rocket is recognized by the computer, but will not charge.  Please notify.


  • Help me to perform an exorcism on my ghost deleted-but-imperishable voice recordings. Goose bumps!

    After deleting voice records of the Clip + via my PC, he always count of the records of ghosts and keeps in the menu. Go to the folder of VOICE and removing records doesn't erase their in the Clip + internal menu and follow up. It cannot be circumvented by trying to delete records in a context menu that offers this; the option has no effect. Diligently, he tries a reading on all 28 records ghosts in a quick whirl until it comes to a live, but it's still too takes two seconds!

    Is there a way to go with a text editor or something, find where the track data is stored and go Ghostbusters on recordings of ghost voices? I backed up the files in the main directory when I got the Clip + devrais I just tried replacing with these backups? Can Winamp or another piece of software help me? This bug has been resolved before somewhere?

    Thanks for any help you can offer on this, I appreciate it.

    You need to clean yourself fast and holy water for two days to purify you.  Then, you're ready to go on a quest.

    Do a search for "ghost records" or "ghost files" in the forum.   This has happened with rocket records long enough and there are a couple of threads with a workaround which has no formatting.   Maybe it'll work for the clip +.

    (edit)

    It seems that some of the links are broken.  Try this post.  He explains a workaround for the voice recordings of rocket.

    http://forums.SanDisk.com/T5/fuze/FM-recordings-still-show-up-after-deleting/m-p/110633/highlight/tr...

  • High energy impact of Photoshop CC 2015, CEPHmtlEngine Helper constantly being performance-draining my battery!

    I just bought a new Macbook Pro and downloaded Adobe Photoshop CC 2015. I have it open and immediately noticed it was draining my battery and I'm even not using the application, it is open just sitting there. I checked the activity monitor, and it shows the energy impact between18-20 when the program is opened. My previous Mac running Photoshop CC 2014 and I could leave that open, reduced in the dock and it is not drain my battery the same as on this new machine running PS CC 2015. To the title of the activity monitor, it shows that the CEPHtmlEngine assistance program has 13 energy impact. What is this "CEPHtmlEngine assistance program? Is it still necessary. In fact, I see two of them in my activity monitor in the drop-down arrow under Adobe Photoshop CC 2015. Why have I not two. I checked my old laptop running Photoshop CC 2014 and there is no such thing CEPHtmlEngine Helper listed below Photoshop CC 2014. Can someone please explain this to me and tell me if it is possible to remove the CEPHtmlEngine assistance program so I stop wasting so much energy to the battery on one of these seemingly useless items. And why I have two of them below Photoshop in activity monitor?

    Thank you. -Jeff

    Dear all,

    Could you please refer to this post and see if that solves your problem?

    CEPHtmlEngine slows down the computer (Mac) and the solution.

  • Help with this performance of database

    We have a web application on weblogic and backend is db 11 GR 2.
    We also also running batch. people complain about the tasks performed too long - hrs.
    Could someone comment on this AWR?

    Thank you very much
                  Snap Id      Snap Time      Sessions Curs/Sess
                --------- ------------------- -------- ---------
    Begin Snap:     16147 28-Feb-13 16:00:08       815       3.4
      End Snap:     16148 28-Feb-13 17:00:21       871       3.6
       Elapsed:               60.22 (mins)
       DB Time:              148.96 (mins)
    
    Cache Sizes                       Begin        End
    ~~~~~~~~~~~                  ---------- ----------
                   Buffer Cache:     2,208M     2,208M  Std Block Size:         8K
               Shared Pool Size:     3,600M     3,600M      Log Buffer:    20,800K
    
    Load Profile              Per Second    Per Transaction   Per Exec   Per Call
    ~~~~~~~~~~~~         ---------------    --------------- ---------- ----------
          DB Time(s):                2.5                0.1       0.00       0.00
           DB CPU(s):                2.1                0.1       0.00       0.00
           Redo size:          648,806.2           20,691.5
       Logical reads:          102,169.5            3,258.4
       Block changes:            5,538.9              176.6
      Physical reads:            9,146.3              291.7
     Physical writes:              182.8                5.8
          User calls:            1,049.4               33.5
              Parses:               38.5                1.2
         Hard parses:                1.5                0.1
    W/A MB processed:                5.4                0.2
              Logons:                0.4                0.0
            Executes:              785.9               25.1
           Rollbacks:               12.7                0.4
        Transactions:               31.4
    
    Top 5 Timed Foreground Events
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
                                                               Avg
                                                              wait   % DB
    Event                                 Waits     Time(s)   (ms)   time Wait Class
    ------------------------------ ------------ ----------- ------ ------ ----------
    DB CPU                                            7,403          82.8
    log file sync                        63,357         954     15   10.7 Commit
    db file sequential read           6,961,298         599      0    6.7 User I/O
    direct path read                    326,419         230      1    2.6 User I/O
    SQL*Net message from dblink           1,346         164    122    1.8 Network
    Host CPU (CPUs:  160 Cores:   80 Sockets:   20)
    ~~~~~~~~         Load Average
                   Begin       End     %User   %System      %WIO     %Idle
               --------- --------- --------- --------- --------- ---------
                   27.61     28.95      10.5       6.0       0.0      83.6
    
    Instance CPU
    ~~~~~~~~~~~~
                  % of total CPU for Instance:       1.5
                  % of busy  CPU for Instance:       8.9
      %DB time waiting for CPU - Resource Mgr:       0.0
    
    Memory Statistics
    ~~~~~~~~~~~~~~~~~                       Begin          End
                      Host Mem (MB):    655,360.0    655,360.0
                       SGA use (MB):      6,144.0      6,144.0
                       PGA use (MB):      1,569.6      1,767.3
        % Host Mem used for SGA+PGA:         1.18         1.21
    
    
    Statistic Name                                       Time (s) % of DB Time
    ------------------------------------------ ------------------ ------------
    DB CPU                                                7,402.9         82.8
    sql execute elapsed time                              6,861.1         76.8
    PL/SQL execution elapsed time                           270.2          3.0
    parse time elapsed                                      252.6          2.8
    hard parse elapsed time                                 135.6          1.5
    RMAN cpu time (backup/restore)                           61.2           .7
    connection management call elapsed time                  20.0           .2
    PL/SQL compilation elapsed time                           2.5           .0
    inbound PL/SQL rpc elapsed time                           1.1           .0
    hard parse (sharing criteria) elapsed time                0.3           .0
    hard parse (bind mismatch) elapsed time                   0.1           .0
    repeated bind elapsed time                                0.1           .0
    sequence load elapsed time                                0.0           .0
    DB time                                               8,937.8
    background elapsed time                               3,823.8
    background cpu time                                   1,067.8
              -------------------------------------------------------------
    
    Operating System Statistics     
    
    
    Statistic                                  Value        End Value
    ------------------------- ---------------------- ----------------
    AVG_BUSY_TIME                             59,237
    AVG_IDLE_TIME                            301,693
    AVG_SYS_TIME                              21,399
    AVG_USER_TIME                             37,656
    BUSY_TIME                              9,507,251
    IDLE_TIME                             48,300,375
    SYS_TIME                               3,452,080
    USER_TIME                              6,055,171
    LOAD                                          28               29
    OS_CPU_WAIT_TIME                         524,700
    RSRC_MGR_CPU_WAIT_TIME                         0
    VM_IN_BYTES                               65,536
    VM_OUT_BYTES                                   0
    PHYSICAL_MEMORY_BYTES            687,194,767,360
    NUM_CPUS                                     160
    NUM_CPU_CORES                                 80
    NUM_CPU_SOCKETS                               20
    TCP_RECEIVE_SIZE_DEFAULT               2,097,152
    TCP_RECEIVE_SIZE_MAX                 335,544,320
    TCP_SEND_SIZE_DEFAULT                  2,097,152
    TCP_SEND_SIZE_MAX                    335,544,320
              -------------------------------------------------------------
    
    Operating System Statistics - 
    
    Snap Time           Load    %busy    %user     %sys    %idle  %iowait
    --------------- -------- -------- -------- -------- -------- --------
    28-Feb 16:00:08     27.6      N/A      N/A      N/A      N/A      N/A
    28-Feb 17:00:21     28.9     16.4     10.5      6.0     83.6      0.0
              -------------------------------------------------------------
    
    
    Foreground Wait Class           
    
    -> Captured Time accounts for        107.0%  of Total DB time       8,937.75 (s)
    -> Total FG Wait Time:             2,164.90 (s)  DB CPU time:       7,402.93 (s)
    
                                                                      Avg
                                          %Time       Total Wait     wait
    Wait Class                      Waits -outs         Time (s)     (ms)  %DB time
    -------------------- ---------------- ----- ---------------- -------- ---------
    DB CPU                                                 7,403               82.8
    Commit                         63,357     0              954       15      10.7
    User I/O                    7,528,076     0              932        0      10.4
    Network                     4,429,612     0              217        0       2.4
    Application                     1,560     0               29       18       0.3
    Other                         143,633     0               17        0       0.2
    Concurrency                    50,758     0               10        0       0.1
    Configuration                      71    14                4       62       0.0
    System I/O                      7,295     0                2        0       0.0
    Administrative                      2     0                0      136       0.0
              -------------------------------------------------------------
    
    Foreground Wait Events         
    
    
                                                                 Avg
                                            %Time Total Wait    wait    Waits   % DB
    Event                             Waits -outs   Time (s)    (ms)     /txn   time
    -------------------------- ------------ ----- ---------- ------- -------- ------
    log file sync                    63,357     0        954      15      0.6   10.7
    db file sequential read       6,961,298     0        599       0     61.4    6.7
    direct path read                326,419     0        230       1      2.9    2.6
    SQL*Net message from dblin        1,346     0        164     122      0.0    1.8
    db file parallel read            75,275     0         51       1      0.7     .6
    SQL*Net more data to clien    1,468,920     0         45       0     13.0     .5
    enq: KO - fast object chec          467     0         20      43      0.0     .2
    direct path write                 1,890     0         19      10      0.0     .2
    
    
    Background Wait Events         
    
                                                                 Avg
                                            %Time Total Wait    wait    Waits   % bg
    Event                             Waits -outs   Time (s)    (ms)     /txn   time
    -------------------------- ------------ ----- ---------- ------- -------- ------
    log file parallel write          71,426     0        393       5      0.6   10.3
    db file parallel write           31,764     0        223       7      0.3    5.8
    Backup: MML create a backu            4     0        163   40660      0.0    4.3
    Backup: MML write backup p       14,976     0        153      10      0.1    4.0
    control file parallel writ        5,276     0         81      15      0.0    2.1
    Backup: MML commit backup             4     0         50   12598      0.0    1.3
    log file sequential read            530     0         21      39      0.0     .5
    db file async I/O submit         10,968     0         17       2      0.1     .5
    db file sequential read           4,562     0         17       4      0.0     .4

    If you actually 160 hearts, most of the drivers is inactive (so it's not one of the dozens of databases on the same server, all the competitor for the same 160 cores), you have the Enterprise edition (which I believe is required for a parallel query, but it is also a sine qua non for the Performance and Tuning Pack (, which would be necessary for the AWR report you posted) and batch processing are parallelizable, Yes, that would certainly improve the performance of the batch. If batches are parallelizazble will depend on how they are built. If they do operations based on a game, for example, Oracle can often use a parallel query to significantly improve performance. If you have a lot of line of PL/SQL, it'll take more work to run in parallel.

    Justin

  • I what features on my laptop in windows features turn on and off to help with the performance?

    My computer is really bad and very slow running gel and it is not infected. What can I do about it? I have also all my windows features enabled in windows features idk because those who to put in work and which ones to stop...   Also my updates do not complete right, it starts but it will not update...

    Update your Windows and also run this tool:

    http://support.Microsoft.com/mats/slow_windows_performance/

  • Could not understand the error in help kindly cursor me

    declare
    cursor c is select e.empno,e.ename,g.grade from emp e,salgrade g where e.sal between g.losal and g.hisal order by e.empno;
    v_empno emp.empno%type;
    v_ename emp.ename%type;
    v_grade salgrade.grade%type;
    begin
    open c;
    fetch c into v_empno,v_ename,v_grade;
    while c%rowcount<=5 
    loop
    dbms_output.put_line(c.empno||' '||c.ename||' '||c.grade);
    end loop;
    close c;
    end;
    Error on line 2
    ORA-06550: line 11, column 24:
    PLS-00225: subprogram or cursor reference 'C' is out of range
    ORA-06550: line 11, column 1:
    PL/SQL: Statement ignored

    Script done on line 2.

    the order of the statements in the loop had some prob, so you must use local variables.
    Try the following.

    declare
    cursor c is select e.empno,e.ename,g.grade from emp e,salgrade g where e.sal
    between g.losal and g.hisal order by e.empno;
    v_empno emp.empno%type;
    v_ename emp.ename%type;
    v_grade salgrade.grade%type;
    begin
    while c%rowcount <= 5
    loop
    open c;
    fetch c into v_empno,v_ename,v_grade;
    dbms_output.put_line (v_empno||' '||v_ename||' '||v_grade);
    end loop;
    close c;
    end;
    
  • Because of re-initializing DB helps improve performance

    Hi all

    Could you please answer my question.

    The re-initialization DB helps improve the performance of the DS. We can do this once a year as a preventive measure?

    Thanks in advance.

    -Bennett

    Hello Bhadra,
    one of the reasons why an instance of DS 'slowing down' in the long term COULD BE due to the fragmentation/occupation page and/or the presence of headstones (and empty graves: segments with deleted entries) in the underlying DB.
    If you have a huge database with a lot of paperwork (ADD/MOD/DEL), it is reasonable that after a long period of time the DB can become slightly fragmented. Depending on the version, there may be different approaches and techniques to overcome this problem: reconditioning is one of them (with a long and troubled history this functionality available for origin 6.x, disabled in 7.x, reactivated in 11.1.1.5).

    The reset of the DB, COULD BE a good idea, but it depends strongly on WHAT allows you to re-init: If you are using a LDIF WITH replica information, you will be especially rebuild DB and indexes, in order to reduce the fragmentation at the "level of file system", but you'll always keep a lot of 'waste' (gravestones and tombs) in the DB and the directories themselves.

    IMHO the only way to completely refresh the contents of a directory server instance would export to LDIF WITHOUT information of replica and then re-init with whom: this will generate a "new and compact" DB and all clues not only to reduce fragmentation in the "file system level", but also that it will be "purged" all stones tombstones and empty serious left by the previous operations of MOD/DEL.
    The significant disadvantage of this approach is that if you are dealing with a replicated environment (which is very common), you will also have to perform a reset of complete topology from the top down.

    HTH,
    Marco

  • I have a logo that is not visible... can some trouble shoot to kindly help

    I have a logo on the top of my page...
    and it's my header section
    < id td = "tCarmineLogo" valign = "top" > < img src = "" wwv_flow_file_mgr.get_file? p_security_group_id = 100000 & amp; p_fname = * magmaxproa.jpg * "style =" do-family: Arial; color: #FFFFFF; do-size: 10px; white-space: nowrap; make-weight: bold; "> < br > < table >
    Pleasse observe magmaxproa.jpg...
    I don't know where this file... should be kept...
    I stored in / IE root directory it doenst find
    then I tried pictures he doestn work...
    I mean where should be the location of magmaxproa.jpg help kindly...
    /
    Homepage
    images
    public
    sys
    Might be a simple question but I am not able to understand... If anyone can help.
    Thank you.... new
    Paulj

    Try this

    Logo
    
    

    Or

    Logo
    
    

    Note the / > at the end of the img tag. And with the alt attribute is a good habit.

    You do not put the wwv_flow_file_mgr.get_file? p_security_group_id = 100000 & p_fname = on CBC

    Kind regards

  • Performance of VMWare resources

    Can someone answer me these questions or to provide me with the resource (s) where I can find this information myself.

    + As you indicate, hard numbers comparisons are the kind of the gold standard that we are looking for pipes for +.
    I would be particularly interested in making a comparison, something like this:

    • A. system - VM system with two virtual machines, each running a server is under load

    • B. system B-only one BONE, just above the metal, with these same two servers running on this subject under the same load nakedtake this base A against B test and compare along a bunch of parameters:

    • 1. heavy disk i/o load

    • 2. intensive care of memory

    • 3 CPU intensive care

    • 4. some combinations

    • 5. what he looked like in the 'start-up' compared to the stationary State

    • 6. What are the boundary conditions; scenarios in each of A and B, where you can cause particularly bad claim, etc..

    • 7. etc. Something like that seems to me that it would be particularly useful, because it would really help characterize the kind of servers that can be inserted on VM without worry. And he would bring clarity to the kind of performance degradation (or a user effect) you should expect in various scenarios. Armed with such data, it would be much easier to say "X process can be had VM without a second thought, while process there should only be VM had in these conditions... and Z process will benefit actually put itself on its own virtual machine... », etc.

    Thank you

    Kevin

    To be honest, as this depends on many variables, but take a look at http://www.vmware.com/resources/techresources/cat/91, 96 for some docs or just google vmware performance, Dell, HP and other manufacturers/vendors have stats

    Thank you

    Neil

  • ThinkPad Tablet 2 performance

    Hello! I think to buy 2 Tablet Thinkpad but have a few questions. I am currently using x 220 Tablet and I wonder what kind of performance I can get TT2. Unfortunately, I don't have any place where I could test the device.

    I usually use simultaneously the following applications (which means they are open at a time):

    -MS OneNote with a lot of inking, paste the PDF impressions, photos, etc.

    -Program PDF (for example. Foxit Reader) but also of PDF annotator

    -MS Live mail

    -Firefox

    Apart from this, the following applications have to run in the background:

    -dropbox
    -AVG antivirus free edition

    Currently, I have no problems with these applications, but my x 200 Tablet intel i3 and has 8 GB of memory. Now, I already have devices of the atom (shuttle sx35 with ION graphics) - but its performance is mediocre - I use it as a HTPC.

    Can a user TT2 said that the above programs can TT2 running smoothly on all? Especially the OneNote is why I would buy Tablet Windows exploited in the first place... Thank you in advance for your help!

    I have a similar setup (converted from the X220T) and use Evernote and Onenote on TPT2 without problems. I was concerned about the drop in performance. I think that Windows 8 in combination with the new Atom Processor improves the combination. I also had a Nokia mobile with an old Atom and Win7 - what a difference now. No problem with MS Powwerpoint or word. AVG works well and does not affect the speed. Surface Pro would have been my choice, but the battery life is not acceptable.

    Good luck.

  • How to compare the plug adapter performance speed

    I am currently using a Dual Band WUSB600N adapter and a 'ATT' source model of router: 5031NV for a DSL connection. Recently, I built a gaming PC custom with a Gigabyte 7170XP-SLI with Intel i5 processor 6500 Quad-cores. OS: Windows Home 64-bit 10

    My speed Test for my WiFi earned low performance with 7.68 MB download speeds and download speeds of 3.47 MB with a Ping of 34 Ms.

    Although there are all kinds of figures and data for the specifications of all the double channel LinkSys USB adapters that I see nothing that tells me if a newer version as the USBN900 would offer any help to the performance in the WUSBN600. I use the docking option to increase the height of the adapter, because it significantly improves the signal strength on being connected directly to a USB port on the PC. I know also that connect something on my PC that comes out that far forward or backward thereafter will take an accidental bump probably break and possibly damage the CROWD... At least in the cramped neighborhoods I'm currently in.

    So, how can I determine if the adapter newest WiFi can offer so probably best speed performance?

    ScooterB wrote:
    That's the question I need an answer to. Unfortunately the account is in the name of my father and for the moment I have no way to access this information. I'll have to ask him to find a billing statement to know that we have the package.

    I am very aware that my performance is limited to "the weaker or slower the link in the chain.

    To find out your current maximum throughput of your ISP. Connect a computer directly to the ISP modem using an Ethernet cable and run a www.speedtest.net.

Maybe you are looking for

  • Access slow after upgrade

    After the upgrade to Firefox 36, extremely slow-start up - the hourglass comes on, then off, then finally in the left corner 'New tab' appears and finally get my home page. A previous version of Firefox loaded almost immediately. I have Windows 7 and

  • where's my contacts

    Hello. my laptop has been reformatted recently, so I had to reinstall Skype. Now that I have, all my contacts are gone. In fact, there was a long list of strange people in my contact list, but now, which seems to have disappeared. Is it possible to r

  • I want to use the expression editor control in a DLL VC ++ how?

    Hello as mentioned I want to use the expression editor control in my DLL written with VSC ++ 2005 MFC. But I came across some problems: If I simply add the ExpressionEdit control in the toolbar to my dialog box then the dialog box will appear not dur

  • my windows vista is not closed.

    my windows vista is not closed. It goes through all the motions & then the screen turns black, stay that way for a long time & then starts by itself. a window of dialogue sometimes said that just recovered windows suddenly stopped and that sometimes

  • Unable to start - blocked Windows updates to install updates

    original title: I can not connect after restarting my computer during updates. Help, please I have a Sony Vaio laptop running windows Vista (2008). It came pre loaded so I don't have an installation disc. I was in the middle of a huge update (windows