Again..What elapse time you are expecting for this query..

Hi Again want to confirm with you Oracle gurus ...
Does following plsql code really takes time in mins
I do not used to deal with clob data so can not say why there is so delay..
-> TableA has 3000 rows with text_data clob column holding large clob data...
-> TableB has some thing which i wnat to append in text_data column..
-> Trying to minimize elapse time..
declare
cursor c1 is select object_id from TableA where object_type = 'STDTEXT' and rownum < 1000;
TYPE v_object_id_t is table of TableA.object_id%type index by binary_integer;
v_object_id v_object_id_t;
cursor c2(p_object_id TableA.object_id%type) is
select to_clob('<IMG "MFI_7579(@CONTROL=' || ref_id || ',REF_ID=' || ref_id || ').@UDV">' || substr('abcdefghijklmnopqrstuvwxyzabcdefghijklmnopqrstuvwx',1, round(to_char(systimestamp,'FF2')/2)-1)) temp_data
from TableB where object_id = p_object_id;
TYPE v_text_data_t is table of TableA.text_data%type index by binary_integer;
v_text_data v_text_data_t;
v_temp clob ;
r2 c2%rowtype;
begin
open c1;
loop
FETCH c1 BULK COLLECT INTO v_object_id ;
for i in 1..v_object_id.count loop
dbms_lob.createtemporary(v_temp,TRUE);
open c2(v_object_id(i));
loop
fetch c2 into r2;
exit when c2%NOTFOUND;
dbms_lob.append(v_temp,r2.temp_data);
end loop;
close c2;
v_text_data(i) := '';
v_text_data(i) := v_temp;
-- DBMS_OUTPUT.PUT_LINE (length(v_text_data(i)));
dbms_lob.freetemporary(v_temp);
end loop;
forall counter in 1..v_text_data.count
update TableA
set text_data = concat(text_data,v_text_data(counter))
where object_id = v_object_id(counter);
DBMS_OUTPUT.PUT_LINE ('Update performed!');
commit;
EXIT WHEN c1%NOTFOUND;
end loop;
close c1;
exception
when others then
DBMS_OUTPUT.PUT_LINE ('Update not performed!');
end;
-- Last elapse time 333 sec for 8k text_data data if i use 16k block size
-- Last elapse time 1503 sec for 2k text_data data if i use 8k block size
->> Am I going rigth way???
Please Help...
Cheers :)
Rushang Kansara
Message was edited by:
Rushang Kansara
Message was edited by:
Rushang Kansara

Here is an example that shows SQL and PL/SQL methods. Note that the DBMS_LOB.WriteAppend() call is the wrong call to use (as I did above. The correct call to use (for appending CLOB to a CLOB) is DBMS_LOB.Append() (as shown below).
SQL> create table my_docs
2 (
3 doc_id number,
4 doc CLOB
5 )
6 /
Table created.
SQL>
SQL> create sequence id
2 start with 1
3 increment by 1
4 nomaxvalue
5 /
Sequence created.
SQL>
SQL>
SQL> create or replace procedure AddXML( rowCount number DEFAULT 1000 ) is
2 cursor curXML is
3 select
4 XMLElement( "ORA_OBJECT",
5 XMLForest(
6 object_id as "ID",
7 owner as "OWNER",
8 object_type as "TYPE",
9 object_name as "NAME"
10 )
11 ) as "XML_DATA"
12 from all_objects
13 where rownum <= rowCount;
14
15 tmpClob CLOB;
16 xml XMLType;
17 lineCount number := 0;
18 docID number;
19 begin
20 DBMS_LOB.CreateTemporary( tmpClob, TRUE );
21
22 open curXML;
23 loop
24 fetch curXML into xml;
25 exit when curXML%NOTFOUND;
26
27 lineCount := lineCount + 1;
28
29 DBMS_LOB.Append(
30 tmpClob,
31 xml.GetCLOBVal() -- add the XML CLOB to our temp CLOB
32 );
33 end loop;
34 close curXML;
35
36 insert
37 into my_docs
38 ( doc_id, doc )
39 values
40 ( id.NextVal, tmpClob )
41 returning doc_id into docID;
42
43 commit;
44
45 DBMS_LOB.FreeTemporary( tmpClob );
46 DBMS_OUTPUT.put_line( lineCount||' XML object(s) were appended to document '||docID );
47 end;
48 /
Procedure created.
SQL> show errors
No errors.
SQL>
SQL> -- add 3 CLOBs of varying sizes
SQL> exec AddXML
1000 XML object(s) were appended to document 1
PL/SQL procedure successfully completed.
SQL> exec AddXML(100)
100 XML object(s) were appended to document 2
PL/SQL procedure successfully completed.
SQL> exec AddXML(500)
500 XML object(s) were appended to document 3
PL/SQL procedure successfully completed.
SQL>
SQL> -- what are the sizes of the CLOBs and the total size?
SQL> select
2 doc_id,
3 SUM( ROUND( LENGTH(doc)/1024 ) ) as "KB_SIZE"
4 from my_docs
5 group by
6 ROLLUP(doc_id)
7 /
DOC_ID KB_SIZE
1 98
2 9
3 47
154
SQL>
SQL> -- add an empty CLOB
SQL> insert into my_docs values( 0, NULL );
1 row created.
SQL> commit;
Commit complete.
SQL>
SQL> -- note that the new CLOB is zero KB in size
SQL> select
2 doc_id,
3 ROUND( LENGTH(doc)/1024 ) as "KB_SIZE"
4 from my_docs
5 /
DOC_ID KB_SIZE
1 98
2 9
3 47
0
SQL>
SQL> -- we add document 1 to 3 to document 0 using SQL
SQL> update my_docs
2 set doc = doc || (select t.doc from my_docs t where t.doc_id = 1 )
3 where doc_id = 0;
1 row updated.
SQL>
SQL> update my_docs
2 set doc = doc || (select t.doc from my_docs t where t.doc_id = 2 )
3 where doc_id = 0;
1 row updated.
SQL>
SQL>
SQL> update my_docs
2 set doc = doc || (select t.doc from my_docs t where t.doc_id = 3 )
3 where doc_id = 0;
1 row updated.
SQL>
SQL> commit;
Commit complete.
SQL>
SQL> -- what are the sizes now?
SQL> select
2 doc_id,
3 ROUND( LENGTH(doc)/1024 ) as "KB_SIZE"
4 from my_docs
5 /
DOC_ID KB_SIZE
1 98
2 9
3 47
0 154
SQL>
SQL>
SQL> -- we do the adds again, but time time using a PL/SQL procedure to do it
SQL> declare
2 cursor c is
3 select doc from my_docs where doc_id in (1,2,3);
4
5 updateClob CLOB;
6 appendClob CLOB;
7 begin
8 -- we must lock the row for update and then we can write directly
9 -- to that row's CLOB locator (without using the UPDATE SQL statement)
10 select
11 doc into updateClob
12 from my_docs
13 where doc_id = 0
14 for update;
15
16
17 open c;
18 loop
19 fetch c into appendClob;
20 exit when c%NOTFOUND;
21
22 -- we append the CLOBs to document 0
23 DBMS_LOB.Append( updateClob, appendClob );
24 end loop;
25
26 -- .. and commit the changes to document 0's CLOB locator
27 commit;
28 end;
29 /
PL/SQL procedure successfully completed.
SQL>
SQL>
SQL> -- what are the sizes now?
SQL> select
2 doc_id,
3 ROUND( LENGTH(doc)/1024 ) as "KB_SIZE"
4 from my_docs
5 /
DOC_ID KB_SIZE
1 98
2 9
3 47
0 308
SQL>

Similar Messages

  • Pop Up: The software you are installing for this hardware has not passed Windows Logo testing - AntiVirus

    When deploying Endpoint Protection with SCCM 2012, some workstations are getting a popup saying:
    The software you are installing for this hardware has not passed Windows Logo
    testing and it references "Antivirus". Upon clicking continue anyway it finished installing.
    I'm not able to duplicate it on command and not sure why it's happening. Anyone else see this or have ideas on how to troubleshoot?

    Without a real screenshot (and maybe even being there), it's hard to say. IME this is not normal behavior and my first thought is that this is actually some malware causing this.
    Jason | http://blog.configmgrftw.com
    Sorry it took a while, was waiting for it to happen again. Here is an actual screen shot. I'm leaving it until I hear back from you guys. This client actually shows that the endpoint protection deployment state failed with this message:
    Description: 0x8004FF03.                                   
    InstallUpgradeOrUpdateInProgress=4.1.509.0

  • HT204411 So, I am ****** at Itunes. Taking Kinks albums of Itunes (Something Else) and the all of the Pete Townshend catalogue. Solo stuff. What gives? You are catering to the JT andBS crowd. I expected more form you, I tunes. There are some great reissue

    So, I am ****** at Itunes. Taking Kinks albums of Itunes (Something Else) and the all of the Pete Townshend catalogue. Solo stuff. What gives? You are catering to the JT andBS crowd. I expected more form you, I tunes. There are some great reissues from Pete Townshend. What gives?

    victrip wrote:
    Thanks for letting me know. I noticed that the UK store had all of Pete Townshend's catalogue. I take it that the agreements are based on countries and licensing.
    You take it correctly. The rights are country-by-country, so the holder in one country may grant rights to sell the content while the holder in another country denies them. This is actually quite common and can be due to all sorts of things, most often that the rights holder in a given country signs some sort of exclusive deal with a single store.
    Again, this is not something Apple has any control over. They would much prefer to be able to offer all content in all countries, but that's not up to them.
    Regards.

  • Can you unplug the external hard drive you are using for time machine

    can you unplug the external hard drive you are using for time machine and then plug it back in and it work normals because i have a mac book and don't want to always be carrieing the external hard drive every where i go so can you ?

    Yes, that will work fine. It will back up normally once you plug it in again. I do this with my MacBook.

  • HT5624 I've opened up iTunes and went to buy a song, but then it came up with a box saying "this is the first time you are purchasing an item on this computer" even though my computer is authorised. What do i do?

    I've opened up iTunes and went to buy a song, but then it came up with a box saying "this is the first time you are purchasing an item on this computer" even though my computer is authorised. Then when i put in my password it takes me to the security questions and i dont know what the answers are. What do i do?

    A computer can be authorized to play content purchased using a particular Apple ID (the iTunes Store account).  However, being authoized to play content is not directly related to being able to buy content using that Apple ID. 
    For example, a parent may purchase content for a child and authorize the child's computer to play that content, but that does not mean the child is able to purchase content using that Apple ID.
    If this is your Apple ID, you should know the answers to the security questions.  If you do not, you'll need to contact Apple iTunes Store customer support
    http://www.apple.com/support/itunes/contact/

  • When you open a new browser tab, underneath the box to type in what you are looking for is the recently visited list. I want to disable or delete this list...how do I get rid of this list???

    When you open a new browser tab, underneath the box to type in what you are looking for is the recently visited list. I want to disable or delete this list...how do I get rid of this list???

    The drop-down list displays items from your History and/or Bookmarks.
    You can control what shows (or nothing at all): Options > Privacy, "Location Bar" section. Options are:
    *History and Bookmarks
    *History
    *Bookmarks
    *Nothing
    See --> https://support.mozilla.com/en-US/kb/Options%20window%20-%20Privacy%20panel
    '''If this reply solves your problem, please click "Solved It" next to this reply when <u>signed-in</u> to the forum.'''
    Not related to your question, but...
    You may need to update some plug-ins. Check your plug-ins and update as necessary:
    *Plug-in check --> http://www.mozilla.org/en-US/plugincheck/
    *Adobe Shockwave for Director Netscape plug-in: [https://support.mozilla.com/en-US/kb/Using%20the%20Shockwave%20plugin%20with%20Firefox#w_installing-shockwave Installing ('''''or Updating''''') the Shockwave plugin with Firefox]
    *Adobe PDF Plug-In For Firefox and Netscape: [https://support.mozilla.com/en-US/kb/Using%20the%20Adobe%20Reader%20plugin%20with%20Firefox#w_installing-and-updating-adobe-reader Installing/Updating Adobe Reader in Firefox]
    *Shockwave Flash (Adobe Flash or Flash): [https://support.mozilla.com/en-US/kb/Managing%20the%20Flash%20plugin#w_updating-flash Updating Flash in Firefox]
    *Next Generation Java Plug-in for Mozilla browsers: [https://support.mozilla.com/en-US/kb/Using%20the%20Java%20plugin%20with%20Firefox#w_installing-or-updating-java Installing or Updating Java in Firefox]

  • I plugged in my ipod the other day, and it says you are disabled for 23,238,968 mins. what can i do?

    I plugged in my ipod and it said you are disabled for 23,423,324 minutes, what can i do?

    You have two choices: either wait until October 6, 2058, or restore it as a new device.
    If you choose the latter follow these instructions: iOS: How to back up your data and set up your device as a new device
    If you choose the former it will be a Sunday, should you wish to plan for it.

  • Hi, I would like to install my Creative Suite 5.5 Design Standard - I got the serial number and disk, but you are asking for another product and serial number that I dont have? What should I do?

    Hi, I would like to install my Creative Suite 5.5 Design Standard - I got the serial number and disk, but you are asking for another product and serial number that I dont have? What should I do?

    The serial number that you might have is an upgrade version & it will be asking for a previous qualifying version serial number.
    The issue can be different too, please contact Adobe Support for resolution: http://adobe.ly/yxj0t6
    Regards
    Rajshree

  • HT5312 Hi I forgot my security question how I can rest becouse I was going APP this massage pop of in the app page I benn buying app in this iPod may time they are say for first time you are buying apps in iPod pls I need your help to resist my security q

    Hi I forgot my security question how I can rest becouse I was going APP this massage pop of in the app page I benn buying app in this iPod may time they are say for first time you are buying apps in iPod pls I need your help to resist my security question

    The Three Best Alternatives for Security Questions and Rescue Mail
         1.  Send Apple an email request at: Apple - Support - iTunes Store - Contact Us.
         2.  Call Apple Support in your country: Customer Service: Contact Apple support.
         3.  Rescue email address and how to reset Apple ID security questions.
    A substitute for using the security questions is to use 2-step verification:
    Two-step verification FAQ Get answers to frequently asked questions about two-step verification for Apple ID.

  • HT4847 If you have several Apple devices feeding to the same iCloud account, is there an amount of storage made per device available free?  So that you are rewarded for the additional devices?

    If you have several Apple devices feeding to the same iCloud account, is there an amount of storage made per device available free?  So that you are rewarded for the additional devices?
    If this multi purchase if devices is not rewarded with a larger cloud storage being available, would it then be best to have several separate cloud accounts?
    Would you lose the ability to mesh data between devices???  Of could you choose to share a smaller part of the data and yet save the rest of the device data to their own cloud?  So in other words, split a devices stored data between 2 different icloud accounts?   One community iCloud account for partial data and individual account for data that does not need to be shared with the other devices, however it needs to be backed up.  The simpler solutions would be If you have several Apple devices feeding to the same iCloud account, an amount of storage made available per device (ie: 5 units of storage free per device)
    ~ So that you are rewarded for the additional Apple devices by giving 5 more units of storage or backup space per device

    Nobody here is an Apple employee, and my Christmas Season has been great, thanks very much. Neither am I jealous, I just abhor the fact that so many people these days expect more and more for free, in addition to what they already get for free. First world problems...
    Obviously Apple do consider people with multiple devices, since the whole purpose of the service is to keep data in sync across multiple devices. Clearly, after consideration, Apple decided to give 5GB of storage for free and provide customers with the option to buy more storage if they want/need more, in line with competing services.
    Everyone has their own set of unique circumstances but does that mean everyone should be rewarded with extras for free? At what point should it be considered acceptable to actually pay for additional extras you want?
    And by the way, somebody expressing a different opinion, and discussing people's expectations is not being rude. Aren't you from the country that supposedly takes 'freedom of speech' rather seriously?

  • Windows 7 help The topic you are looking for is not available in this version of Windows

    When I click on help, I get this message:  The topic you are looking for is not available in this version of Windows.
    I forget what my topic was, however, that is the response for any I try to get help for.

    Hi Akikuno
    It sounds like you are having issues with your help not coming up when you need to use it. I am providing you a link to a Microsoft Forum Thread where they are addressing the exact error message you are receiving.
    http://answers.microsoft.com/en-us/ie/forum/ie9-windows_7/the-topic-you-are-looking-for-is-not-avail...
    I would like to thank you for posting on the HP Forums and hope this resolves your issue so you can go back to enjoying your HP product. Have a great day!
    Please click the "Thumbs Up" on the bottom right of this post to say thank you if you appreciate the support I provide!
    Also be sure to mark my post as “Accept as Solution" if you feel my post solved your issue, it will help others who face the same challenge find the same solution.
    Dunidar
    I work on behalf of HP
    Find out a bit more about me by checking out my profile!
    "Customers don’t expect you to be perfect. They do expect you to fix things when they go wrong." ~ Donald Porter

  • 502 - Web server received an invalid response while acting as a gateway or proxy server. There is a problem with the page you are looking for, and it cannot be displayed. When the Web server (while acting as a gateway or proxy) contacted the upstream cont

    I am getting error while accessing url of lyncweb.domain.com, dialin.domain.com and meet.domain.com pointing to RP server.
    502 - Web server received an invalid response while acting as a gateway or proxy server.
    There is a problem with the page you are looking for, and it cannot be displayed. When the Web server (while acting as a gateway or proxy) contacted the upstream content server, it received an invalid response from the content server.
    Regards, Ganesh, MCTS, MCP, ITILV2 This posting is provided with no warranties and confers no rights. Please remember to click Mark as Answer and Vote as Helpful on posts that help you. This can be beneficial to other community members reading the thread.

    When i try with https://lyncfrontend.domain.local:4443 and https://lyncfrontend.domain.com:4443 both opens but when i open the external domain name i get certificate .
    ARR version installed is 3.0
    To throw more light on the configuration:
    Lync 2013 implemented, internal domain name is : domain.local and external domain name is : domain.com
    All servers in VMs are with 4 core processor, 24gb ram, 1TB drive.
    Frontend : Windows 2012r2 with Lync 2012 Standard Edition - 1 No (192.168.10.100)
    Edge : Windows 2012 with Lync 2012 Std - 1 No 
    (192.168.11.101 DMZ) in workgroup
    ISS ARR Reverse Proxy 3.0 : Windows 2012 with ARR and IIS configured. (192.168.11.102)
    Certificate : Internal Domain root CA for internal and External (Digicert).
    Internal Network : 192.168.10.x /24
    External Network (DMZ) : 192.168.11.x /24
    Public Firewall NAT to DMZ ip for firewall and RP server. So having two public IP facing external network.
    Edge has : sip.domain.com, webconf.domain.com, av.domain.com
    IIS ARR RP server has : lyncdiscover.domain.com, lyncweb.domain.com, meet.domain.com, dialin.domain.com
    Have created SRV record in public : _sip.tls.domain.com >5061>sip.domain.com, _sipfederationtls._tcp.domain.com>5061>sip.domain.com, _xmpp-server._tcp.domain.com>5269>sip.domain.com
    Installed frontend server using MS Lync server 2013 step by step for anyone by Matt Landis, Lync MVP.
    Internal AD Integrated DNS pointing Front-end
    Type of Record FQDN
    IP Description 
    A sip.domain.com
    192.168.10.100 Address internal Front End  or Director for internal network clients 
    A admin.domain.com
    192.168.10.100 URL Administration pool
    A DialIn.domain.com
    192.168.10.100 URL Access to Dial In 
    A meet.domain.com
    192.168.10.100 URL of Web services meeting
    A lyncdiscoverinternal.domain.com
    192.168.10.100 Register for Lync AutoDiscover service to internal users
    A lyncdiscover.domain.com
    192.168.10.100 Register for Lync AutoDiscover service to external users  
    SRV Service: _sipinternaltls Protocol: _tcp Port: 5061
    sip.domain.com Record pointer services to internal customer connections using TLS 
    External DNS pointing Edge & Proxy
    Type of Record FQDN
    IP Endpoint
    A sip.domain.com
    x.x.x.100 Edge
    A webconf.domain.com
    x.x.x.100 Edge
    A av.domain.com
    x.x.x.100 Edge
    SRV _sip._tls.domain.com
    sip.domain.com: 443 Edge
    SRV _sipfederationtls._tcp.domain.com
    sip.domain.com:5061 Edge
    A Meet.domain.com
    x.x.x.110 Reverse Proxy
    A Dialin.domain.com
    x.x.x.110 Reverse Proxy
    A lyncdiscover.domain.com
    x.x.x.110 Reverse Proxy
    A lyncweb.domain.com
    x.x.x.110 Reverse Proxy
    In IIS ARR proxy server following server farms are added and configured as per link ttp://y0av.me/2013/07/22/lync2013_iisarr/
    In proxy server had setup only following server farm : While running remote connectivity web service test : meet, dialin, lyncdiscover and lyncweb.
    The client inside works fine internally and through vpn. Login with external client also working fine. But we are getting error in MRCA as follows.
    a) While testing remote connectivity for lync getting error : The certificate couldn't be validated because SSL negotiation wasn't successful. This could have occurred as a result of a network error or because of a problem with the certificate installation.
    Certificate was installed properly.
    b) For remote web test under Lync throws error : A Web exception occurred because an HTTP 502 - BadGateway response was received from IIS7.
    HTTP Response Headers:
    Content-Length: 1477
    Content-Type: text/html
    Date: Wed, 14 May 2014 10:03:40 GMT
    Server: Microsoft-IIS/8.0
    Elapsed Time: 1300 ms.
    Regards, Ganesh, MCTS, MCP, ITILV2 This posting is provided with no warranties and confers no rights. Please remember to click Mark as Answer and Vote as Helpful on posts that help you. This can be beneficial to other community members reading the thread.

  • What compressor settings settings are best for 1080i  to output to DVD using DVD Studio pro?

    What compressor settings settings are best for 1080i  to output to DVD using DVD Studio pro? I used FCP 6, exported using Quick Time.

    DVDs are only SD. There was at one time HD-DVDs, which DVD SP and Compressor can make, but HD-DVDs will only play in Macs and, now obsolete HD-DVD players. HD-DVDs will not play back in standard DVD players or Blu-Ray players. If you want to make a "DVD will be played on DVD player for TV" disc, your only choice is SD.
    If you want HD video on a disc, then you want Blu-Ray. You will need a Blu-Ray burner (Apple does not make a Blu-Ray burner so you will have to buy a third-party Blu-Ray burner), Blu-Ray discs and software that will make a Blu-Ray disc. That could be the latest version of Compressor, or FCPX, or Toast, or Encore.

  • SCOM - -500 Internal Server Error - There is a problem with the resource you are looking for, and it cannot be displayed

    Hi There,
    Need your assistance on the issue that we are facing in prod environment.
    We are able to open web console from remote machine and able to view monitoring pane as well as my workplace folders from console . Able to view and access alerts and other folder in the monitoring pane. We are able to view and access My Workplace folder
    and able to view the reports in Favorite Reports folder. But when I click on run Report we  are getting the below error  "500 Internal Server Error - There is a problem with the resource you are looking for, and it cannot be displayed."
    In our environment we have 3 servers one is SQL server and two are SCOM servers. Please advise how to fix this issue. Do we have to do any thing from SQL End?
    Errors: Event ID 21029: Performance data from the OpsMgr connector could not be collected since opening the shared data failed with error "5L".
     Event ID 6002 : Performance data from the Health Service could not be collected since opening the shared data failed with error 5L (Access is denied.).
    Regards,
    Sanjeev Kumar

    Duplicate thread:
    http://social.technet.microsoft.com/Forums/en-US/7675113e-49f0-4b3a-932b-4aceb3cfa981/scom-500-internal-server-error-there-is-a-problem-with-the-resource-you-are-looking-for-and-it?forum=operationsmanagerreporting
    We
    are trying to better understand customer views on social support experience, so your participation in this
    interview project would be greatly appreciated if you have time.
    Thanks for helping make community forums a great place.

  • What kind if tables are suitable for partitioning?

    What kind of tables are suitable for partitioning?
    I have several tables in same schema. Each of them is bigger than 200MB. DML commands are executed continuously against these tables. After diagnosis, I know than the sequential read wait is the root cause. Should I partition each of them?
    Edited by: jetq on Jul 16, 2009 8:04 PM

    jetq wrote:
    What kind of tables are suitable for partitioning?The question to answer your question is: What will be gained by partitioning and why? When you understand this, then you can decide if it is suitable for partitioning.
    BTW sequential read wait has to do with index scans, not table scans. Table scan waits are reported as scattered reads, not sequential.
    Regards,
    Greg Rahn
    http://structureddata.org

Maybe you are looking for

  • I have Struts 1.1 working in the portal

    Hello all, I was having the same problem you have all seen. The long: com.bea.netuix.nf.UIControlException: No ActionResult returned for action [/Home] in Struts module []. Please ensure that both module and action are correct in portlet StrutsConten

  • Alignment and restriction of Custom field in SAP query report

    Hi Experts, I have one custom field in query report(SQ01) called Amount in local currency which is calculated based on Amount in document currecy * exchange rate. But this field values are coming in left alignment instead of right alignment so how i

  • Mac Mini KVM USB problem prevents boot when using certain USB ports

    Hi, Just purchased a brand new Mac Mini 2.4 Quad Core to use as a server. This morning we removed from the box & connected it to our NTI Unimux 16-port KVM. The KVM already has 10 Mac Mini's connected (various vintages, no problems). We connected the

  • Strange sparkling graphics glitch in finder cover flow view!

    Hi there, Recently my finder cover flow view has been displaying what can be described as 'sparkling' effects around the folders/icons when i move from one file to another (sparkling stops when movement of icons does). The sparkling effect can be des

  • Open popup from fragment through template

    All, I have some links in my page template and i want to open popups based on the click which are defined in separate page fragments. How do i achieve that ? Any sample example available for that ? thnks Jdev 11.1.1.5