Yet another question on analytical functions

Hi,
A "simple" issue with date overlapping: I need to display a "y" or "n" where a start time/end time overlaps with another row for the same employee.
For this, I used analytical functions to find out which rows were overlapping. This is what I did:
create table test (id number, emp_id number, date_worked date, start_time date, end_time date);
insert into test values (1, 333, to_date('2008-01-01 00:00:00', 'YYYY-MM-DD HH24:MI:SS'),to_date('2008-01-01 08:00:00', 'YYYY-MM-DD HH24:MI:SS'),to_date('2008-01-01 10:00:00', 'YYYY-MM-DD HH24:MI:SS'));
insert into test values (2, 333, to_date('2008-01-01 00:00:00', 'YYYY-MM-DD HH24:MI:SS'),to_date('2008-01-01 10:00:00', 'YYYY-MM-DD HH24:MI:SS'),to_date('2008-01-01 12:00:00', 'YYYY-MM-DD HH24:MI:SS'));
insert into test values (3, 444, to_date('2008-01-01 00:00:00', 'YYYY-MM-DD HH24:MI:SS'),to_date('2008-01-01 08:00:00', 'YYYY-MM-DD HH24:MI:SS'),to_date('2008-01-01 09:00:00', 'YYYY-MM-DD HH24:MI:SS'));
insert into test values (4, 333, to_date('2008-01-01 00:00:00', 'YYYY-MM-DD HH24:MI:SS'),to_date('2008-01-01 11:00:00', 'YYYY-MM-DD HH24:MI:SS'),to_date('2008-01-01 13:00:00', 'YYYY-MM-DD HH24:MI:SS'));
SQL> select * from test;
        ID     EMP_ID DATE_WORKED         START_TIME          END_TIME
         1        333 01-01-2008 00:00:00 01-01-2008 08:00:00 01-01-2008 10:00:00 
         2        333 01-01-2008 00:00:00 01-01-2008 10:00:00 01-01-2008 12:00:00  --> conflict
         3        444 01-01-2008 00:00:00 01-01-2008 08:00:00 01-01-2008 09:00:00
         4        333 01-01-2008 00:00:00 01-01-2008 11:00:00 01-01-2008 13:00:00  --> conflict Here I see that Employee 333 is scheduled from 10 to 12 am, but it's also scheduled from 11 to 13. This is a conflict.
To find this conflict, I did this (please correct me if this is incorrect):
SQL> select id, emp_id, date_worked, start_time, end_time, next_date
  2  from (
  3        select lead( start_time, 1 ) over ( partition by emp_id order by start_time ) next_date,
  4               start_time, end_time, emp_id, date_worked, id
  5        from   test
  6       )
  7  where  next_date < end_time;
        ID     EMP_ID DATE_WORKED         START_TIME          END_TIME            NEXT_DATE
         2        333 01-01-2008 00:00:00 01-01-2008 10:00:00 01-01-2008 12:00:00 01-01-2008 11:00:00So far, so good. Where I'm stuck is, I need to display the conflicts in this way:
        ID     EMP_ID DATE_WORKED         START_TIME          END_TIME            OVERLAPPED
         1        333 01-01-2008 00:00:00 01-01-2008 08:00:00 01-01-2008 10:00:00
         2        333 01-01-2008 00:00:00 01-01-2008 10:00:00 01-01-2008 12:00:00 yes
         3        444 01-01-2008 00:00:00 01-01-2008 08:00:00 01-01-2008 09:00:00
         4        333 01-01-2008 00:00:00 01-01-2008 11:00:00 01-01-2008 13:00:00 yes Is there a way I can achieve this?
I tried doing a nested query with a count(*) but no success...

I found an issue. Say we insert this row.
insert into test values (5, 333, to_date('2008-01-01 00:00:00', 'YYYY-MM-DD HH24:MI:SS'),to_date('2008-01-01 07:00:00', 'YYYY-MM-DD HH24:MI:SS'),to_date('2008-01-01 08:00:00', 'YYYY-MM-DD HH24:MI:SS'));
SQL> select * from test order by start_time;
        ID     EMP_ID DATE_WORKED         START_TIME          END_TIME
         5        333 01-01-2008 00:00:00 01-01-2008 07:00:00 01-01-2008 08:00:00
         1        333 01-01-2008 00:00:00 01-01-2008 08:00:00 01-01-2008 10:00:00
         3        444 01-01-2008 00:00:00 01-01-2008 08:00:00 01-01-2008 09:00:00
         2        333 01-01-2008 00:00:00 01-01-2008 10:00:00 01-01-2008 12:00:00 --> conflict
         4        333 01-01-2008 00:00:00 01-01-2008 11:00:00 01-01-2008 13:00:00 --> conflictIf I run the SQL suggested by Nicloei, I get:
SQL> select id,
  2         emp_id,
  3         date_worked,
  4         start_time,
  5         end_time,
  6           Case When end_time > prev_date Or next_date > End_time Then 'Yes' Else 'No' End over_lap
  7      from (
  8            select lead( start_time, 1 ) over ( partition by emp_id order by start_time ) next_date,
  9                   lag( start_time, 1 ) over ( partition by emp_id order by start_time ) prev_date,
10                   start_time, end_time, emp_id, date_worked, id
11            from   test
12           );
        ID     EMP_ID DATE_WORKED         START_TIME          END_TIME            OVER_LAP
         5        333 01-01-2008 00:00:00 01-01-2008 07:00:00 01-01-2008 08:00:00 No
         1        333 01-01-2008 00:00:00 01-01-2008 08:00:00 01-01-2008 10:00:00 Yes
         2        333 01-01-2008 00:00:00 01-01-2008 10:00:00 01-01-2008 12:00:00 Yes
         4        333 01-01-2008 00:00:00 01-01-2008 11:00:00 01-01-2008 13:00:00 Yes
         3        444 01-01-2008 00:00:00 01-01-2008 08:00:00 01-01-2008 09:00:00 NoIt's basically saying that there's an overlap between id 1 and id 2 (8-10 and 10-12), which is incorrect. I ran the inner query by itself:
SQL> select lead( start_time, 1 ) over ( partition by emp_id order by start_time ) next_date,
  2                   lag( start_time, 1 ) over ( partition by emp_id order by start_time ) prev_date,
  3                   start_time, end_time, emp_id, date_worked, id
  4            from   test;
NEXT_DATE           PREV_DATE           START_TIME          END_TIME                EMP_ID DATE_WORKED                 ID
01-01-2008 08:00:00                     01-01-2008 07:00:00 01-01-2008 08:00:00        333 01-01-2008 00:00:00          5
01-01-2008 10:00:00 01-01-2008 07:00:00 01-01-2008 08:00:00 01-01-2008 10:00:00        333 01-01-2008 00:00:00          1
01-01-2008 11:00:00 01-01-2008 08:00:00 01-01-2008 10:00:00 01-01-2008 12:00:00        333 01-01-2008 00:00:00          2
                    01-01-2008 10:00:00 01-01-2008 11:00:00 01-01-2008 13:00:00        333 01-01-2008 00:00:00          4
                                        01-01-2008 08:00:00 01-01-2008 09:00:00        444 01-01-2008 00:00:00          3with this data, I can't seem to find a way to conditional test in order to print my overlap column with "yes" or "no" accordingly.
am I missing something?

Similar Messages

  • Question for analytic functions experts

    Hi,
    I have an ugly table containing an implicit master detail relation.
    The table can be ordered by sequence and then each detail is beneath it's master (in sequence).
    If it is a detail, the master column is NULL and vice versa.
    Sample:
    SEQUENCE MASTER DETAIL BOTH_PRIMARY_KEYS
    1____________A______________1
    2___________________A_______1
    3___________________B_______2
    4____________B______________2
    5___________________A_______3
    6___________________B_______4
    Task: Go into the table with the primary key of my detail, and search the primary key of it's master.
    I already have a solution how to get it, but I would like to know if there is an analytic statement,
    which is more elegant, instead of selfreferencing my table three times. Somebody used to analytic functions?
    Thanks,
    Dirk

    Hi,
    Do you mean like this?
    with data as (
    select 1 sequence, 'A' master, null detail, 1 both_primary_keys from dual union all
    select 2, null, 'A', 1 from dual union all
    select 3, null, 'B', 2 from dual union all
    select 4, 'B', null, 2 from dual union all
    select 5, null, 'A', 3 from dual union all
    select 6, null, 'B', 4 from dual )
    select (select max(both_primary_keys) keep (dense_rank last order by sequence)
            from data
            where sequence < detail_record.sequence and detail is null) master_primary_key
    from data detail_record
    where (both_primary_keys=3 /*lookup detail key 3 */  and master is null)

  • Yet another question about super raid - GS70

    Yes, another question about Super Raid...I recently picked up the cheapest model of the GS70 on newegg which comes with 1 mSata SSD...just a mediocre one if I remember reading correctly.  I'm interested in using MSI's Super Raid once my warranty is over with and have been reading a couple posts here:
    1. Walk through of how to reinstall OS
    --> https://forum-en.msi.com/index.php?topic=167198.msg1224063#msg1224063
    2. I'll need a Super Raid card with links to get some, for about $100 each
    --> https://forum-en.msi.com/index.php?topic=171722.msg1252847#msg1252847
    3. I can't get Super Raid unless it originally came with it?
    --> https://forum-en.msi.com/index.php?topic=171185.msg1249640#msg1249640
    So what's the bottom line? Would I still be able to enable super raid in the future or am I SOL since it didn't come with it originally?
    thanks!

    The GT70 CAN come with an adapter that has 2 (on the older, GT70 0NX models) or 3 (on newer GT70 20X models) sockets for mSATA drives. It's an optional part, that takes place of the primary SATA drive in the notebook, and physically has a different part that connects to the motherboard. If it doesn't come with the SuperRaid adapter, then it just has support for a single 2.5" SATA drive.
    The GS70 on the otherhand, has this built into the motherboard and there is no swapping it out for a normal 2.5" SATA drive. You can only use mSATA drives (on those ports). The GS70 is meant to be an ultrabook, and therefore does not have the same ability as the GT70 to house up to 2 full size 2.5" SATA drives.
    That's really the main difference here. Without physically seeing a GT70 to see how the SuperRaid adapter works, it's slightly difficult to explain.
    But in the end, I wouldn't worry about the SuperRaid....The GS70 should have support for Intel Raid Management Engine, in which case that's all you really need.

  • Yet another question on code optimization

    Hello again
    Sorry for asking too many questions, but I really want to learn how to simplify my work.
    Let's say I have this ArrayList that gets initialized every time a user clicks on a new combobox item and a set of numbers are added to it. I then add this arrayList to another arraylist that is initialized outside of the actionlistener class.
    So basically every time the user clicks the inner arraylist is added to outer arraylist. But I don't want to have duplicate results if the user chooses to go back to the previous JTextAreas and delete the contents to start typing new stuff. The way i am doing this is like this:
    ArrayList<String> filler = new ArrayList<String>(); //The filler that has to be unique, so the user won't screw with the pattern
    filler.add("A*?1qkQOz]4X1QedyhA`H-6$U[I{]0n<RT.W})(J+z7o.<q[g5[y0YA2tv+c@WN");
    //For each JtextArea object add a filler so that no Nullpointerexception happens with the use of arraylist.set()method....
    for (int i = 0; i <textAreaObjs.size(); i ++){
         allValues.add(filler);
    //Replace the unique filler with the actual user input saved in innerList which is of type ArrayList.               
    allValues.set(textCounter,innerList);
    //Remove all the unnecessary fillers
    for (int outerArrayCounter = 0; outerArrayCounter < allValues.size(); outerArrayCounter ++){
         for (int innerArrayCounter = 0; innerArrayCounter < allValues.get(outerArrayCounter).size(); j++){
              if (allValues.get(outerArrayCounter).get(innerArrayCounter).equals("A*?1qkQOz]4X1QedyhA`H-6$U[I{]0n<RT.W})(J+z7o.<q[g5[y0YA2tv+c@WN")){
                   allValues.remove(outerArrayCounter);
                   outerArrayCounter--;
                   break;
    }I tried the different methods of the ArrayList like arraylist.set() and if there is a null at this location: do this, if not do something else but they returned Nullpointerexceptions...
    I tried the isEmpty method too but that only checks to see if the whole list is empty and not specific parts of the array....
    Is there a better, faster, and simpler way of doing this?
    Thanks for the help.

    I thought this might help... an example of a Sorted[Descending]Map of Lists... I didn't tackle the "frequency aspect" I just generated a random "key" for the map... and a random string to stuff in the Word...
    I presume your Word is {String word, int lineNumber, int startIndex} from the source-document... and now you need to query your frequency table for "the most common word" or maybe "the top five words".
    You can fill in the blanks.
    ... and BTW... If I where doing this for real I'd be awfully tempted to extend TreeMap into a "generic" DescendingTreeMap, which I would stick somewhere in my common utils package, from whence it could be reused in future by myself and others.
    If you want the code for krc.utilz.RandomString just ask.
    package forums;
    import java.util.Collections;
    import java.util.Collection;
    import java.util.SortedMap;
    import java.util.TreeMap;
    import java.util.List;
    import java.util.ArrayList;
    import java.util.Map;
    import java.util.Comparator;
    import java.util.Random;
    import krc.utilz.RandomString;
    public class SortedDescendingMap
      private static final RandomString RANDOM_STRING = new RandomString();
      private static final Random RANDOM = new Random();
      private class DescendingIntegerComparator implements Comparator<Integer>
        @Override
        public int compare(Integer a, Integer b) {
          return -1 * a.compareTo(b);
        @Override
        public boolean equals(Object o) {
          return this == o; // yes I do mean reference-equals.
      private class Word
        private final String word;
        public Word() {
          this.word = RANDOM_STRING.nextString(5);
        @Override
        public String toString() {
          return this.word;
      private final SortedMap <Integer,List<Word>> freqTable;
      private SortedDescendingMap() {
        freqTable = new TreeMap<Integer,List<Word>>(new DescendingIntegerComparator());
      private void populate() {
        for (int i=0; i<50; i++) {
          List<Word> list = new ArrayList<Word>();
          for (int j=1; j<=5; j++) {
            list.add(new Word());
          freqTable.put(RANDOM.nextInt(5), list);
      private void print() {
        for ( Map.Entry<Integer,List<Word>> entry : freqTable.entrySet() ) {
          System.out.println(entry.getKey()+": "+entry.getValue());
      public static void main(String[] args) {
        try {
          SortedDescendingMap map = new SortedDescendingMap();
          map.populate();
          map.print();
        } catch (Exception e) {
          e.printStackTrace();
    }This doesn't mean that I like you, and you're still a Putz! ;-)
    Cheers. Keith.

  • Yet another question on formats

    Dear all,
    I've finally finished my first movie and am now trying to export it. However, I do have some format questions which I am struggling with.
    For a little backgroud, the event I need to make a movie on was shot with two different cameras.
    I have 3 sequences which I now need to export in a single one for later use with iDVD...
    I have 2 videos (sequences) with this format: 720x576 25fps DV-PAL (CCIR 601)
    (camera 1) and another one I ripped from a dvd with dvdremaster (camera 2) . I converted the VOBs into a 1024x576 25fps H.264 Square sequence.
    Since both formats are not the same, I did want to use a virgin sequence with a 1024x576 format and put the 720x576 on it with a little transition effect...
    However, I'm unable to create a 1024x576 H.264 sequence in FCE!
    I can use a 576 sequence and then export using customized settings but the image-s height gets compressed...
    What can I do to cut the movie so that the 1024x576 takes the full frame and that the 720x576 only takes what is necessarz?
    Any other suggestions?
    Cheers & Thanks
    Paulo

    Hi and welcome to the forum,
    FCE does not support 1024x576 footage. You should first convert it using something like [MPEG Streamclip|http://www.squared5.com> to a frame-size FCE does support like 1280x720 at a format it supports like Apple Intermediate Codec. You can then combine both clips in a 1280x720 sequence.

  • Yet another question about 24-bits

    I have just combined an Echo Audio Indigo IO with Adobe Audition 1.5 in hopes to have a reasonably good laptop recorder. That need is met quite well.
    There are a number of discussions about bit depth in these forums. The answers become obfuscated by internal conversions done in audio cards, software, and Windows drivers. My current interest is simply how to get 24 bits of unadultered data from a D/A convertor to a data file using Audition. This data will be used to analyze pitch, frequency and intonation and any changes to the data will affect the results.
    Both the Indigo IO and Audition claim 24-bit support and I am convinced that both meet these claims fully. In spite of this there is no evidence that the card, Windows, and the software together will actually meet this claim without a 16-bit conversion along the line. What really matters is whether or not 24-bits of audio can travel from the card to the data file without any changes.
    Question 1: In Audition 1.5 for Windows under "Options/Device Properties/Wave In/Supported Formats" for the Indigo IO the highest density recording listed is 16-bit stereo at a 96K sample rate. What properties do other users find for their 24-bit cards?
    Question 2: The wave programming calls (waveInGetDevCaps) don't include capability definitions for anything beyond 16-bit depth at a 96K sample rate. Where in Windows is there evidence of true support for anything greater than 16-bit Audio?
    Question 3: What software is there that will go directly to the sound card or driver and write 24 unadultered bits to a file?

    I had trouble setting up my 24bit/96k ADAC to record 24-bit in audition. The best way to be sure audition is getting the 24bit samples as 24 bits is to check the status bar when recording. If it says 'Recording as 24 bit' then it's all setup right. If it says 'Recording as 16 bit' then the 32-bit float driver or the 24-bit driver reported an error and audition tried to fall back on the 16 bit version and succeeded. The problem I had was that the driver didn't handle 32-bit floats so it errored out and audition recorded as 16 bits. The only solution was to select the 24-bit option under "Options/Device Properties/Wave In(or out)".
    Just a note. A true 24-bit ADC will send 24 bits to the driver and the driver itself will convert the bits to whatever format it supports. If the driver is instructed to convert to normalized floats the software will simply do something like this:
    SampleOut = SampleIn / 8388608.0;
    This doesn't add any coloration to the audio because a float is really just a 24 bit integer with 8 bits added to tell the FPU where to put the decimal point. Converting down from 24-bits of course degrades quality and converting from 24 bits up to a true 32 bit integer would NOT add any quality to the audio. When stored in a file, 24 bits is 24 bits whether its a float or an integer.
    >Question 2:The wave programming calls (waveInGetDevCaps) don't include capability definitions for anything beyond 16-bit depth at a 96K sample rate. Where in Windows is there evidence of true support for anything greater than 16-bit Audio?
    The website showing waveInGetDevCaps function information doesn't show all the possible format tags or even the sample rates. It is only showing the most compatible forms for drivers. The WAVEFORMAT and WAVEFORMATEX structures used for the drivers are also used in the 'fmt ' chunk of RIFF WAVE files. I've written a lot of software for parallel use with audition using wave files and windows and I can say from experience that when recording 24 bits with audition you're getting the full 24 bits. If your driver truly supports 24 bit samples then audition will allow you to select the 24 bit samples option under "Options/Device Properties/Wave In(or out)" and audition will display 'Recording as 24-bits' when recording. Once recorded Audition no doubt converts ALL bit depths to its internal format which I believe is 32 (or 64) bit float, and if you don't process the file and wish to save as 24 bit integers then the samples saved will be exactly what the ADC sent to the driver.

  • Yet another question about burners for iDVD 6

    It's not my intention to be redundant and the question about which DVD burners are compatible with the most recent release of iDVD has been asked a few times since iLife '06 was released at MacWorld last week. Yet, though Apple has announced it, why have they not posted a list of compatible devices?
    Or, is the onus on the manufacturers to certify that their burners are compatible with iDVD 6?
    In either case, has anyone determined if this information is available and, if so, where?
    Thanks.

    Or, is the onus on the manufacturers to certify that their burners are compatible with iDVD 6?
    Check with the support sections of the manufacturer's websites - after all, THEY are the ones trying to sell burners.

  • Yet another question about transfer from iPod to PC

    I realize there have been a couple similar questions regarding this, recently, and I have read the answers and the guides within help. The trouble is this: My hard drive on my PC died!! I had to replace it. So, the new hard drive has no music library at all. I need the new library to match what's on the ipod, for further music downloads and automatically updating the ipod, etc.
    I followed directions in "Copy Music to New Computer". At the point where it says to go to My Computer and double click on the iPod (while it's connected, of course) and you're supposed to see a few folders here. One of them should be a folder called iTunes. You're supposed to be able to drag it into your My Music iTunes folder. However, that folder does not appear!! Only Calendars, Contacts, and Notes folders are there. There definitley is music on the ipod. So, why is there no folder there? I can't figure any other way to get this stuff back in my library.
    Please help.
    I could re-import most of it ,I guess, and start over, but if I can't get the stuff that's only on my ipod, the library still won't match. And next time I download new music, and iPod updates itself from my library, I'll lose stuff.
    Any ideas?

    Try this.
    Open iTunes and select edit/preferences/advanced/general. Put a check mark in the box marked "copy files to iTunes music folder when adding to library" and also "keep iTunes music folder organized", then click 'ok'.
    Connect the iPod whilst holding down the shift/ctrl keys to prevent any auto sync, and if you see the dialogue window asking if you want to sync to this itunes library, click 'no'.
    Then go to file/add folder, open 'my computer', select your iPod and click 'ok'.
    The music files should transfer to your iTunes.
    If this doesn't work (and it may not because officially it's not supposed to), there's Yamipod. This is a free program that transfers music and playlists etc from iPod back to the computer. However, it does not transfer playcounts/ratings etc.

  • Yet another question; sorry, I'm a newbie

    My first podcast is up--I can access it through the link apple provided, plus if I search, but not through browsing. When will it show up? How does it get featured?
    Also, mine is a video podcast. Not sure whether it's listed as a video podcast. I used feedforall to code the rss. How can I get it to differentiate and tell itunes it's a video podcast vs. an audio one?
    Thanks again.

    thanks again, Brian. I also just read your reply to my second question, which clarified the link thing. I think, I get it--I'm a newbie so, just want to make sure I totally understand.
    So, hypothetically, the xml file (code) can be inside my regular index.com page and the enclosure can be a direct link to the file playing?
    IN the future, I'm planning on having a new vodcast every day, five times a week. If I keep the encoded video files in a folder (let's say, called rss), then all the <link> files can just be my url (which is my index.com) page, but each of the <enclosure> links will be a direct link to each of the videos in the rss folder? Is this correct?
    Thanks again.

  • Yet another question on daisy chaining...

    After having thoroughly sifted through prior discussion on the subject, as well as looked at the online tutorial (gooberguides) and other sources, I am compelled to come back and ask this question. This is Captivate 5.
    Here is my scenario, and it seems to be quite simple. I have a large project, which I want to break up into smaller ones. This is so that users don't have to sit and wait for it to load from the LMS before they can start. I need to have SCORM reporting, so that users can leave and come back to where they were. I don't think I can resolve this using Multi-SCO Packager, as the resulting package doesn't appear as a single module, but as several modules within a single package. Aggregator wouldn't quite work, since it forces that TOC, which I don't want to have.
    One more wrinkle in the whole thing is that I have my own TOC, which is on the first slide of Module no. 2, to which I have a link from most other (subsequent) modules.
    I have successfully daisy-chained all of this using the online guide mentioned above. I used 'Open URL or file'. At first, I tried pointing to the SWF file for the next module, but when I deployed the final package, my browser (Firefox) wanted to download the next module, instead of playing it back in the browser window. Pointing to HTML file resolved that. My links back to the Module 2 (TOC) work fine. It took me a while to figure out why none of the linking wouldn't work at first. It only started working when I removed spaces from file names (this I couldn't find anywhere in documentation, and stumbled upon by myself).
    My only problem (a deal breaker) is with SCORM tracking. When I publish with reporting turned on, the following happens: first module plays back throughout (all five slides). At the end, it loads the second module. However, when second module starts playing, it either freezes on load, or skips right past first 5 slides and starts playing from slide no. 6. This is telling me that the LMS is treating this as if the user has closed the session after reaching slide 5, then immediately re-opened it, so the LMS is sending him straight to slide 6, except this is now Module 2, and not Module 1. Meanwhile, user has never touched anything and has actually never left the session. Sure enough, if I leave the session at, for example, Module 2, slide 7, when I come back, LMS will be stuck trying to load Module 1, slide 7 (which doesn't exist; my Module 1 has only 5 slides).
    So, apparently, simple daisy-chaining doesn't work well with SCORM reporting. Meanwhile, Aggregator (and Multi-SCO Packager) aren't doing it for me, as they force TOC to show individual modules.
    Does anyone have any ideas how to work around these obstacles?

    Copy the ENTIRE iTunes folder from the old computer to the new computer.
    Open iTunes, everything in iTunes should be exactly as it was on the old computer.
    Connect the device and sync.

  • Yet another question about exporting and video quality

    Kind people,
    I know this question has been asked many, many times, and I have searched and read up of the topic, but I would also like to ask it.
    I shot my video on a Canon Vixia HF10, downloaded it to Final Cut Express to edit, exported it as Quick Time Movie, dropped it in iDVD, then played it on my TV and the quality was…..not good. The video was a little fuzzy and there were ghosts. Are there any settings I should go back and check in iDVD.
    Wolfgang

    Hi(Bonjour)!
    What is the format recorded by this camera?
    How did you capture/ingest your video material in FCE?
    What was your sequence format in timeline?
    How did you export your sequence (specify exact steps, menus and command)?
    What was your iDVD project settings?
    What was the iDVD quality setting?
    Did you monitor your DVD on computer screen or TV set?
    Michel Boissonneault

  • Yet another question on broadband intermittent los...

    I have my Broadband since 2007 and the speed has been a stedy 6-7mb/p upuntil three weeks ago. Mine is with BT unlimitted and not fibroptic. The connection keeps dropping out(Appears to be intermittent)
    Now I find intermittent loss of broadband connection no matter whether it is day or night. It is so frustrating to say the least.
    I observed for three weeks hoping it will resolve with time ( thinking some repairs/upgrades may be undertaken by BT) but with no avail.
    All I know is that BT is to implement fibroptic in my area in Dec 2014.
    My exchange is Trefnant.
    Can anybody help me? Do I need to contact BT?
    Regards

    there could be many reasons please work through this link
    Here is a basic guide to getting help from the community members done by CL Keith Please read through the link posted http://forumhelp.dyndns.info/speed/first_steps.html
    once you have posted the information asked for then the community members can help you more
    if using a hub 4 locate these lines located in the hub logs
    Lines should look like this
    19:11:29, 07 Nov. (2290101.460000) DSL noise margin: 7.00 dB upstream, 6.10 dB downstream
    19:11:29, 07 Nov. (2290101.390000) DSL line rate: 448 Kbps upstream, 288 Kbps downstream
    Thank You
    This is a customer to customer self help forum the only BT presence here are the forum moderators
    If you want to say thanks for a helpful answer,please click on the Ratings star on the left-hand side If the reply answers your question then please mark as ’Mark as Accepted Solution’

  • Yet another question on memory expansion for the G5.This one is really cool

    I currently own a G5 2Ghz (8 DIMM sockets model) that I would like to add memory to. I have done my research (in this forum and elsewhere) and have found that what I need is DDR400 SDRAM (PC3200) memory.
    Now here the 2 questions:
    (1) Must I expand in pairs (i.e. must I for example add 2*512, or can I go with 1*1GB), and
    (2) Are there differences between PC memory and Apple memory modules that disqualify installing PC memory modules (with the same specifications as required, i.e. DDR400 SDRAM (PC3200)) into an Apple? I ask the question b/c PC memory modules are cheaper than their Apple counterparts but both have the same specifications (I compared PC and Apple memory modules on www.crucial.com). I can't shake the idea that differentiating PC and Apple memory modules is only a marketing sham.
    All insight into the matter is welcome.
    Cheers,
    G5   Mac OS X (10.4.3)  

    Some specs (and prices) to print out and tote around the mall
    http://www.crucial.com/eu/store/listparts.asp?Mfr%2BProductline=Apple%2BPowerMac&mfr=Apple&tabid=AM&model=Power+Mac+G5+%28Dual+2.0GHz+DDR%2C+8+DIMMsockets%29&submit=Go
    I have the 2 x 1GB in this March 04 DP2 - no problems - so far.
    As OS X seems to get more picky about RAM with each update, you may wish to consider the importance of a no-quibble guarantee...

  • Yet another question about XServer

    Greetings
    Having installed an XVR100 graphics card in a Sunfire V240 and configured it as the default output device, I have managed to get XSun to start and then start X11VNC, however, while I get a nice, graphical Solaris screen, I dont get any login prompt. Just a mention that this is Solaris X11 v 6.6.2 and some console output showing the last "SU" login.
    Do I need to change the default tty somewhere?
    Additionally, I want to configure some type of desktop manager to work with X but cant find a way to run either KDM (no KDM config in evidence on system) or Gnome.
    Is Xsun what I need to be running on a sparc system or should I run Xorg?
    (Or is Xorg only for Solaris X86)
    Because the original build of this box was without a graphics card, I am having to do this by hand.
    Sorry for all the dumb questions but I've had a much easier time getting X to run on almost any other flavour of UNIX.
    Any help or suggestionswould be much-appreciated.
    Tim

    The GT70 CAN come with an adapter that has 2 (on the older, GT70 0NX models) or 3 (on newer GT70 20X models) sockets for mSATA drives. It's an optional part, that takes place of the primary SATA drive in the notebook, and physically has a different part that connects to the motherboard. If it doesn't come with the SuperRaid adapter, then it just has support for a single 2.5" SATA drive.
    The GS70 on the otherhand, has this built into the motherboard and there is no swapping it out for a normal 2.5" SATA drive. You can only use mSATA drives (on those ports). The GS70 is meant to be an ultrabook, and therefore does not have the same ability as the GT70 to house up to 2 full size 2.5" SATA drives.
    That's really the main difference here. Without physically seeing a GT70 to see how the SuperRaid adapter works, it's slightly difficult to explain.
    But in the end, I wouldn't worry about the SuperRaid....The GS70 should have support for Intel Raid Management Engine, in which case that's all you really need.

  • Yet another question about the macprotector malware.

    Please forgive me if this has been asked before, but I've looked at many threads stating how to remove the macprotector and macdefender from our computer. I haven't yet found an explanation as to how this scam/virus (whatever it is) is getting on certain websites that I thought were once safe? I love my mac, but have been quite depressed that I'm now wary to visit any site. Also, if this has been downloaded (against my will and I have done my best to remove it), what are the negative effects that can happen to my computer? Like are they getting information or slowly destroying my laptop?
    Thanks to everyone for your patience with all the boards relating to this topic.

    Hi, here is how to remove it by yourself...
    http://goo.gl/J7R6A
    Script that I create which, will help you remove it .....
    http://goo.gl/rGV62
    What is does.
    Depending on the version it just creates a bunch of random fake notification and claims your infected. If you keep getting it then most likely you have Allow popups and "Open Safe files" in safari on. The only damage is if you give the criminals that created it your Credit Card.
    It is changing so it depend on the version but these two links should help.

Maybe you are looking for

  • Idocs are not received in Destination side.

    Hi Friends, I have a small doubt regarding SM58. I have 2 dev systems. client 100 & 200 we are send the Material data from 100 to 200. In 100 system all are fine and the status is 12 and green but those are not received in 200. When we check in 200 a

  • Unable to start opmn- ONS

    Hi Experts, The customer asked me to create Auto start/stop scripts for Application server. I tested my scripts manually for both Infrastructure & Middle Tier. On automating them my opmn process starts to fail and i found the below error in ons.log f

  • Is oracle data masking compatible with DB version 10.2.04?

    Hi, We are interested to find out if Oracle OEM data masking pack is compatible with DB version *10.2.04*? We are using OEM version *10.2.05*. Regards Imran Shafqat Sr. Practice Consultant EMC Consulting (UK) Edited by: 849880 on Apr 5, 2011 11:44 AM

  • Generating idocs with MASTER_IDOC_DISTRIBUTE, but not finding with WE02

    Hi All, I am generating one IDOC for the message type LOIPLO, Idoc type LOIPLO01 with using the function module MASTER_IDOC_DISTRIBUTE.  Function module is returning the idoc number, but if I go and see in WE02, it is saying "No idocs are selected". 

  • How do I set a default width?

    Hi there. When I open up Pages and it brings up my default template, the width of the new document if never quite wide enough. I have it set to default to "Fit to Width," but the default width is 100% and Pages opens up accordingly. Even when I go in