Newbie  Group by and Group by

I can do a group by, but I need to have TWO Group by so my output would look like this
in ONE report:
Month Hours
Oct. 2008 10
Nov. 2008 17
Dec. 2008 14
Total 41
Produce Hours
Apples 7
Grapes 15
Peaches 8
Plums 11
Total 41
Below will give me the Produce total:
Select Sum(Phours) Shours,Pname from aims.dummy
group by Pname
=========================
Below will give it by Date:
Select Sum(Phours) Shours,Pdate from aims.dummy
group by Pdate
=========================
Here's my input example:
drop table dummy;
create table dummy(pname varchar2(20)
,Phours numeric(10,0)
,pdate date);
insert into dummy(pname,phours,pdate)
values('Apples',4,to_date('20081001','YYYYMMDD'));
insert into dummy(pname,phours,pdate)
values('Apples',3,to_date('20081101','YYYYMMDD'));
insert into dummy(pname,phours,pdate)
values('Grapes',3,to_date('20081001','YYYYMMDD'));
insert into dummy(pname,phours,pdate)
values('Grapes',12,to_date('20081201','YYYYMMDD'));
insert into dummy(pname,phours,pdate)
values('Peaches',3,to_date('20081001','YYYYMMDD'));
insert into dummy(pname,phours,pdate)
values('Peaches',5,to_date('20081101','YYYYMMDD'));
insert into dummy(pname,phours,pdate)
values('Plums',9,to_date('20081101','YYYYMMDD'));
insert into dummy(pname,phours,pdate)
values('Plums',2,to_date('20081201','YYYYMMDD'));
What is the best way to do this?
TIA
Steve

Like this...
SQL> select * from dummy;
PNAME                    PHOURS PDATE
Apples                        4 01-OCT-08
Apples                        3 01-NOV-08
Grapes                        3 01-OCT-08
Grapes                       12 01-DEC-08
Peaches                       3 01-OCT-08
Peaches                       5 01-NOV-08
Plums                         9 01-NOV-08
Plums                         2 01-DEC-08
8 rows selected.
SQL> break on type skip 1
SQL> ed
Wrote file afiedt.buf
  1  select 'By Month' as type, to_char(pdate,'Mon') as descript, sum(phours) as hrs
  2  from dummy
  3  group by to_char(pdate,'Mon')
  4  union all
  5  select 'By Produce', pname, sum(phours)
  6  from dummy
  7  group by pname
  8* order by 1,2
SQL> /
TYPE       DESCRIPT                    HRS
By Month   Dec                          14
           Nov                          17
           Oct                          10
By Produce Apples                        7
           Grapes                       15
           Peaches                       8
           Plums                        11
7 rows selected.
SQL>Of course you may want to change how the ordering is done so that the months come out in order for that group and the produce comes out alphabetically for the second group, but I'll leave that as a challenge for yourself. ;)

Similar Messages

  • I am a newbie...and I think I did a big no-no as my Ipad isn't working.  I synced it to a second computer at work which is a new Imac after already syncing to my pc at home with Itunes.  Now it says it can't restore and can't get it to open.  HELP!

    I am a newbie...and I think I did a big no-no as my Ipad isn't working.  I synced it to a second computer at work which is a new Imac after already syncing to my pc at home with Itunes.  Now it says it can't restore and can't get it to open, getting error messages but can't fix myself.  Can anyone help??

    iPad can connect only in one iTunes Library. If you want to connect it to a iTunes Library then you have to erase it. You can erase it from iTunes. Make sure you iPad doesn't have a password, or if it has a password make sure that you connect to the computer and enter the password of your iPad

  • Newbie Grouping from 3 tables

    Here is what I want it to look like:
    Goalnumber Sitename Value
    1 Demonstrations 0
    1 Workshop 0
    2 Demonstrations 11
    2 Workshop 0
    3 Demonstrations 0
    3 Workshop 0
    ========================= Below is one version that I was trying to make it work.
    Select K.Goalnumber,C.Contact_ID
    ,C.Sitename,K.Mvalue
    FROM (
    Select J.Goalnumber,J.Contact_ID
    ,A.Mvalue
    FROM (
    Select B.Goalnumber,B.Contact_ID
    FROM DummyB B
    WHERE FiscalYear=2009
    ) J Left OUTER JOIN DummyA A
    On J.Contact_ID=A.Contact_ID
    AND A.FiscalYear=2009
    )K FULL OUTER JOIN DummyC C
    ON K.Contact_ID=C.Contact_ID
    Order by K.Goalnumber
    ========================== Below is a sample Input
    create table dummyA(mvalue numeric(4,0)
    ,Contact_ID numeric(7,0)
    ,FiscalYear numeric(4,0));
    insert into dummyA(mvalue,contact_ID,FiscalYear)
    VALUES(11,200902,2009);
    Create table DummyB(Goalnumber numeric(4,0)
    ,FiscalYear Numeric(4,0)
    ,Contact_id Numeric(7,0));
    Insert into DummyB(Goalnumber,FiscalYear,Contact_id)
    Values(1,2009,0);
    Insert into DummyB(Goalnumber,FiscalYear,Contact_id)
    Values(2,2009,200902);
    Insert into DummyB(Goalnumber,FiscalYear,Contact_id)
    Values(3,2009,0);
    Create Table DummyC(Contact_ID Numeric(7,0)
    ,FiscalYear Numeric(4,0)
    ,SiteName Varchar2(20));
    Insert INTO DummyC(Contact_ID,FiscalYear,Sitename)
    values(200902,2009,'Demonstrations');
    Insert INTO DummyC(Contact_ID,FiscalYear,Sitename)
    values(200903,2009,'Workshop');
    ================================
    I must be overlooking something simple.
    Any help would be appreciated.
    TIA
    Steve42

    ME_XE?select
      2     b.GOALNUMBER, c.SITENAME, a.MVALUE
      3  from dummya a, dummyb b, dummyc c
      4  where b.contact_id = a.contact_id
      5  and   b.contact_id = c.contact_id
      6     union all
      7  select
      8     b.GOALNUMBER, c.SITENAME, 0 AS MVALUE
      9  from dummyb b, dummyc c
    10  where b.contact_id != c.contact_id
    11  order by goalnumber asc
    12  /
            GOALNUMBER SITENAME                                                                 MVALUE
                     1 Demonstrations                                                                0
                     1 Workshop                                                                      0
                     2 Workshop                                                                      0
                     2 Demonstrations                                                               11
                     3 Workshop                                                                      0
                     3 Demonstrations                                                                0
    6 rows selected.
    Elapsed: 00:00:00.03Edited by: Tubby on Feb 11, 2009 1:35 PM

  • Newbie re: Automator and iTunes

    I am new to Automator but am really looking forward to building some skills, as I know it is a really powerful tool. I thought I had a pretty good starting project but have hit a wall early on. I am looking for help or a point in the right direction to help me solve a repetitive task I am facing in iTunes.
    I am importing my CD collection of which I have a lot of classical and opera. Many of these are multiple CDs which for some reason rarely pull the same CD track information from the internet. The basic information is correct but there are often variations in how the fields are filled up. For example the Artist Field may included Puccini: Herbert von Karajan; Berlin Philharmonic in for the first CD imported but only Herbert von Karajan; BPO on the next one.
    The problem this creates given the new features of iTunes is that iTunes gets confused resulting Album Art and other "grouping" errors.
    What I am lookingto do is highlight the tracks that I want to edit and then either:
    1) Automatically find and replace the fields with text that matches
    or
    2) Be prompted to enter (paste) the correct text.
    So the workflow as I imagine it would be:
    1) I manually select the tracks that need to be edited
    2) Those are brought into the workflow by automator
    3) I am prompted to enter the text that I want to have entered and the field I wanted it to be placed into
    4) The desired text replaces the incorrect text in the fields as identified above.
    The first two steps seem to be already part of the Automator scripts but beyond that I am lost.
    Any help would be appreciated.
    Scott

    Scott,
    You might want to try the following and see how far it goes towards meeting your needs.
    1) Get Selected iTunes Items
    2) Set Info of iTunes Songs - with the Options set to Show Entire Action
    This last item will open up a dialog with either the selected items available for changing or all of them.

  • Can't play VCDs... newbie to Arch(and linux)

    bash-3.2# pacman -Q | grep cd
    cdparanoia 10.2-2           
    dhcpcd 4.0.7-1               
    kdemod-kdemultimedia-kscd 4.1.3-1
    libmpcdec 1.2.6-1               
    wicd 1.5.6-1
    bash-3.2# mplayer  vcd://1       
    MPlayer 1.0rc2-4.3.2 (C) 2000-2007 MPlayer Team
    CPU: Intel(R) Core(TM)2 Duo CPU     T5550  @ 1.83GHz (Family: 6, Model: 15, Stepping: 13)
    CPUflags:  MMX: 1 MMX2: 1 3DNow: 0 3DNow2: 0 SSE: 1 SSE2: 1                             
    Compiled with runtime CPU detection.                                                     
    Creating config file: /root/.mplayer/config                                             
    115 audio & 237 video codecs                                                             
    mplayer: could not connect to socket                                                     
    mplayer: No such file or directory                                                       
    Failed to open LIRC support. You will not be able to use your remote control.           
    Playing vcd://1.
    track 01:  adr=1  ctrl=4  format=2  00:02:00  mode: 1
    track 02:  adr=1  ctrl=4  format=2  00:09:15  mode: 1
    MPEG-PS file format detected.                       
    MPEG: No audio stream found -> no sound.             
    VIDEO:  MPEG1  352x288  (aspect 8)  25.000 fps    0.0 kbps ( 0.0 kbyte/s)
    No protocol specified                                                   
    vo: couldn't open the X11 display (:0)!                                 
    No protocol specified                                                   
    vo: couldn't open the X11 display (:0)!                                 
    VO XOverlay need a subdriver                                             
    [gl] using extended formats. Use -vo gl:nomanyfmts if playback fails.   
    No protocol specified                                                   
    vo: couldn't open the X11 display (:0)!                                 
    No protocol specified                                                   
    vo: couldn't open the X11 display (:0)!                                 
    No protocol specified                                                   
    vo: couldn't open the X11 display (:0)!                                 
    No protocol specified                                                   
    No protocol specified                                                   
    [VO_SDL] SDL initialization failed: No available video device.           
    Can't open /dev/fb0: No such file or directory                           
    [fbdev2] Can't open /dev/fb0: No such file or directory
    Vcds are the only multimedia content I am unable to play.
    an error occurred while processing ...vcd, the system responded:
    mount: I could not determine the filesystem type and none was specified.
    That is what Dolphin says when I attempt to mount it.
    /dev/cdrom /media/cdrom   auto    ro,user,noauto,unhide   0      0
    /dev/dvd /media/dvd   auto    ro,user,noauto,unhide   0      0
    /dev/sda1 /boot ext2 defaults 0 1
    /dev/sda2 / ext3 defaults 0 1
    /dev/sda5 swap swap defaults 0 0
    /dev/sda6 /home ext3 defaults 0 1
    That is my /etc/fstab. And I am added as a  member of the optical group.
    can someone help me here...?
    Last edited by jaydoc (2009-01-10 16:43:20)

    bash-3.2# pacman -Q | grep cd
    cdparanoia 10.2-2           
    dhcpcd 4.0.7-1               
    kdemod-kdemultimedia-kscd 4.1.3-1
    libmpcdec 1.2.6-1               
    wicd 1.5.6-1
    bash-3.2# mplayer  vcd://1       
    MPlayer 1.0rc2-4.3.2 (C) 2000-2007 MPlayer Team
    CPU: Intel(R) Core(TM)2 Duo CPU     T5550  @ 1.83GHz (Family: 6, Model: 15, Stepping: 13)
    CPUflags:  MMX: 1 MMX2: 1 3DNow: 0 3DNow2: 0 SSE: 1 SSE2: 1                             
    Compiled with runtime CPU detection.                                                     
    Creating config file: /root/.mplayer/config                                             
    115 audio & 237 video codecs                                                             
    mplayer: could not connect to socket                                                     
    mplayer: No such file or directory                                                       
    Failed to open LIRC support. You will not be able to use your remote control.           
    Playing vcd://1.
    track 01:  adr=1  ctrl=4  format=2  00:02:00  mode: 1
    track 02:  adr=1  ctrl=4  format=2  00:09:15  mode: 1
    MPEG-PS file format detected.                       
    MPEG: No audio stream found -> no sound.             
    VIDEO:  MPEG1  352x288  (aspect 8)  25.000 fps    0.0 kbps ( 0.0 kbyte/s)
    No protocol specified                                                   
    vo: couldn't open the X11 display (:0)!                                 
    No protocol specified                                                   
    vo: couldn't open the X11 display (:0)!                                 
    VO XOverlay need a subdriver                                             
    [gl] using extended formats. Use -vo gl:nomanyfmts if playback fails.   
    No protocol specified                                                   
    vo: couldn't open the X11 display (:0)!                                 
    No protocol specified                                                   
    vo: couldn't open the X11 display (:0)!                                 
    No protocol specified                                                   
    vo: couldn't open the X11 display (:0)!                                 
    No protocol specified                                                   
    No protocol specified                                                   
    [VO_SDL] SDL initialization failed: No available video device.           
    Can't open /dev/fb0: No such file or directory                           
    [fbdev2] Can't open /dev/fb0: No such file or directory
    Vcds are the only multimedia content I am unable to play.
    an error occurred while processing ...vcd, the system responded:
    mount: I could not determine the filesystem type and none was specified.
    That is what Dolphin says when I attempt to mount it.
    /dev/cdrom /media/cdrom   auto    ro,user,noauto,unhide   0      0
    /dev/dvd /media/dvd   auto    ro,user,noauto,unhide   0      0
    /dev/sda1 /boot ext2 defaults 0 1
    /dev/sda2 / ext3 defaults 0 1
    /dev/sda5 swap swap defaults 0 0
    /dev/sda6 /home ext3 defaults 0 1
    That is my /etc/fstab. And I am added as a  member of the optical group.
    can someone help me here...?
    Last edited by jaydoc (2009-01-10 16:43:20)

  • Im a newbie in java and i need help. im a student

    im an I.T student in Adamson University here in the philippines i went here to ask help about our activity in school about java. our professor told us to make a program in java (btw were using netbeans) that will ask the user his birth year and then the output will tell the zodiac sign of the year entered. she told us (our prof) to make it using showInputDialog. and then to show the output we must use the JOptionPane.showMessageDialog.
    i try to do it but i found myself in trouble bcoz im new in java.
    i try to to it and here's what i did
    import javax.swing.JOptionPane;
    public class Zodiac;
    public static void main(String args[])
    String name=JOptionPane.showInputDialog("Enter your year of birth?");
    String message=String.format("Your zodiac sign is tiger");
    JOptionPane.showMessageDialog(null,message);
    i knew that i need to use conditional statements here but i dont know where to put it and how to declare the JOptionPane.etc.
    pls help me asap im a newbie.

    as you wish heres what i did. this is not a gui version
    * To change this template, choose Tools | Templates
    * and open the template in the editor.
    package marlonestipona;
    * @author ESTIPONA
    import java.util.Scanner;
    public class Main {
    public static void main(String[] args) {
    Scanner input = new Scanner(System.in);
    int yr1;
    String tgr ="Tiger";
    String dog ="Dog";
    String rbt ="Rabbit";
    String ox ="Ox";
    String drgn ="Dragon";
    String rat ="Rat";
    String pig ="Pig";
    String rst ="Rooster";
    String hrs ="Horse";
    String shp ="Sheep";
    String mky ="Monkey";
    String snk ="Snake";
    System.out.print("Enter your birth year: ");
    yr1=input.nextInt();
    if (yr1==1974 || yr1==1986 || yr1==1998)
    System.out.printf("Your zodiac sign is %s!\n",tgr);
    }else if (yr1==1982 || yr1==1994 || yr1==2006){
    System.out.printf("Your zodiac sign is %s!\n",dog);
    }else if (yr1==1975 || yr1==1987 || yr1==1999){
    System.out.printf("Your zodiac sign is %s!\n",rbt);
    }else if (yr1==1973 || yr1==1985 || yr1==1997){
    System.out.printf("Your zodiac sign is %s!\n",ox);
    }else if (yr1==1976 || yr1==1988 || yr1==2000){
    System.out.printf("Your zodiac sign is %s!\n",drgn);
    }else if (yr1==1972 || yr1==1984 || yr1==1996){
    System.out.printf("Your zodiac sign is %s!\n",rat);
    }else if (yr1==1983 || yr1==1995 || yr1==2007){
    System.out.printf("Your zodiac sign is %s!\n",pig);
    }else if (yr1==1981 || yr1==1993 || yr1==2005){
    System.out.printf("Your zodiac sign is %s!\n",rst);
    }else if (yr1==1978 || yr1==1990 || yr1==2000){
    System.out.printf("Your zodiac sign is %s!\n",hrs);
    }else if (yr1==1971 || yr1==1991 || yr1==2003){
    System.out.printf("Your zodiac sign is %s!\n",shp);
    }else if (yr1==1980 || yr1==1992 || yr1==2004){
    System.out.printf("Your zodiac sign is %s!\n",mky);
    }else if (yr1==1977 || yr1==1989 || yr1==2001){
    System.out.printf("Your zodiac sign is %s!\n",snk);
    } else
    System.out.println("Invalid");
    now my problem is how to turn this whole code into gui using those dialog boxes.

  • Newbie at this and need help

    Hello,
    I am a complete newbie at this Itunes stuff and I have some very basic questions. If somebody would be willing to help me out I would appreciate it. So I have loaded Itunes on my PC. I then put in a cd that my friend burned a ton of songs on for me thinking that the CD would automatically appear in Itunes where then I could move it to my Itunes library. However the CD doesn't appear in Itunes and the only way I can play it is just through Windows Media. Any idea on how to get this to my Itunes library?
    In addition, sometimes when I try to play a song in Itunes it says that it can't find the file and asks if I want to locate it. I saved the burned CD in the Itunes folder on my computer but it still didn't seem to work. Any suggestions?
    Thanks for any help you can give.
    Chris

    I don't know much about CD not working problems, someone else will probably chip in.
    As a workaround while you are sorting it out, you can import tracks with Windows Media Player. You need to set the format to MP3 in the WMP options. On the latest version you have to click on Rip to find it. I don't remember where it is on the earlier version.
    Once you have imported the tracks find the name of the folder they are in, then open iTunes and click:
    File>Add folder to library
    Before you do this, you need to decide if you are happy to leave the tracks where they are or if you want to make a copy of them in the iTunes Music folder. You can set this in
    Edit>Preferences>Advanced>general
    There is a check box labled "Copy files to iTunes Music folder when adding to library.
    iTunes will work OK either way.
    On the CD thing - you should find "Run CD diagnostics" on the help menu - you could post the result here.
    (I am using Version 6.0.5 so things may not be quite the same on your version)

  • Next newbie fun - drag and drop

    Well after a very successful last posting - here goes again .... I'm trying to get the dragged images to appear in the box. But for some reason they're not appearing. As you can tell - I is still a newbie!
    Thanks
    <?xml version="1.0" encoding="utf-8"?>
    <mx:Application xmlns:mx="http://www.adobe.com/2006/mxml">
        <mx:Script>
            <![CDATA[
            import mx.controls.Image;  
            import mx.managers.DragManager;
            import mx.core.DragSource;
            private function dragIt(event:MouseEvent, value:uint):void
                // Get the drag initiator component from the event object.
                var dragInitiator:Image = event.currentTarget as Image;
                // Create a DragSource object - stores info about the drag data
                var dragSource:DragSource = new DragSource();
                // Add the data to the object.
                dragSource.addData(value, 'value');
                // Create a copy of the coin image to use as a drag proxy.
                var dragProxy:Image = new Image();
                dragProxy.source = event.currentTarget.source;
                // Call the DragManager doDrag() method to start the drag.
                DragManager.doDrag(dragInitiator, dragSource, event, dragProxy);
               private function preLetGo(event:MouseEvent):void
                   // Get the drop target component from the event object.
                   var dropTarget:VBox = event.currentTarget as VBox;
                // Accept it
                DragManager.acceptDragDrop(dropTarget);
            // Build new array based on what gets dragged over it
            private function letGo(event:MouseEvent):void
                var images:Array = [];
                var newImage:Image = new Image();
                newImage.source = event.currentTarget.source;
                images.push({img:newImage}); 
                content.dataProvider = images;
            ]]>
        </mx:Script>
        <mx:VBox>
            <mx:Image source="images/image1.jpg" mouseDown="dragIt(event,1);" />
            <mx:Image source="images/image2.jpg" mouseDown="dragIt(event,2);" />   
        </mx:VBox>
        <mx:VBox width="400" height="200" id="vbox" backgroundColor="#c0c0c0">
            <mx:Label text="Drop here" />
            <mx:List id="content" dragEnter="preLetGo(event);" dragDrop="letGo(event);" labelField="images" />
        </mx:VBox>
    </mx:Application>

    K-kOo, the List is not the target of the drag and drop, I believe UKuser27 wants the images to show up in the VBox, and for the list to be a tally of which images are now in the VBox.
    I could be wrong, but his AS is setting DragManager.acceptDragDrop(VBox(event.currentTarget)).
    UKuser27, with my assumptions above, I've redone your app to act as so.  Much like in Adobe's example at http://livedocs.adobe.com/flex/3/html/help.html?content=dragdrop_7.html you have to adjust the image's whereabouts.  In their example, they're moving an object already inside a Canvas, so they use the handler to update the xy coords.  In your case, you need to remove the image from the first VBox, and add it to the second one.  It will then show up under the List element (though I'm not sure why you'd want that).
    Here is my interpretation of what you wanted.  Even if it is not exactly what you want, should give you the right direction to move forward with:
    <?xml version="1.0"?>
    <!-- dragdrop\DandDImage.mxml -->
    <mx:Application xmlns:mx="http://www.adobe.com/2006/mxml">
        <mx:Script>
            <![CDATA[
                //Import classes so you don't have to use full names.
                import mx.managers.DragManager;
                import mx.core.DragSource;
                import mx.events.DragEvent;
                import flash.events.MouseEvent;
                import mx.controls.Alert;
                   private var imageList:Array = [];
                // The mouseMove event handler for the Image control
                // initiates the drag-and-drop operation.
                private function mouseMoveHandler(event:MouseEvent):void {               
                    var dragInitiator:Image=Image(event.currentTarget);
                    var ds:DragSource = new DragSource();
                    ds.addData(dragInitiator, "img");              
                    DragManager.doDrag(dragInitiator, ds, event);
                // The dragEnter event handler for the VBox container
                // enables dropping.
                private function dragEnterHandler(event:DragEvent):void {
                    if (event.dragSource.hasFormat("img")) {
                        DragManager.acceptDragDrop(VBox(event.currentTarget));
                // The dragDrop event handler for the VBox container
                // adds image to the target VBox
                private function dragDropHandler(event:DragEvent):void {
                     vbox.addChild(Image(event.dragInitiator));
                     // now update the List
                     imageList.push(Image(event.dragInitiator).source);
                     content.dataProvider = imageList;
            ]]>
        </mx:Script>
        <mx:VBox id="imgbox">
          <mx:Image id="myimg1" source="thebouv_bigger.gif" mouseMove="mouseMoveHandler(event);"/>
          <mx:Image id="myimg2" source="thebouv_bigger.gif" mouseMove="mouseMoveHandler(event);"/>
        </mx:VBox>
        <mx:VBox width="400" height="200"
             id="vbox"
             backgroundColor="#c0c0c0"
             dragEnter="dragEnterHandler(event)"
            dragDrop="dragDropHandler(event)">
            <mx:Label text="Drop here" />
            <mx:List id="content" dropEnabled="true"/>
        </mx:VBox>
    </mx:Application>

  • Premiere newbie would appreciate and be very happy for some "get-started" help

    Hi
    QUESTION 1
    I´m a complete newbie to premiere elements. I have imported some .mts files and some .avi files from my digital HD camera....when I create a project all available move clips appear in my project to become possible to drag into my project timeline ..BUT it´s only the .avi´s that are being presented with a "snapshot image" of the clip, all .mts movies are just presented with a blue-ish standard icon and this gives me a hard time knowing exactelly which clip I should pick without having to open the movie.
    I hope this is just a setting or can someone tell me why i cant spot an "image" representation from the .mts file to makes it easier to spot what the content of the file/s are ?
    QUESTION 2
    Can someone give me some words about how to best structure moveies and images on the file system and also "inside" elements. I have two physical disks, one large 1TB disk and one smaller 80 GB SSD disk. How should I think here...all media on the "slower" disk and only the premiere software on teh faster SSd disk ?
    QUESTION 3
    In the end, after editing movies, of course I would be able to present the material in the best format possible which I guess is blue-ray...but to be able to create a project that will make it possible to output a blue ray format, I have understood that I need to apply some sort of add on to my premiere installation, is that correct and if so - how can I do this and also from where do I get this add-on/plugin ?
    Based upon my camera files (.mts), I would like to use my PS3 to present the finished material, can you give me some sort of step by step guidance to how to setup the project. SHould I use the .mts files and edit these, or should I perhaps convert them to something else and then make my movie ?? As you can hear I´m pretty confused about all these formats and what to do to make the end result as good as it can get
    I´m not really sure about my initial recording either..I have a Canon HF10 recorder, and as far as I know to be able to get teh best quality for my "raw" material I need to use a format selection called "FXP" on the camera ? Does someone know if this is the best to use (perhaps a stupid question since i guess this will differ a lot between camera models perhaps) ?
    REALLY would appreciate help on these above questions to be able to know the starting point....
    Hope to get some answers that will help me up & running in a while...
    Thanks
    Helmut

    Hunt, thanks again for your answer, I will try to look into the organizer issue
    in other ways, thinking about looking into the books suggested by Steve..
    Something else I guess you can guide me through though is the different formats...jsut to mention, I basically dont know a thing about different movie formats, the only thing I know is that I have a HDdigital video recorder (Canon HF10) and that the files I copy across to my machine is of this .mts format...
    should I make another setting on my video camera to get another format of the files I record and the files I then transfer to my computer..remember I´m a total newbie so when you mention that you should have converted to HDV - this does not say me anything unfortunatelly....could you in any easy watell me the basic things I should know....when I created my project in premiere I was asked to select what kind of project settings I wanted to have...for this selection a number of different formats was possible and I jsut picked one of them basically wthout knowing what I was doing.....kind of frustrating since I want to make the best qualty output from my movies and also the edited output from premiere...
    Is it possible to give some easily understood intro and what small things I should always do......like when selecting the project "media" or what specific setting to check that are important on the video camera itself.....what is the best/highest quality format to work with/edit to get the best output from my finished medias etc
    Apprecite your help a lot
    Thanks
    Helmut

  • Newbie question – frame and cells resizing issues

    I am a newbie to ‘efficient web designing’. I
    have done previously simpler works.
    This is what I am trying to do this time. I am creating a
    modular web site where I will be using only one design layout(800 x
    600) and repeating that 3-4 times along the length of a single page
    and also in all the other pages on the website ( using same layout
    but different contents). The way I started is
    1) Created a design layout in Photoshop
    2) Created slices
    3) Saved all sliced images in image folder
    4) Created one large table 800x600 (size of a single layout
    module) in dreamweaver
    5) Created nested tables inside the main table, (based upon
    different cell divisions)
    6) Created cells in the tables corresponding to slice layout
    in the photoshop
    7) Inserted the sliced images in the corresponding cells to
    recreate my photosop layout in dreamweaver.
    8) The issue that I am having is that the cells are not
    getting to be the size of the images.
    SO HOW DO I MAKE MY CELLS FIT MY IMAGES. I tried putting the
    size of my sliced images in the property box of the cells but the
    cells just won’t become of that size. What is stopping them?
    What could I be doing wrong? Is my working method appropriate for
    what I want to achieve?
    Any help would be appreciated.

    Not really sure what you are trying to achieve... but
    creating an 800x600
    web page with Photoshop sliced images is not "efficient we
    designing"
    Everyone sets the size of their web browsers to a differant
    size depending
    on taste, visual accuity and the task at hand. Table cells
    are simply
    elastic containers. Think of them like a baloon. Small when
    you take it
    out of the bag but potentially really big with enough hot
    air.
    A cell will expand to fit whatever you put into it, but it
    starts out small.
    If you put a 200x200 slice of image as a background, you need
    to somehow set
    the size of the cell to 200x200, but if you put too much text
    in the cell,
    it will grow larger than 200x200 and leave your background
    either stranded
    with gaps around it or tiled and repeating itself.
    If you put the slices directly into the cells, make sure you
    have all
    padding, cell spacing, and margins set to 0. Now, you won't
    be able you put
    text over the image but you could use hot spots or just
    direct links from
    the image.
    Photoshop is an image editing program originally created for
    print
    applications. What you need to
    consider is creating you web site in a flexible format and
    augmenting your
    design with images editied in Photoshop.
    Best idea is get some books on html and css and learn what
    you can about web
    design, then add your graphics.
    "yamirb" <[email protected]> wrote in
    message
    news:[email protected]...
    >I am a newbie to ?efficient web designing?. I have done
    previously simpler
    > works.
    > This is what I am trying to do this time. I am creating
    a modular web site
    > where I will be using only one design layout(800 x 600)
    and repeating that
    > 3-4
    > times along the length of a single page and also in all
    the other pages on
    > the
    > website ( using same layout but different contents). The
    way I started is
    > 1) Created a design layout in Photoshop
    > 2) Created slices
    > 3) Saved all sliced images in image folder
    > 4) Created one large table 800x600 (size of a single
    layout module) in
    > dreamweaver
    > 5) Created nested tables inside the main table, (based
    upon different cell
    > divisions)
    > 6) Created cells in the tables corresponding to slice
    layout in the
    > photoshop
    > 7) Inserted the sliced images in the corresponding cells
    to recreate my
    > photosop layout in dreamweaver.
    > 8) The issue that I am having is that the cells are not
    getting to be the
    > size
    > of the images.
    >
    > SO HOW DO I MAKE MY CELLS FIT MY IMAGES. I tried putting
    the size of my
    > sliced
    > images in the property box of the cells but the cells
    just won?t become of
    > that
    > size. What is stopping them? What could I be doing
    wrong? Is my working
    > method
    > appropriate for what I want to achieve?
    >
    > Any help would be appreciated.
    >
    >

  • Newbie: Time-capsule and existing Netgear 834GT

    I have a Netgear 834GT supplied by my ISP but the firmware has been tweaked so that you cannot see the username and password it attaches to the internet as. The ISP T&Cs state that you must use their equipment to attach to the internet so using the time capsule to connect is not an option.
    I would like to use the time-capsule to backup my iMac to and use it for the iMAC to connect to the internet through it but via the Netgear 834GT (manually for now until I pluck up the courage to change to leopard!). I am hoping someone can help a newbie who does not understand how to connect these two to make it work, can anyone help? Does it have to be cabled or wireless?
    isp->netgear->time-capsule->iMac is how I see the connection working with cables between everything except to the iMac.
    Thanks for taking the time to read my question.
    Andy
    Message was edited by: AndyDUK

    AndyDUK wrote:
    I have a Netgear 834GT supplied by my ISP but the firmware has been tweaked so that you cannot see the username and password it attaches to the internet as. The ISP T&Cs state that you must use their equipment to attach to the internet so using the time capsule to connect is not an option.
    It's also not an option because Time Capsule does not have an integrated PPPoA DSL modem.
    I would like to use the time-capsule to backup my iMac to and use it for the iMAC to connect to the internet through it but via the Netgear 834GT (manually for now until I pluck up the courage to change to leopard!). I am hoping someone can help a newbie who does not understand how to connect these two to make it work, can anyone help? Does it have to be cabled or wireless?
    Either, just ensure that the Time Capsule is configured as a bridge ie not distribute IP addresses.
    isp->netgear->time-capsule->iMac is how I see the connection working with cables between everything except to the iMac.
    That will be fine.
    Thanks for taking the time to read my question.
    Andy
    Message was edited by: AndyDUK

  • Newbie - x3d (/VRML) and Java3d.....

    Dear all,
    I'm currently working on an x3d project in the world of academia; I have
    experience with various other languages, but I'm a complete newbie with x3d.
    Is it possible to build my x3d application on top of Java3d (/Java)??
    To me, it seems sensible to build all my proto's as Java3d objects and
    handle all my scripting within Java3d??
    I suppose my question is "How do Java3d and x3d work together?"
    (This question could just as easily be phrased - "How do Java and VRML fit
    together?")
    Any help would be much appreciated!
    Regards,
    Ben

    I have done NOTHING but VRML/X3D for the past 6
    months. It's definitely in bad shape.Although I've been coding x3d for 7 days (pretty much solidly!).....
    I agree with you completely on this one!!
    Todays bug:<?xml version="1.0" encoding="UTF-8"?>
    <!DOCTYPE X3D PUBLIC "ISO//Web3D//DTD X3D
              3.0//EN" "http://www.web3d.org/specifications/x3d-3.0.dtd">
    <X3D profile="Immersive">
       <Scene>
          <Script>
             <field name="test" type="SFVec2d" accessType="initializeOnly"/>
          </Script>
       </Scene>
    </X3D>Seems like perfectly valid code.....
    Unfortunately Octaga Professional (the only browser that sort of works! And retails @ $800!) crashes! It doesn't like SFVec2d or: MFVec2d, SFVec3f, MFVec3f!!! Complete pain!
    Things like this have taken be hours!! Things that should work don't!! Thus you have to debug to find the problem, find a workaround and hack it! And hacking it is not something that I ever do - although I don't see an alternative!
    Workaround:<!--
       START HACK
       Octaga fails to support Vectors as fields, this is a hack to allow Vector support.
       Hack design:
          Utilise the SFVec3f stored in Transform.translation
    -->
    <field name="velocity" type="MFNode" accessType="initializeOnly">
       <Transform translation="0 0 0"/>
       <Transform translation="0 0 0"/>
    </field>
    <!-- END HACK -->

  • [Solved] Programing Newbie Tools,Help and more.

    Hello
    I want to programming in C++ and Pascal language.
    I completly Newbie.
    And here's my question's:
    1.What I need tools,program's?
    2.Where to start?
    I search repo for C but there's too much packages and I search on forum too but no hits for C++.
    Thank's for help,advice,anything
    Last edited by SpeedVin (2009-08-14 15:20:02)

    SpeedVin wrote:Ok now I learn something about C++ and I have IDE - Geany.
    I think that I should write something but what?
    Do you have some proposition's for me , and something with guide
    For now I wat try only programming in C++
    Although this is not much of a suggestion, but in conjunction with whatever book or resource you decide to use, I would start off trying to adapt the programs that you are introduced to. Change things within the sample programs in your book and try to incorporate things that you have learned earlier. For example, if you are presented with a program that outputs multiples of 12 to an output file, try to change it so that the user can input any number they wish interactively, without having to recompile the code, and obtain a file containing the multiples of this number. You could even change the file name depending on the number the user enters.
    Start simple and work your way up. This way the basics will stay in your head while you tackle more advanced concepts, and it will hopefully make the task of learning C++ more interesting. It's how I learnt anyway...
    Hope that helps.

  • HI guys - a newbie at iPhone and i have questions that I would appreciate s

    am a newbie on iPhone. Came from Symbian OS, and so I miss a couple of things. The first is this:
    1. How come Apple (iTunes) doesn't sync Outlook Notes - I have solved the problem with Evernote, but is it so difficult to include Outlook Notes in the sync program ?
    2. A document viewer - Something we can use to keep documents (Word, XCel, PDF, PPT, etc) and not resort to use e-mail and internet to download the same thing over and over again ?
    3. Bluetooth - how come we can´t ear music on a wireless headset ? When will the iPhone Bluetooth upgrade (?) to a system that is being provided by all others (Nokia, HTC etc) ?
    4. The limit of sounds (only one without possibility of change) imposed on Calendar alarms, Voicemail, New Mail, Sent mail is LUDICROUS. When is this going to get fixed ?
    I will add to these gripes a positive footnote : I love the phone in general, the touch screen and the facility of use - the look, the feel and the quality is great as well.
    But for the complaints above, it's hard not to like other products...

    Delfim wrote:
    1. How come Apple (iTunes) doesn't sync Outlook Notes - I have solved the problem with Evernote, but is it so difficult to include Outlook Notes in the sync program ?
    We don't know. Maybe note syncing will appear in a future update.
    2. A document viewer - Something we can use to keep documents (Word, XCel, PDF, PPT, etc) and not resort to use e-mail and internet to download the same thing over and over again ?
    Again, we don't know. It could be because you can't edit a document on the iPhone so it may not be considered a priority to have a viewer. There is an app in the App Store that will allow you to save documents to the iPhone without having to use email.
    3. Bluetooth - how come we can´t ear music on a wireless headset ? When will the iPhone Bluetooth upgrade (?) to a system that is being provided by all others (Nokia, HTC etc) ?
    Again, Apple will need to enable the protocol. It could be because bluetooth uses a lot of battery that the protocol has not been enabled.
    But for the complaints above, it's hard not to like other products...
    The iPhone is not the best choice for everyone.

  • Newbie File Size and Sync issues

    Background:
    Premiere/AME newb
    MacBook Aluminum 2.4Ghz Core 2 Duo 4GB
    OSX 10.5.7
    Premiere 4.1, AME 4.1
    Source Files are screen recordings from iShowU app Quicktime, H.264, AAC 44.1Khz, 640X400, 2-10 frames per second (average size 1.5MB per 1:00 video)
    I am recording 'simple' training videos using a screen recording app called iShowU and then I need to do a few edits and combine video's in Premiere. These video's will be used in pdf's and online on our website.
    I setup a project in Premiere with settings:
    - Desktop editing Mode
    - Timebase 10 Frames per second
    - 640 X 400 frame size
    - Square Pixels
    - No Fields Progressive Scan
    - Display format Frames (only option)
    - Audio 44.1khz
    I make a few minor edits by cutting videos and ramping up the volume and then export a 5:00 video to AME with settings:
    - Quicktime
    - H.264
    - 100% Quality
    - 640 X 400
    - Frame Rate 10fps
    - Progressive Field Type
    - Square Pixels
    - Render at Max bit depth (tried this on and off)
    - Optimize Stills
    - Frame Reordering (tried this on and off)
    - Set bitrate to 1000 kbps
    - AAC 32k
    After export the audio is out of sync a second or two. I upgraded to the AME 4.1 which i thought was going to fix the sync issues but it didnt. If the syncing issue is caused by the settings im using i wouldnt be surprised.
    THe big issue is that my file sizes are really large (20+MB when I need 10MB or less). I did some edits before I reinstalled everything and before upgrading to AME 4.1 and the files were smaller then so I am sure I am doing something wrong now.
    Any suggestions on proper project or export settings to achieve good output for what I want to do would be much appreciated.
    Thanks very much in advance,
    Jason

    Thanks for the reply. I tried with that Optimize Stills option off and the file was still over 20MB.
    I found a workaround which is to export as another format such as F4v (11MB) and then I used HandBrake to re-encode it as mp4 (5.6MB).
    Obviously it would be nice if I didnt have to do that step though so hopefully we can track down the problem.
    J

Maybe you are looking for

  • Quicktime Wont Open! no error message

    Im operating on Windows XP but when i open quicktime it wont run it simply pops up for a secound and vanishes there is also no error message. This is also stoping me from running my itunes. I recently tired to to this in safe mode and it works there,

  • How to Swithch on Modification Assitance in Program

    Hi friends,    please let me know how to switch on modification assitance in my program.     pls help me out regarding that..   regards   devi

  • Oracle / JDBC Error when Returning values from an Insert

    I have a (oracle) table with a auto-incrementing id. From time to time I want to insert rows to this table, but want to be able to know what the pk of the newly inserted row is. One way I could do this is: SQL> variable var1 number; SQL> insert into

  • What can I upgrade in MacBook Pro (15-inch, Late 2008)? (RAM, processor, ssd)

    My MBP has been pretty sluggish, especially after Yosemite and I'm not ready to get a new one. Any help would be greatly appreciated!

  • Meterlized view Refreshtime problem

    Hi, I have an issue with my MATERIALIZED view refreshment. Server170 having schema "Afccv" with the table name " Tbl_voicechat". Server 169 having a db link name "SERVICEDB1" point to same server. MATERIALIZED view on server 169 DB user "smschat" wit