XmlAgg first n ordered elements only problem

I cannot find a way on Oracle to limit the number of rows aggregated by XmlAgg to only the first n in a specified order. I have produced a simple example demonstrating my problem which should be easy to replicate, as follows:
I have two tables, INCIDENT and INCIDENT_LOG_ENTRY (there may be many entries for a given incident).
I wish to extract details (as XML) of an incident and its most recent two log entries only.
-- Create INCIDENT table and two incidents:
create table INCIDENT (ID NUMBER(10,0) PRIMARY KEY, INCIDENT_SUMMARY VARCHAR2(200));
insert into INCIDENT values (1, 'Hold up');
insert into INCIDENT values (2, 'Car Crash');
-- Create INCIDENT_LOG_ENTRY table and log entries for both incidents:
CREATE table INCIDENT_LOG_ENTRY (ID NUMBER(10,0) PRIMARY KEY, INCIDENT_ID NUMBER(10,0), ENTRY_DATE_TIME DATE, ENTRY_TEXT VARCHAR2(500));
insert into INCIDENT_LOG_ENTRY values (1, 1, TO_DATE('2009-01-01 08:15:11', 'YYYY-MM-DD HH24:MI:SS'), 'Hold up on Main Street');
insert into INCIDENT_LOG_ENTRY values (2, 1, TO_DATE('2009-01-01 08:17:40', 'YYYY-MM-DD HH24:MI:SS'), 'Suspect pursued in high speed chase');
insert into INCIDENT_LOG_ENTRY values (3, 1, TO_DATE('2009-01-01 08:20:29', 'YYYY-MM-DD HH24:MI:SS'), 'Suspect lost in traffic');
insert into INCIDENT_LOG_ENTRY values (4, 1, TO_DATE('2009-01-03 11:55:31', 'YYYY-MM-DD HH24:MI:SS'), 'Suspect apprehended in hospital');
insert into INCIDENT_LOG_ENTRY values (21, 2, TO_DATE('2009-01-01 08:29:15', 'YYYY-MM-DD HH24:MI:SS'), 'Collision between car jumping red light and lorry');
insert into INCIDENT_LOG_ENTRY values (22, 2, TO_DATE('2009-01-01 08:45:53', 'YYYY-MM-DD HH24:MI:SS'), 'Driver taken to hospital');
Here is the query (note order by is within xmlAgg as per Oracle documentation):
SELECT xmlAgg(xmlElement("INCIDENT", xmlForest(i.ID, i.INCIDENT_SUMMARY),
xmlElement("INCIDENT_LOG_ENTRIES",
(SELECT xmlAgg(xmlElement("INCIDENT_LOG_ENTRY", xmlForest(ile.ID, ile.ENTRY_DATE_TIME, ile.ENTRY_TEXT)) order by ile.ENTRY_DATE_TIME desc)
FROM INCIDENT_LOG_ENTRY ile
WHERE ile.INCIDENT_ID = i.ID
AND rownum <= 2
FROM INCIDENT i where i.ID = 1
And here is its output:
<INCIDENT>
<ID>1</ID>
<INCIDENT_SUMMARY>Hold up</INCIDENT_SUMMARY>
<INCIDENT_LOG_ENTRIES>
<INCIDENT_LOG_ENTRY>
<ID>2</ID>
<ENTRY_DATE_TIME>01-JAN-09</ENTRY_DATE_TIME>
<ENTRY_TEXT>Suspect pursued in high speed chase</ENTRY_TEXT>
</INCIDENT_LOG_ENTRY>
<INCIDENT_LOG_ENTRY>
<ID>1</ID>
<ENTRY_DATE_TIME>01-JAN-09</ENTRY_DATE_TIME>
<ENTRY_TEXT>Hold up on Main Street</ENTRY_TEXT>
</INCIDENT_LOG_ENTRY>
</INCIDENT_LOG_ENTRIES>
</INCIDENT>
This is not the desired result - I want the two most recent log entries (4 and 3). Clearly the rownum has taken effect before the ordering is applied by XmlAgg. However, if I try to force the ordering first by using a nested subquery, Oracle complains that the incident (table alias 'i') is not visible within the subquery:
SELECT xmlAgg(xmlElement("INCIDENT", xmlForest(i.ID, i.INCIDENT_SUMMARY),
xmlElement("INCIDENT_LOG_ENTRIES",
(SELECT xmlAgg(xmlElement("INCIDENT_LOG_ENTRY", xmlForest(ile.ID, ile.ENTRY_DATE_TIME, ile.ENTRY_TEXT)) order by ile.ENTRY_DATE_TIME desc)
FROM (select * from (select * from INCIDENT_LOG_ENTRY WHERE INCIDENT_ID = i.ID order by ENTRY_DATE_TIME) where rownum <= 2) ile
FROM INCIDENT i where i.ID = 1
Which results in:
SQL Error: ORA-00904: "I"."ID": invalid identifier
If anyone knows how to resolve this problem I would be extremely grateful.
(BTW, it works without any trouble on SQL Server:
select i.ID, i.INCIDENT_SUMMARY,
(select top 2 ile.ID, ile.ENTRY_TEXT, ile.ENTRY_DATE_TIME
from INCIDENT_LOG_ENTRY ile
where ile.INCIDENT_ID = i.ID
order by ile.ENTRY_DATE_TIME desc for xml path('INCIDENT_LOG_ENTRY'), type) as "INCIDENT_LOG_ENTRIES"
from INCIDENT i
where i.ID = 1
for xml path('INCIDENT'), type
Which yields the desired result:
<INCIDENT>
<ID>1</ID>
<INCIDENT_SUMMARY>Hold up</INCIDENT_SUMMARY>
<INCIDENT_LOG_ENTRIES>
<INCIDENT_LOG_ENTRY>
<ID>4</ID>
<ENTRY_TEXT>Suspect apprehended in hospital</ENTRY_TEXT>
<ENTRY_DATE_TIME>2009-01-03T11:55:31</ENTRY_DATE_TIME>
</INCIDENT_LOG_ENTRY>
<INCIDENT_LOG_ENTRY>
<ID>3</ID>
<ENTRY_TEXT>Suspect lost in traffic</ENTRY_TEXT>
<ENTRY_DATE_TIME>2009-01-01T08:20:29</ENTRY_DATE_TIME>
</INCIDENT_LOG_ENTRY>
</INCIDENT_LOG_ENTRIES>
</INCIDENT>
)

Hi,
Sorry, I don't know how to get the first 2 rows in the XML functions, which, no doubt, is the best way to do it.
At the table level, you can assign numbers to every log entry in a sub-query, and use that number (instead of ROWNUM) to get the top 2:
WITH   numbered_log_entry
AS
     SELECT     id, incident_id, entry_date_time, entry_text
     ,     RANK () OVER ( PARTITION BY  incident_id
                           ORDER BY          entry_date_time     DESC
                    ) AS rnk
     FROM     incident_log_entry
SELECT  xmlAgg ( xmlElement ( "INCIDENT"
                           , xmlForest (i.ID, i.INCIDENT_SUMMARY)
                   , xmlElement ( "INCIDENT_LOG_ENTRIES"
                                , ( SELECT  xmlAgg ( xmlElement ( "INCIDENT_LOG_ENTRY"
                                                              , xmlForest ( ile.ID
                                                          , ile.ENTRY_DATE_TIME
                                                       , ile.ENTRY_TEXT
                                              ) order by ile.ENTRY_DATE_TIME desc
                              FROM    numbered_LOG_ENTRY ile     -- Changed
                              WHERE   ile.INCIDENT_ID      = i.ID
                              AND     rnk          <= 2     -- Changed
FROM    INCIDENT   i
where      i.ID        = 1;Notice that the main query is exatcly what you posted, except for the 2 line marked "Changed".
Thanks for posting the CREATE TABLE and INSERT statments! That made it really easy to test.
You may have noticed that this site compresses whitespace.
When you have to post formated code or output on this site, type these 6 characters:
&#123;code&#125;
(small letters only, inside curly brackets) before and after sections of formatted text, to preserve spacing.

Similar Messages

  • Hello, I just purchase Adobe Premier elements 12. I installed it but the only problem is when I try to open "new project" it tells me I have to put my password in and username for the first seven days of installation, but when I do that the project never

    Hello, I just purchase Adobe Premier elements 12. I installed it but the only problem is when I try to open "new project" it tells me I have to put my password in and username for the first seven days of installation, but when I do that the project never opens, it just has the loading bar loading and then it stops, so I have no idea wat the problem is, please help

    new project help
    What computer operating system is your Premiere Elements running on?
    Have you gone through the typical drills of
    1. Latest version of QuickTime installed on your computer with Premiere Elements?
    2. Running program from User Account with Administrative Privileges as well as from Run As Administrator applied to the desktop icon
    with right click of the icon, followed by selecting Run As Administrator?
    3. Does problem exist with and without the antivirus and firewall(s) disabled?
    4. Even though the Premiere Elements 12 Editor will not open, can you open the Elements Organizer 12?
    If Yes to all of the above, please review the following for a possible solution...
    ATR Premiere Elements Troubleshooting: PE12: Premiere Elements 12 Editor Will Not Open
    Please review and consider the above and then we can decide what next which might include trying to open
    the program directly from the .exe files.  (If Windows 7, 8, or 8.1 64 bit, Local Disk C\Program Files\Adobe\
    Adobe Premiere Elements 12\ and in the Adobe Premiere Elements 12 Folder are the Adobe Premiere Elements 12.exe
    and Adobe Premiere Elements.exe files. Double click the Adobe Premiere Elements .exe file to try to open the project.)
    We will watching for your results.
    ATR

  • How do i enable my disabled ipod touch 4th generation? ...I had just downloaded my first app when someone stole it. I asked people who might know where its at and luckily a friend was able to get it back for me. only problem was, it was disabled already!

    after all ive gone through with it in just a days time of actually being able to use, its stolen,but luckily I got it bac,\k, but then unlucky its disabled when i get it back. didnt have a computer i could downlaod itunes on and connect to my ipod via usb cable. Finally, my friend brings me her laptop computer and I download the app. yesss. then i connect ipod.  nothing happened at first. still said ipod disabled connect to itunes on display. then after i exited out of the various windows i  opened to get it to its current position. bam, out of no where it sends out a notification sound and its showing itunes logo with a usb cable beneath it arrow in midst of the two pointing to i tunes. wallah itunes shows ipod touch on left and displays downlaod process after i answered various  questions to allow it to downlaod updates and restore my ipod. . i was excited and relieved needless to say... why am I here now though, with what seems to  be the same problem. you see it downloads a part of the file then about 20 mins into it or less than 25% through, i hear a beep sound from my ipod again. no it wasn"t finished with download as i had eexpected it to say but instead it said itunes was unable to access my ipods files cause my ipod had a password protection on it and that i needed to enter that password on my ipod first in order for the itunes app be able to access it.!!!  HELLLOOOOOOOOOOOOOOOOOO ANYBODY SEE WHAT THE PROBLEM IS.  I HAVE TO  CONNECT TO  ITUNES TO  REENABLE IT BUT WHEN I DO THAT, I CAN DO IT TIL I ENTER MY PASSWORD ON IPOD FIRST , WHICH CANT ACCESS PASSWORD OVERRIDE SCREEN UNTIL ITS CONNECTED TO ITUNES.  BACK AND FORTH BACK AND FORTH. SOMEBODY PLEASE PLEASE HELP ME ASAP BEFORE MY FRIEND COMES FOR HER LAPTOP BACK.. ANY HELP WHATSOEVER PLEASE .     THANKS A BUNCH FOR AT LEAST TAKING THE TIME TO READ THIS IF NOTHING AT ALL  COMES OF IT. I APPRECIATE IT NONE THE LESS.  THANKS  
    <Email Edited By Host>

    Try:
    - Powering off and then back on your router.
    - iTunes for Windows: iTunes cannot contact the iPhone, iPad, or iPod software update server
    - Change the DNS to either Google's or Open DNS servers
    Public DNS — Google Developers
    OpenDNS IP Addresses
    - For one user uninstalling/reinstalling iTunes resolved the problem
    - Try on another computer/network
    - Wait if it is an Apple problem
    pinto123 wrote:
    i did every thing you said and when i went to restore this is what happened: the ipod software update server can not be contacted. make sure your network settings are correct and your network connection is active, or try again later. what do i do to restore.     i used the last way to do it the dfu

  • Sales order error - Only 0 EA of material 24 is available

    Hi friends,
    I got this message during sales order creation 'Only 0 EA of material 24 is available'.
    I checked for solutions for similar problem in this forum by search button. Could get hold of two unanswered question. I tried possibilities listed there but problem still persists.
    Any solutions to resolve this
    Thanks

    Dear Robert
    The reasons could be
    - non availability of stock of the material for which you are trying to create sale order
    - Already delivery is created and saved without doing PGI for the same material
    If the reason is first cited above, then you can create stock via MB1C with movement type 561.  If the reason is second cited above, then run VL21 where you can see if any delivery is created and saved without doing PGI.
    thanks
    G. Lakshmipathi

  • Autoanalyzer with Elements 12  - Problems

    I have Elements 12 installed on a Laptop with Windows Vista. Now i always have Problems with the Autoanalyzer: i always get a message, that it doesnt work. First i installed elements again, but the problem wass still there! does somebody knows how to solve the problem? Thanks, Didl

    Hi Scott,
    Backward licensing policy is only if you purchase volume license but not applicable for retail license.
    Please refer the Backward licensing policy at : https://blogs.adobe.com/ukchannelnews/2011/06/16/licensing-downgrade-rights/
    http://www.adobe.com/volume-licensing/policies.html

  • My computer crashed so i had to reformat, but the only problem is i lost my old itunes account, had to download new version. Now i have an ipod full of music but how can i place all my music I have on the ipod into my new itunes account??

    my computer crashed so i had to reformat, but the only problem is i lost my old itunes account, had to download new version. Now i have an ipod full of music but how can i place all my music I have on the ipod into my new itunes account??

    Not if you first do a sync and have iTunes make a backup. However, if your only copy of the iTunes data is in the Touch, then you need to first copy the data to a new iTunes Library using third-party software such as Phone To Mac.

  • I have to replace my hard drive as it is failing, I'm away and just bought a new external HD for backups,,only problem is it is fsiling to backup without a reason. Disk utility says ex HD is ok. I need to backup before i get it repaired. Any Advice?

    Hi my hard drive is failing and I'm overseas in Thailand. I bought a Buffalo 1TB to back up my mac 13inch HD version 10.6.8, only problem is it wont back up. Disk Utility says ex HD is fine. I need to backup before I take it for repairs. What can I do? Thanks advice appreciated. NL

    I think we both had our wires crossed a little.
    Then just go ahead and clone your internal drive to your Buffalo. You are not going to use Time Machine, and you do not have to partition it. So ignore all that stuff I posted. Let me start from scratch.
    First check that your Buffalo drive is partitioned GUID and formatted Mac OS Extended, Journaled. So open Disk Utility, select the topmost entry for the Buffalo drive. You should see something like this:
    I have selected the entry of my CalDigit drive.  Note that the Partition Map Scheme is GUID. Now, select the volume (mine is "System Backup."
    Here you see it is a Format type of Mac OS Extended, Journaled. If that's what you see then you are good to go.
    With Disk Utility still open:
    Clone using Restore Option of Disk Utility
      1. Open Disk Utility in the Utilities folder.
      2. Select the destination volume from the left side list.
      3. Click on the Restore tab in the DU main window.
      4. Select the destination volume from the left side list and drag it to
          the Destination entry field.
      5. Select the source volume from the left side list and drag it to
          the Source entry field.
      6. Double-check you got it right, then click on the Restore button.
    Destination means the Buffalo drive. Source means the internal startup drive.

  • Rss feed won't validate when I use the itunes:order element?

    Hi
    I'm trying to use the <itunes:order> element -
    http://deimos.apple.com/rsrc/doc/iTunesUAdministrationGuide/AddingContent/chapte r12_section3.html
    When I run my feed through the W3C rss validator it won't validate. It says - Undefined item element: itunes:order
    I also get a recommendation which says - Use of unknown namespace: http://www.itunesu.com/feed
    As far as I can tell I'm doing everything correctly. The iTunes and iTunesU namespaces are declared correctly in the root rss element and the itunes:order are where they should be within the <item></item> element.
    What am I doing wrong? Any help would be much appreciated.
    Here's my rss feed -
    <rss xmlns:itunes="http://www.itunes.com/dtds/podcast-1.0.dtd" xmlns:itunesu="http://www.itunesu.com/feed" version="2.0"><channel xmlns:itunesu="http://www.itunesu.com/feed" xmlns:itunes="http://www.itunes.com/dtds/podcast-1.0.dtd"><title>London School of Economics: Public lectures and events : Audio Podcasts and PDF Documents: all items - Dec 31 2099 12:00AM</title><link>http://www2.lse.ac.uk/newsAndMedia/videoAndAudio/publicLectures/</link><description>Audio podcasts and pdf doucments from LSE's programme of public lectures and events</description><itunes:summary>Audio podcasts and pdf doucments from LSE's programme of public lectures and events</itunes:summary><managingEditor>[email protected] (LSE Web Services: Rich Media Producer)</managingEditor><itunes:owner><itunes:name>LSE Web Services: Rich Media Producer</itunes:name><itunes:email>[email protected]</itunes:email></itunes :owner><webMaster>[email protected] (LSE Web Services: Rich Media Producer)</webMaster><language>en-uk</language><copyright>Copyright © Terms of use apply see http://www2.lse.ac.uk/aboutThisWebsite/termsOfUse/</copyright><itunesu:category code="110" text="Social Science"/><category>Social Science</category><itunes:explicit>no</itunes:explicit><itunes:author>London School of Economics and Political Science</itunes:author><itunes:block>No</itunes:block><generator>SQL</generator ><image><url>http://www2.lse.ac.uk/assets/richmedia/webFeedImages/rss_144/PublicLecturesAudio Generic.jpg</url><title>London School of Economics: Public lectures and events : Audio Podcasts and PDF Documents</title><link>http://www2.lse.ac.uk/newsAndMedia/videoAndAudio/publicLectures/</link><width>144</width><height>144</height></image><itunes:image href="http://www2.lse.ac.uk/assets/richmedia/webFeedImages/iTunes_300/PublicLec turesAudioGeneric.jpg"/><pubDate>Mon, 7 Feb 2011 11:45:00 GMT</pubDate><lastBuildDate>Mon, 7 Feb 2011 11:45:00 GMT</lastBuildDate>
    <item><title>LSE Summer School 2010 - Business strategy in a global age [Audio]</title><itunes:author>Professor Costas Markides</itunes:author><link>http://www2.lse.ac.uk/newsAndMedia/videoAndAudio/publicLectures/player.aspx?id=6 94</link><itunes:duration>01:25:21</itunes:duration><itunes:explicit>No</itunes:ex plicit><enclosure url="http://richmedia.lse.ac.uk/publicLecturesAndEvents/201007121730businessStrategyInAGlobalAge.mp3" length="41003598" type="audio/mpeg"/><guid isPermaLink="false">http://richmedia.lse.ac.uk/publicLecturesAndEvents/201007121730businessStrategyInAGlobalAge.mp3?iTunesRSSPublicLecturesandEvents9999AudioTransc riptSlidesDocumentJan1200612:00AMDec31209912:00AM</guid><description>Speaker(s): Professor Costas Markides | Robert P Bauman is Professor of Strategic Leadership at London Business School. Connson Locke is Lecturer in Management at LSE EROB Group.</description><itunes:summary>Speaker(s): Professor Costas Markides | Robert P Bauman is Professor of Strategic Leadership at London Business School. Connson Locke is Lecturer in Management at LSE EROB Group.</itunes:summary><itunes:order>1</itunes:order><pubDate>Mon, 12 Jul 2010 17:30:00 GMT</pubDate></item>
    <item><title>Global Justice [Audio]</title><itunes:author>Professor Amartya Sen</itunes:author><link>http://www2.lse.ac.uk/newsAndMedia/videoAndAudio/publicLectures/player.aspx?id=6 92</link><itunes:duration>01:24:10</itunes:duration><itunes:explicit>No</itunes:ex plicit><enclosure url="http://richmedia.lse.ac.uk/publicLecturesAndEvents/201007081830globalJustice.mp3" length="20233863" type="audio/mpeg"/><guid isPermaLink="false">http://richmedia.lse.ac.uk/publicLecturesAndEvents/201007081830globalJustice.mp3?iTunesRSSPublicLecturesandEvents9999AudioTranscriptSlidesDocum entJan1200612:00AMDec31209912:00AM</guid><description>Speaker(s): Professor Amartya Sen | In the first dialogue of the Global Policy Dialogue series, Amartya Sen and David Held will discuss Sen's new book, The Idea of Justice. Injustices in the contemporary world include global inequities as well as disparities within nations. Understanding the demands of justice in each context requires public reasoning, and the challenges of global justice specifically call for global public reasoning. The Idea of Justice also investigates the contributions of human rights movements to the removal of some of the nastiest cases of injustice in the world in which we live.</description><itunes:summary>Speaker(s): Professor Amartya Sen | In the first dialogue of the Global Policy Dialogue series, Amartya Sen and David Held will discuss Sen's new book, The Idea of Justice. Injustices in the contemporary world include global inequities as well as disparities within nations. Understanding the demands of justice in each context requires public reasoning, and the challenges of global justice specifically call for global public reasoning. The Idea of Justice also investigates the contributions of human rights movements to the removal of some of the nastiest cases of injustice in the world in which we live.</itunes:summary><itunes:order>2</itunes:order><pubDate>Thu, 8 Jul 2010 18:30:00 GMT</pubDate></item>
    <item><title>The Secret State: preparing for the worst 1945-2009 [Audio]</title><itunes:author>Professor Peter Hennessy</itunes:author><link>http://www2.lse.ac.uk/newsAndMedia/videoAndAudio/publicLectures/player.aspx?id=6 91</link><itunes:duration>01:15:14</itunes:duration><itunes:explicit>No</itunes:ex plicit><enclosure url="http://richmedia.lse.ac.uk/publicLecturesAndEvents/201007071830theSecretStatePreparingForTheworst1945-2009.mp3" length="36141201" type="audio/mpeg"/><guid isPermaLink="false">http://richmedia.lse.ac.uk/publicLecturesAndEvents/201007071830theSecretStatePreparingForTheworst1945-2009.mp3?iTunesRSSPublicLecturesandEvents 9999AudioTranscriptSlidesDocumentJan1200612:00AMDec31209912:00AM</guid><description>Speaker(s): Professor Peter Hennessy | Peter Hennessy will examine the most secret files recently declassified from the Cold War years and contrast the Secret State of the 1940s, 50s, 60s, 70s and 80s with the the new protective state the UK has constructed since 9/11. Peter Hennessy is Attlee Professor of Contemporary British History at QMUL and was recently elected a Fellow of the British Academy as well as being an Honorary Fellow of LSE. Before joining the Department in 1992, he was a journalist for twenty years with spells on The Times as a leader writer and Whitehall Correspondent, The Financial Times as its Lobby Correspondent at Westminster and The Economist. He was a regular presenter of the BBC Radio 4 Analysis programme from 1987 to 1992. In 1986 he was a co-founder of the Institute of Contemporary British History.</description><itunes:summary>Speaker(s): Professor Peter Hennessy | Peter Hennessy will examine the most secret files recently declassified from the Cold War years and contrast the Secret State of the 1940s, 50s, 60s, 70s and 80s with the the new protective state the UK has constructed since 9/11. Peter Hennessy is Attlee Professor of Contemporary British History at QMUL and was recently elected a Fellow of the British Academy as well as being an Honorary Fellow of LSE. Before joining the Department in 1992, he was a journalist for twenty years with spells on The Times as a leader writer and Whitehall Correspondent, The Financial Times as its Lobby Correspondent at Westminster and The Economist. He was a regular presenter of the BBC Radio 4 Analysis programme from 1987 to 1992. In 1986 he was a co-founder of the Institute of Contemporary British History.</itunes:summary><itunes:order>3</itunes:order><pubDate>Wed, 7 Jul 2010 18:30:00 GMT</pubDate></item>
    </channel>
    </rss>

    I have been in touch with someone at Apple and I was advised that I shouldn't worry about this.
    It would seem that the feed validator doesn't recognise the iTunes U namespace and some of the iTunes and iTunes U specific feed elements. The use of an unknown namespace gives an adviosry note and <itunes:order> and <itunesu:category> elements will not validate at all. I suspect there may be other elements that I haven't used in our feeds.

  • Elements 11 problem

    computer notice comes up saying "Display driver has stopped responding but has been recovered............then the editor viewing frame freezes but sound keeps going.............then entire program stops.............once whole software deleted!  PAID to have it retrieved!   Now it reloads but i lose the new work. Frustrating..........................has worked ok for 2 years,although i would like to push the contrast/bright/light effects further..............
    if anyone knows reasonably priced better edit software i would be interested! any thoughts?
    thanks.

    thanks v much ............saw computer guy today and he sent me in the device manager direction but without all the detail u mention............I may forward your email to him..............
    also there was a note from Dell to do a system check up which I did  but then it said overall result-not supported/system tests not successfully completed...........says to shut down and try again but now I can't see where to activate test!(icon is gone)
    also found an Adobe/elements 11 update device and that is currently being processed............
    seems like we may be heading in a good direction...............
    will have a closer read of your email.............
    again.thanks...............
    WEBSITE         www.kimmilesfilms.com      AND    www.innersense.com.au/mif/miles.html
    AND THE BLOG      http//www.kimmilesfilms.blogspot.com/ 
    Date: Mon, 3 Mar 2014 08:02:52 -0800
    From: [email protected]
    To: [email protected]
    Subject: Re: elements 11 problem elements 11 problem
        Re: elements 11 problem
        created by A.T. Romano in Premiere Elements - View the full discussion
    fixmyproblem
    Thanks for the reply and the information that your Premiere Elements 11 is running on Windows 8 (presumed 64 bit) computer.
    Because you come with a display issue, the first line of troubleshooting is targeted at the video card/graphics card that the computer uses.
    This information can be found in the computer under the Device Manager/Display Adapters. And then you tell us what is listed under Display Adapters...you may find one or two names listed. Please report what you find.
    In Windows 8, one way to Display Adapters listing
    a. From the Metro App Screen, type Control Panel in the Search that appears to the right of the screen, and then click on Control Panel in list below.
    b. In Control Panel, click on the header "Hardware and Sound"
    c. Under Device and Printers, click on the Device Manager choice
    d. In the Device Manager, open the Display Adapters category to find your video card/graphics card information.
    There may be a keyboard shortcut to Control Panel (I know it is there in 8.1 64 bit)...Windows Key + X and selecting Control Panel from pop up at right of the screen. You can be in the Desktop App or in the Metro Screen when you do the Windows Key + X.
    Once we know that, we will ask you to go to the web site of the manufacturer of the card and determine if you have the latest version of the card's driver installed.
    If all this is going to be too much for you to handle, then it might be a good idea to consult with the people who installed your Premiere Elements 11 for you.
    We will try to walk you through whatever we can.
    Please let us know how you wish to proceed.
    Thank you.
    ATR
    Please note that the Adobe Forums do not accept email attachments. If you want to embed a screen image in your message please visit the thread in the forum to embed the image at http://forums.adobe.com/message/6174213#6174213
    Replies to this message go to everyone subscribed to this thread, not directly to the person who posted the message. To post a reply, either reply to this email or visit the message page: Re: elements 11 problem
    To unsubscribe from this thread, please visit the message page at Re: elements 11 problem. In the Actions box on the right, click the Stop Email Notifications link.
               Start a new discussion in Premiere Elements at Adobe Community
      For more information about maintaining your forum email notifications please go to http://forums.adobe.com/thread/416458?tstart=0.

  • Open project in premiere elements trial problem.

    Unload the trial of photoshop and premiere elementens, the photoshop works correctly, but the premiere .. only the organizer works, when I try to open project or new project the program is closed automatic .....(window xp).gracias! (the proyect save correctly, buy not open after)

    Thank you very much Bill, these is the information of the card, I believe that probably this one expired, your diras ... thank you again!
    NVIDEA GeForce 8600 GP
    Fabricante:.........................NVIDEA
    Tipo de dispositivo:............Adaptadores de pantalla
    Ubicacion:.........................Ranura PCI 16 (Bus PCI 1, dispositivo 0, función 0)
    Version:...........................1.0.0.35
    Proovedor del controlador:NVIDEA
    Fecha del controlador:27-08-2007
    Version del controlador:6.14.11.6230
    Firmante digital:Microsoft Windows Hardware Compatibility Publ
    Date: Thu, 9 Aug 2012 14:06:33 -0600
    From: [email protected]
    To: [email protected]
    Subject: Open project in premiere elements trial problem.
        Re: Open project in premiere elements trial problem.
        created by Bill Hunt in Premiere Elements - View the full discussion
    Can you tell us all about your computer, and especially your computer's graphics card/chip? What is its make/model? What is the version and date of the installed video driver? When PSE runs, but PrE does not, it is usually an issue with the video driver being obsolete. Good luck, Hunt
         Replies to this message go to everyone subscribed to this thread, not directly to the person who posted the message. To post a reply, either reply to this email or visit the message page: http://forums.adobe.com/message/4610620#4610620
         To unsubscribe from this thread, please visit the message page at http://forums.adobe.com/message/4610620#4610620. In the Actions box on the right, click the Stop Email Notifications link.
         Start a new discussion in Premiere Elements by email or at Adobe Forums
      For more information about maintaining your forum email notifications please go to http://forums.adobe.com/message/2936746#2936746.

  • Change focus order for only a few components

    Hi,
    I have a frame with lots of components, I wish to change the TAB order of only 2 components in that frame. I know that I have to use my own FocusTraversalPolicy and set it using setFocusTraversalPolicy(). But this requires me to handle ALL the components in the getComponentAfter() and getComponentBefore() which I dont like, I need to handle this for only 2 components.
    Any Ideas ?
    Cheers
    Sunil

    Never mind, found a solution for my case. The policy can be set on a tabbed pane, for only the components on it (even if it isn't a cycle root). In other cases, like a panel, nothing prevents from defining the components before first and after last, both outside the panel...
    T.

  • Premiere Elements 13 , Problems with new text/titles

    Premiere Elements 13, bisher keine Probleme. Nachdem die Filmlänge etwa 15 Minuten beträgt immer größere Probleme Titel/texte einzugeben. Wartezeiten sind extrem lange oder Programm stürzt ganz ab.

    High ATR,
    Computer running on Widows 7 ,64 Bit System, Service Pack 1, Processor AMD Phenom(tm) X4 945 3.00 Ghz;RAM 8 GB
    Grafikkarte: NVIDIA GeForce 8800 GT
    If the video on the timeline is longer than 10 minutes the problem will be remarkable. The response times adding a title is getting longer(2-15 seconds).
    As the video is now 18 minutes the response time is after each action(resizing of letters or any changes of the text) up to 30 seconds or the program crashes completely.
    Project settings are the following:
    General HD 1080i; 29,97frames/second; Video:1920v 1080 H, 30 fps
    Video: maximale Bittiefe, Dateiformat i-frame only mpeg, Kompressor MPRG i-Frame, Standbilder optimieren
    The video is a mixture  of full HD videos 1920x 1080 .mov and pictures up to 4608x3456 pixels.
    When the program crashes I remarked that the main memory RAM(8Gb) was fully used by the premiere program. Might there be a problem?
    Thank you for your service.
    thomasd
    Von: A.T. Romano 
    Gesendet: Sonntag, 1. Februar 2015 23:55
    An: Thomas Deschler
    Betreff:  Premiere Elements 13 , Problems with new text/titles
    Premiere Elements 13 , Problems with new text/titles
    created by A.T. Romano <https://forums.adobe.com/people/A.T.+Romano>  in Premiere Elements - View the full discussion <https://forums.adobe.com/message/7151822#7151822>

  • List of sales order with only open qty

    Hello sap gurus,I am working in a support project for a leading cement manufacturer,I am facing a issue related to list of sales order only with remaining open quantities.In va05 transaction it gives the list of open sales orders,but if none of the line items is delivered,but according to the clients reqiurement they want the list of open sales order ,means say if a sales order has 5 line items and 3 are delivered but 2 are remaining, the list should give the list in such a way that the sales order with only 2 open items should also appear.
    please guide me if there is any t-code for the same other than va05,else any developement work needs to be done.
    Regards,
    Anshuman

    Dear Anshuman,
    T. Code: VL10C
    This is the Best-suited Report, for your requirement.
    Best Regards,
    Amit

  • HT1725 When I try downloading apps on my I pad it says additional information required. It then asks me to answer these questions that I have selected as my security questions. The only problem is I have forgot my answers, APPLE PLEASE HELP ME!!! Thank yo

    When I try downloading apps from the app store it doesn't allow me until I have entered the security questions, the only problem is I have forgotten my answers. Please help me to find out how I can retrieve the answers back, thank you

    Check the AppleCare number for your country here:
    http://support.apple.com/kb/HE57
    Call them up, and let them know you would like to be transferred to the Account Security Team.

  • I am installing itunes to a laptop and have not sync device to this lap. It is saying that it must first restore device. The problem is I have over 2000 pictures and don't want to lose them. Now my phone is in restore mode and I don't know what to do. I

    I am installing itunes to a laptop and have not sync device to this lap. It is saying that it must first restore device. The problem is I have over 2000 pictures and don't want to lose them. Now my phone is in restore mode and I don't know what to do. I don't want to proceed and loose these very important photos of family. What do I do to get it out of restore mode? My phone will not allow me to do anything to it at this point. I have the itunes downloaded on the laptop now. When I push the button for the phone it just shows Itunes and plug. I can't even call or open phone up.

    Unfortunately... Once the Device is asking to be Restored with iTunes... it is too late to save anything...
    See Here  >  http://support.apple.com/kb/HT1808
    However... Once you have Recovered your Device...
    Re-Sync your Content or Restore from the most recent Backup...
    Restore from Backup  >  http://support.apple.com/kb/ht1766
    Jessica Sanchez wrote:
    I am installing itunes to a laptop and have not sync device to this lap. ...
    Using a computer, other than the one you have regularily been Syncing and Backing up to, was the begining of your issue.

Maybe you are looking for

  • Garageband '09 Track is Out of Sync

    We recently recorded a 30 minute talk for a podcast in Garageband and for some reason when I go to edit it, the track begins before the visual for it does. Now the audio is out of sync from the visual waveform and when I try to edit the track, everyt

  • How to pay new joinees who were missed out in the last pay period run

    Hi, There are cases where a new joinee is missed out in a payroll run and needs to be paid the prorated salary for the joined month along with the net pay in the next month. Please advise how such cases can be handled. We can check for employees who

  • Custom autentication issue

    Hi there, I am trying to set up my own authentication, I have created an authentication scheme which authenticates a user using a table. I have created the function with the correct signature and I put 'return AUTH_FUNC' in the Authentication Functio

  • Dolby Digital 5.1 pass-through and Quicktime

    All, I have found a perplexing issue and I'm not sure what to make of it. I have some movies which, if played through my AppleTV and receiver, outputs Dolby Digital 5.1 quite nicely. If i take the same exact movie file and play it through Quicktime o

  • Values from Java Applet - Html

    Does anyone know a quick, effective way to export field values in java to an HTML form? Thanks. Charles