Certifying my RAC Env.  Need some pointers

Hi,
We are setting up a 4 node RAC system on Red Hat Linux 4 on a IBM Server. We knows this much.
Oracle RAC - 10gR2, Patch Level 4 (10.2.0.4)
Server - IBM X3950 M2 4-way Quad Core, Xeon 7350 2.93 FHz
Linux - Red Hat 4.
We are looking for what Kernel or requirements we need more for the Linux end of it? Any certain patches or updates or whatever for our RAC Env. Also the Oracle end of it as well.
Any help would be amazing.

We are looking for what Kernel or requirements we need more for the Linux end of it?
(+) You can get more info on Linux from Metalink RAC: Frequently Asked Questions "Note:220970.1" Platform Specific -- Linux.

Similar Messages

  • Need some pointers please :)

    Hi,
    I've been given an application which I have to modify to edit a 'raw' image, so far I have been able to implement the loading of the image, but I am stuck with editing it.
    The there are 3 classes to the application, rawimage, skelappipcanvas and skelappipframe.
    So far as to my understanding, the rawimage class loads the raw image into a pixel array and then converts it into an image which is then displayed on the canvas. The frame contains the menu.
    What I have to do is edit the picture, by manipulating the array, adding 5 to all values in the array for example. I understand that the best way to do that is to create a function and call that function when I select the menu option.
    My problem is that im not sure how to implement the editing of the array..any pointers would be greatly appreciated. I have posted the code below..sorry for the amount of text.
    RawImage Class:
    import java.awt.*;
    import java.awt.image.*;
    import java.awt.event.*;
    import java.util.*;
    import java.io.*;
    public class RawImage
    public int imWidth = 640; // default image width
    public int imHeight = 480; // default image height
    public int imDepth = 256; // default image depth
    public short rawPixelArray2D[][]; // array of image pixels
    // (to contain grey-scale bitmap)
    private Image dispIm; // display image
    private int imConvBuf[]; // buffer for converting between raw image bitmap and display image object
    // buffer entries are pixel colour values computed using colour model
    private ColorModel colMod = ColorModel.getRGBdefault(); //colour model of display image
    * Constructs and initialises a grey-scale image object
    * @param filename name of input file.
    * @since JDK1.1
    public RawImage(String filename)
    rawPixelArray2D = new short[imHeight][imWidth]; // create pixel array
    imConvBuf = new int[imHeight * imWidth];
    load(filename); // read data from file into raw bitmap array
    arrayToDispImage(); // convert raw bitmap into display image object
    * Constructs and initialises a grey-scale image object
    * @param rawGreyBitMap 2D array containing raw bitmap.
    * @param width width of 2D array.
    * @param height height of 2D array.
    * @since JDK1.1
    public RawImage(short rawGreyBitMap[][], int width, int height)
    rawPixelArray2D = rawGreyBitMap;
    imWidth = width;
    imHeight = height;
    imConvBuf = new int[imHeight * imWidth];
    arrayToDispImage(); // convert raw bitmap into display image object
    * Displays image
    * @param none.
    * @since JDK1.1
    public void display(Graphics gc)
    gc.drawImage(dispIm, 0, 0, null);
    * Loads image from file
    * @param filename name of input file.
    * @since JDK1.1
    public void load(String filename)
    // load pixel array from file
    try
    DataInputStream inputStream =
    new DataInputStream(new FileInputStream(filename));
    try
    // read each byte from binary file into raw bitmap
    for (int row = 0; row < imHeight; ++row)
    for (int col = 0; col < imWidth; ++col)
    rawPixelArray2D[row][col] = (short) inputStream.readUnsignedByte();
    catch(EOFException e)
    System.out.println("File shorter than expected. End of reading from file " + filename);
    inputStream.close();
    catch(FileNotFoundException e)
    System.out.println("Cannot find file " + filename);
    catch(IOException e2)
    System.out.println("Error reading input from file " + filename);
    * Saves image to file
    * @param filename name of input file.
    * @since JDK1.1
    public void save(String filename)
    // save pixel array to file
    try
    DataOutputStream outputStream =
    new DataOutputStream(new FileOutputStream(filename));
    // write each byte from raw bitmap into binary file
    for (int row = 0; row < imHeight; ++row)
    for (int col = 0; col < imWidth; ++col)
    outputStream.writeByte( (int) rawPixelArray2D[row][col] );
    outputStream.close();
    catch(IOException e)
    System.out.println("Error writing output to file " + filename);
    * Converts raw grey pixel array into display Image object
    * @param none.
    * @since JDK1.1
    private void arrayToDispImage()
    for (int row = 0; row < imHeight; row++)
    int colOffset = row * imWidth;
    for (int col = 0; col < imWidth; col++)
    imConvBuf[col + colOffset] =
    0xFF000000 | (rawPixelArray2D[row][col] << 16)
    | (rawPixelArray2D[row][col] << 8)
    | rawPixelArray2D[row][col];
    MemoryImageSource MemSource = new MemoryImageSource(imWidth, imHeight, colMod,
    imConvBuf, 0, imWidth);
    dispIm = Toolkit.getDefaultToolkit().createImage(MemSource);
    SkelAppIPCanvas class:
    import java.awt.*;
    import java.awt.event.*;
    import java.util.*;
    public class SkelAppIPCanvas extends Canvas
    private int xCanvasCentre = 0; // coordinates of centre of canvas
    private int yCanvasCentre = 0;
    private RawImage image = null; // image
    * Constructs and initialises a canvas object
    * @param none.
    * @since JDK1.1
    public SkelAppIPCanvas()
    super(); // call parent's constructor
    addListenersToCanvas(); // add event listeners
    * Adds listeners to canvas
    * @param none.
    * @since JDK1.1
    public void addListenersToCanvas()
    // add mouse listener
    addMouseListener( // use argument which is an object of an anonymous subclass of MouseAdapter
    new MouseAdapter()
    public void mousePressed(MouseEvent event)
    serviceMouseEvent(MouseEvent.MOUSE_PRESSED, event.getX(), event.getY());
    public void mouseClicked(MouseEvent event)
    serviceMouseEvent(MouseEvent.MOUSE_CLICKED, event.getX(), event.getY());
    public void mouseReleased(MouseEvent event)
    serviceMouseEvent(MouseEvent.MOUSE_RELEASED, event.getX(), event.getY());
    // add mouse motion listener
    addMouseMotionListener( // use argument which is an object of an anonymous subclass of MouseMotionAdapter
    new MouseMotionAdapter()
    public void mouseDragged(MouseEvent event)
    serviceMouseEvent(MouseEvent.MOUSE_DRAGGED, event.getX(), event.getY());
    public void mouseMoved(MouseEvent event)
    serviceMouseEvent(MouseEvent.MOUSE_MOVED, event.getX(), event.getY());
    // add key listener
    addKeyListener( // use argument which is an object of an anonymous subclass of KeyAdapter
    new KeyAdapter()
    public void keyPressed(KeyEvent event)
    // service keyboard event
    serviceKeyEvent(event);
    * Gets the coordinates of the centre of the canvas.
    * @param none.
    * @since JDK1.1
    public Point getCanvasCentre()
    updateCanvasCentre();
    return new Point(xCanvasCentre, yCanvasCentre);
    * Updates the coordinates of the centre of the canvas.
    * @param none.
    * @since JDK1.1
    public void updateCanvasCentre()
    Dimension canvasDimensions = getSize();
    xCanvasCentre = canvasDimensions.width / 2;
    yCanvasCentre = canvasDimensions.height / 2;
    * |
    * PAINT MESSAGE SERVICING |
    * |
    // CUSTOMISE THE "TO DO" COMMENTS AS APPROPRIATE
    * Updates canvas area.
    * @param graphicsContext a Graphics object.
    * @since JDK1.1
    public void paint(Graphics graphicsContext)
    // Display currently loaded image
    if (image != null)
    image.display(graphicsContext);
    * |
    * "ARROW KEYS" SERVICING |
    * |
    // CUSTOMISE THE "TO DO" COMMENTS AS APPROPRIATE
    * Services "arrow keys" events (NOTE: for some reason the key listener gets
    * decoupled from the canvas object after the window has been minimised.)
    * @param event a key-event object.
    * @since JDK1.1
    public void serviceKeyEvent(KeyEvent event)
    switch(event.getKeyCode())
    case KeyEvent.VK_UP:
    // TO DO: service up-key as approriate
    break;
    case KeyEvent.VK_LEFT:
    // TO DO: service left-key as approriate
    break;
    case KeyEvent.VK_DOWN:
    // TO DO: service down-key as approriate
    break;
    case KeyEvent.VK_RIGHT:
    // TO DO: service right-key as approriate
    break;
    default:
    // TO DO: service "all-other-keys" as approriate
    break;
    * |
    * MOUSE SERVICING |
    * |
    // CUSTOMISE THE "TO DO" COMMENTS AS APPROPRIATE
    * Services mouse events.
    * @param eventID ID of mouse event.
    * @param xMousePosition x coordinate of cursor at occurence mouse event.
    * @param yMousePosition y coordinate of cursor at occurence mouse event.
    * @since JDK1.1
    public void serviceMouseEvent(int eventID, int xMousePosition, int yMousePosition)
    switch(eventID)
    case MouseEvent.MOUSE_CLICKED:
    // TO DO: service MOUSE_CLICKED as approriate
    break;
    case MouseEvent.MOUSE_DRAGGED:
    // TO DO: service MOUSE_DRAGGED as approriate
    break;
    case MouseEvent.MOUSE_PRESSED:
    // TO DO: service MOUSE_PRESSED as approriate
    break;
    case MouseEvent.MOUSE_RELEASED:
    // TO DO: service MOUSE_RELEASED as approriate
    break;
    case MouseEvent.MOUSE_MOVED:
    // TO DO: service MOUSE_MOVED as approriate
    break;
    default:
    // TO DO: service "all-other-mouse-states" as approriate
    break;
    * Loads image from file.
    * @param filename name of the file.
    * @since JDK1.1
    public void loadRawImage(String filename)
    image = new RawImage(filename); // load raw image from file
    repaint(); // trigger a screen refresh for displaying image just loaded
    * Saves image to file.
    * @param filename name of the file.
    * @since JDK1.1
    public void saveRawImage(String filename)
    // save raw image to file
    image.save(filename);
    SkelAppIPFrame class:
    import java.awt.*;
    import java.awt.event.*;
    public class SkelAppIPFrame extends Frame
    // drawing area
    private SkelAppIPCanvas displayCanvas;
    // menu items
    private MenuItem fileOpen, saveAs, exitApp,
    /* VARIABLES FOR STUDENT MENUS */
    studentMenu1_1, studentMenu1_2, studentMenu1_3, studentMenu1_4,
    studentMenu2_1_1, studentMenu2_1_2, studentMenu2_1_3,
    studentMenu2_2_1, studentMenu2_2_2;
    /* END OF VARIABLES FOR STUDENT MENUS */
    //image
    private RawImage image = null;
    * Creates a window
    * @param commandArgs command line arguments for application.
    * @since JDK1.1
    public static void main(String [] commandArgs)
    new SkelAppIPFrame();
    * Constructs a window (frame + canvas + menu)
    * @param none.
    * @since JDK1.1
    public SkelAppIPFrame()
    // set frame title
    super("IP Programming Framework");
    // add window listener
    addWindowListenerToFrame();
    // add menu
    addMenu();
    // set frame size
    Dimension screenDimensions = getToolkit().getScreenSize();
    setSize(screenDimensions.width, screenDimensions.height);
    // add canvas in centre of frame
    displayCanvas = new SkelAppIPCanvas();
    add("Center", displayCanvas);
    // show frame
    show();
    * Gets the name of the input file entered by the user.
    * @param none.
    * @since JDK1.0
    private String getInputFileName()
    return getFileName("File Open", FileDialog.LOAD);
    * Gets the name of the output file entered by the user.
    * @param none.
    * @since JDK1.0
    private String getOutputFileName()
    return getFileName("File Save", FileDialog.SAVE);
    * Gets the name of the input or output file entered by the user.
    * @param title a string specifying the title of the dialog box.
    * @param mode an integer specifying the mode (file open or save dialog box).
    * @since JDK1.0
    private String getFileName(String title, int mode)
    FileDialog fileDlg = new FileDialog(this, title, mode);
    fileDlg.setDirectory("");
    fileDlg.setFile("");
    fileDlg.show();
    String folderName = fileDlg.getDirectory();
    String fileNameBuffer = fileDlg.getFile();
    String fileName = null;
    // get file name if it has been specified by user
    if (fileNameBuffer != null)
    fileName = folderName + fileNameBuffer;
    return fileName;
    * Adds a window listener to the window frame
    * @param none.
    * @since JDK1.1
    public void addWindowListenerToFrame()
    addWindowListener( // use argument which is an object of an anonymous subclass of WindowAdapter
    new WindowAdapter()
    public void windowClosing(WindowEvent e)
    System.exit(0);
    * Adds a menu to the window frame
    * @param none.
    * @since JDK1.1
    public void addMenu()
    // create and set menu bar
    MenuBar frameMenuBar = new MenuBar();
    setMenuBar(frameMenuBar);
    // create pull-down menu and attach to menu bar
    Menu fileMenu = new Menu("File");
    frameMenuBar.add(fileMenu);
    // create menu items for "File" pull-down menu
    fileOpen = new MenuItem( "Open ...", new MenuShortcut(KeyEvent.VK_O) );
    saveAs = new MenuItem( "Save As ...", new MenuShortcut(KeyEvent.VK_S) );
    exitApp = new MenuItem( "Exit", new MenuShortcut(KeyEvent.VK_X) );
    // attach menu items to pull-down menu
    fileMenu.add(fileOpen);
    fileMenu.addSeparator();
    fileMenu.add(saveAs);
    fileMenu.addSeparator();
    fileMenu.add(exitApp);
    // create menu-action listener, and add it to each menu item
    SkelApp2DGMenuDispatcher menuListener = new SkelApp2DGMenuDispatcher();
    fileOpen.addActionListener(menuListener);
    saveAs.addActionListener(menuListener);
    exitApp.addActionListener(menuListener);
    * |
    * MENUS |
    * |
    // STRINGS THAT WILL APPEAR ON THE MENU
    // TODO: CUSTOMISE THE TEXT BETWEEN DOUBLE QUOTES AS APPROPRIATE
    String studentMenu1Label = "Menu 1",
    studentMenu1_1Label = "lighten",
    studentMenu1_2Label = "Your Menu 1.2",
    studentMenu1_3Label = "Your Menu 1.3",
    studentMenu1_4Label = "Your Menu 1.4",
    studentMenu2Label = "Student Menu 2",
    studentMenu2_1Label = "Your Menu 2.1",
    studentMenu2_1_1Label = "Your Menu 2.1.1",
    studentMenu2_1_2Label = "Your Menu 2.1.2",
    studentMenu2_1_3Label = "Your Menu 2.1.3",
    studentMenu2_2Label = "Your Menu 2.2",
    studentMenu2_2_1Label = "Your Menu 2.2.1",
    studentMenu2_2_2Label = "Your Menu 2.2.2";
    // END OF MENU STRINGS
    // create pull-down menus and attach to menu bar
    Menu studentMenu1 = new Menu(studentMenu1Label);
    Menu studentMenu2 = new Menu(studentMenu2Label);
    frameMenuBar.add(studentMenu1);
    frameMenuBar.add(studentMenu2);
    // create menu items for <studentMenu1> pull-down menu
    studentMenu1_1 = new MenuItem( studentMenu1_1Label, new MenuShortcut(KeyEvent.VK_U) );
    studentMenu1_2 = new MenuItem( studentMenu1_2Label, new MenuShortcut(KeyEvent.VK_V) );
    studentMenu1_3 = new MenuItem( studentMenu1_3Label, new MenuShortcut(KeyEvent.VK_W) );
    studentMenu1_4 = new MenuItem( studentMenu1_4Label, new MenuShortcut(KeyEvent.VK_X) );
    // create cascading menus for <studentMenu2> pull-down menu
    Menu studentMenu2_1 = new Menu(studentMenu2_1Label);
    Menu studentMenu2_2 = new Menu(studentMenu2_2Label);
    // create menu items for <studentMenu2 | studentMenu2_1> cascaded menu
    studentMenu2_1_1 = new MenuItem( studentMenu2_1_1Label, new MenuShortcut(KeyEvent.VK_R) );
    studentMenu2_1_2 = new MenuItem( studentMenu2_1_2Label, new MenuShortcut(KeyEvent.VK_S) );
    studentMenu2_1_3 = new MenuItem( studentMenu2_1_3Label, new MenuShortcut(KeyEvent.VK_T) );
    // attach menu items to <studentMenu2 | studentMenu2_1> cascaded menu
    studentMenu2_1.add(studentMenu2_1_1);
    studentMenu2_1.add(studentMenu2_1_2);
    studentMenu2_1.add(studentMenu2_1_3);
    // create cascading menus for <studentMenu2 | studentMenu2_2> cascaded menu
    studentMenu2_2_1 = new MenuItem( studentMenu2_2_1Label, new MenuShortcut(KeyEvent.VK_H) );
    studentMenu2_2_2 = new MenuItem( studentMenu2_2_2Label, new MenuShortcut(KeyEvent.VK_N) );
    // attach menu items to <studentMenu2 | studentMenu2_2> cascaded menu
    studentMenu2_2.add(studentMenu2_2_1);
    studentMenu2_2.add(studentMenu2_2_2);
    // attach menu items and cascaded menus to pull-down menus
    studentMenu1.add(studentMenu1_1);
    studentMenu1.add(studentMenu1_2);
    studentMenu1.add(studentMenu1_3);
    studentMenu1.add(studentMenu1_4);
    studentMenu2.add(studentMenu2_1);
    studentMenu2.add(studentMenu2_2);
    // add action listener for menu items
    studentMenu1_1.addActionListener(menuListener);
    studentMenu1_2.addActionListener(menuListener);
    studentMenu1_3.addActionListener(menuListener);
    studentMenu1_4.addActionListener(menuListener);
    studentMenu2_1_1.addActionListener(menuListener);
    studentMenu2_1_2.addActionListener(menuListener);
    studentMenu2_1_3.addActionListener(menuListener);
    studentMenu2_2_1.addActionListener(menuListener);
    studentMenu2_2_2.addActionListener(menuListener);
    * Defines menu dispatcher (as an inner class)
    * @since JDK1.1
    class SkelApp2DGMenuDispatcher implements ActionListener
    * Receives menu-selection events and forwards them for servicing.
    * @param event an event.
    * @since JDK1.1
    public void actionPerformed(ActionEvent event)
    if ( event.getSource() instanceof MenuItem )
    MenuItem menuItemObject = (MenuItem) event.getSource();
    serviceMenuEvent(menuItemObject);
    * Services menu-selection event.
    * @param menuItemObject a MenuItem object.
    * @since JDK1.1
    public void serviceMenuEvent(MenuItem menuItemObject)
    * |
    * MENU SERVICING |
    * |
    // CUSTOMISE THE "TO DO" COMMENTS AS APPROPRIATE
    if (menuItemObject == fileOpen)
    String fileName = null;
    // launch file-open dialog box and load file if file name has been specified
    if ( ( fileName = getInputFileName() ) != null )
    // load image from file
    displayCanvas.loadRawImage(fileName);
    else if (menuItemObject == saveAs)
    String fileName = null;
    // launch file-save dialog box and save file if file name has been specified
    if ( ( fileName = getOutputFileName() ) != null )
    // save image to file
    displayCanvas.saveRawImage(fileName);
    else if (menuItemObject == exitApp)
    System.exit(0); // confirmation message box not implemented
    else if (menuItemObject == studentMenu1_1)
    // TO DO: ADD RELEVANT MENU SERVICING CODE HERE
    // FOR <studentMenu1_1>
    System.out.println("test");
    else if (menuItemObject == studentMenu1_2)
    // TO DO: ADD RELEVANT MENU SERVICING CODE HERE
    // FOR <studentMenu1_2>
    else if (menuItemObject == studentMenu1_3)
    // TO DO: ADD RELEVANT MENU SERVICING CODE HERE
    // FOR <studentMenu1_3>
    else if (menuItemObject == studentMenu1_4)
    // TO DO: ADD RELEVANT MENU SERVICING CODE HERE
    // FOR <studentMenu1_4>
    else if (menuItemObject == studentMenu2_1_1)
    // TO DO: ADD RELEVANT MENU SERVICING CODE HERE
    // FOR <studentMenu2_1_1>
    else if (menuItemObject == studentMenu2_1_2)
    // TO DO: ADD RELEVANT MENU SERVICING CODE HERE
    // FOR <studentMenu2_1_2>
    else if (menuItemObject == studentMenu2_1_3)
    // TO DO: ADD RELEVANT MENU SERVICING CODE HERE
    // FOR <studentMenu2_1_3>
    else if (menuItemObject == studentMenu2_2_1)
    // TO DO: ADD RELEVANT MENU SERVICING CODE HERE
    // FOR <studentMenu2_2_1>
    else if (menuItemObject == studentMenu2_2_2)
    // TO DO: ADD RELEVANT MENU SERVICING CODE HERE
    // FOR <studentMenu2_2_2>
    }

    Recommendations include:
    * Use code tags when posting code. No one likes to look at unformatted code. To do this, either highlight your code block and press the "code" button at the top above the message block or place the tag &#91;code&#93; at the top of your block of code and the tag &#91;/code&#93; at the bottom, like so:
    &#91;code&#93;
       // your code block goes here
    &#91;/code&#93;* Post a much smaller amount of code. I seriously doubt that anyone will look at your code given its length.
    * But still if possible, have your posted code be compilable and able to demonstrate your problem. This is called an SSCCE and you can read up on it here:
    http://homepage1.nifty.com/algafield/sscce.html
    Question: Why are you using AWT components and not Swing?

  • I need some pointers debugging my website

    Hi,
    I've nearly finished my first website (yippee). However, I
    uploaded it and found that when I click on some of my links,
    whether it's some of my images or links to PDF files, they jump out
    of the way or refuse to open! I would really appreciate some help
    with this, since I'm a bit of a novice!
    http://www.barryallanscott.com/new/
    I'm not sure, but I don't think it's anything I've done
    wrong. I was reading a manual for some help. Oh, it's Dreamweaver
    8.0.2 I'm using.
    Any pointers you could give me would be helpful, whether it's
    the overall design or fixing the issues I mentioned. The site works
    best in safari right now, but I'd obviously like to optimize it for
    as many browsers as possible!
    Thank you for your time!

    You have a second DOCTYPE declaration just below your
    imagemap
    "barrybadfingers" <[email protected]> wrote
    in message
    news:f1b1ln$esv$[email protected]..
    > Hi,
    >
    > I've nearly finished my first website (yippee). However,
    I uploaded it
    > and
    > found that when I click on some of my links, whether
    it's some of my
    > images or
    > links to PDF files, they jump out of the way or refuse
    to open! I would
    > really appreciate some help with this, since I'm a bit
    of a novice!
    >
    >
    http://www.barryallanscott.com/new/
    >
    > I'm not sure, but I don't think it's anything I've done
    wrong. I was
    > reading
    > a manual for some help. Oh, it's Dreamweaver 8.0.2 I'm
    using.
    >
    > Any pointers you could give me would be helpful, whether
    it's the overall
    > design or fixing the issues I mentioned. The site works
    best in safari
    > right
    > now, but I'd obviously like to optimize it for as many
    browsers as
    > possible!
    >
    > Thank you for your time!
    >

  • Need Some Pointers for adapter development

    All,
       Can you point me some starting point, to write a adapter? We are using Adapter module to do SFTP(FTP over SSH) and trying to change it as a separete adapter.
    Thank you
    Ganges Leaves

    Hi,
    there's a sample adapter shipped with the XI
    /people/gowtham.kuchipudi2/blog/2006/01/04/testing-sample-adapter
    you can have a look at it
    but you don't always need an adapter module
    if you use it sor only a few interfaces you can do it much easier with a java proxy for instance
    Regards,
    michal

  • Need some pointers getting video from iPhone 4S to iMovie09

    Based on my research in this forum either of these methods should work, but they're not working for me.  If you have any advice on debugging the problem it would be greatly appreciated!
    I took video with the 4S and see that it's in the Camera Roll.
    First problem: I plug the 4S into my MacBook, open iMovie, and click on the camera icon.  The 4S is not recognized - the only camera that appears is "Built-in iSight".
    Second problem: importing via iPhoto.  So next I connect the phone, open iPhoto, and import the video.  Within iPhoto it clearly shows up as a new event and as last import.  I can play it there.  Now when I open iMovie, in the Event Library I see "iPhoto Videos" but when I click on it I'm told that there are no matching videos.  The "show" is set to all clips.  So there is some sort of mismatch between where iPhoto is putting the video and where iMovie expects it.  Any thoughts on what settings I can check?  I've been looking around with no success.
    Right now the only way I can use 4S video in iM is to use a different transfer mechanism (i use Nikon Transfer) to get the .mov file onto my machine, then import this file.  Not the ideal scenario!  I've also found that with vertical video I have to import as full original size, otherwise the video comes in as a stretched horizontal format.
    Thanks!

    If the photos/videos have not been deleted from your iPhone, try using the Image Capture application for the import to see if there is any difference.

  • New DSLR owner (70D), need some pointers

    Hi all, I'm new to the forum and am trying to learn as much as possible about my new 70D. I just have a few questions I was hoping I could get answered.
    1. Should I always be shooting in RAW mode? I want the best possible images...
    2. Should I always try to be using the lowest ISO possible?
    3. What lense would you recommend as a prime? I have two kit lenses but am looking for something that would be good at everything (landscapes, portraits, etc.)
    I'm sure I'll think of more but if I could get any responses on these I'd surely appreciate it!
    Thanks

    1) Yes, but then you have to learn post processing and need a bigger HDD to store your images.
    2) Yes, whenever possible. But don't be afraid to pump up ISO in lower light situation to keep desired shutter speed or aperture. Newer camera is pretty good with high ISO.
    3)There is no such thing. Generally, people use Wide angle lens for landscapes and mid-tele for Portrait. You don't have to get Prime, you can settle for zoom L-lens. They're much better then the kit lens and may fit your requirement better than prime.
    Weekend Travelers Blog | Eastern Sierra Fall Color Guide

  • I am a first time mac user, need some pointers?

    Hello, I'm Cheryl A
    I study Graphic Design at home. I have only been on the Mac Book Pro for two weeks.
    I was using two computers but was told by ATT that their towers were not strong enough
    for me to use both. So I turn off the Dell and use the Mac for 4 hours at school. Now I have
    on the Dell Lightroom 4 and all of the Adobe products from another school, how do I access
    all of lightroom when I already have it on the Mac ( I have Photoshop, Adobe Illustrator and Indesign.
    Help.
    Oh I forgot one more thing, today I rapped up the Dell and only using the mac book. But I did use the WD Passport
    and saw that all of the work I had on the dell was on the passport, so should I load these on, or wait until
    my appointment next week with apple.
    I understand, that whatever happens to this computer I have to pay for myself.
    Can someone with lots of experience and Help get back at me, if not then I will wait until I go back to the school
    to see what they tell me.
    <Email Edited by Host>

    Welcome to Apple Support Communities
    The process to transfer your files from an external drive to your MacBook Pro is pretty easy with Migration Assistant, so you can do it yourself.
    Connect the external drive (your Western Digital external drive), open Migration Assistant (in /Applications/Utilities) and follow its steps. It will allow you to choose what files you want to transfer, and it will create a new user account with the transferred data. For detailed steps > http://pondini.org/OSX/MigrateLion.html
    Also, as you are a new user and if you feel you do not know how to use OS X, have a look at Mac Basics articles and videos > http://www.apple.com/support/mac-basics

  • Business Analyst in BI domain and would like some pointers..

    Hi
    I'm new to the world of Business Analyst in BI domain and would like some pointers..
    - What/who is Business Analyst in Business Intelligence / Analytics and what are the roles and responsibilities?
    - What key skills/background/knowledge is needed to succeed in this area?
    - How does a workday day of BA in BI domain look like?
    Please point to study resources on this topic
    Thanks in advance to the experts.
    Best,
    DeepB

    try Attending this free webinar by Rishikesh Vakula, a seasoned Project Manager and business  analyst , with more than 13 years of experience in various domains, to include, Defense, Telecommunications, E Commerce, Government And Banking & Financial to understand the future of BI
    Please register here - http://www.corp-corp.com/blog/it-business-analysis/?aid=orbacceforum
    Wednesday, August 24, 2011 - 06.00 u2013 7.00 P.M EST
    Webinar Highlights
    u2022     Expectations from Todayu2019s IT Business Analyst
    u2022     Waterfall Vs Agile Business Analysis
    u2022     Artifacts from an IT Business Analyst
    u2022     Introduction to IT Project Scope and Scope Management
    u2022     Domain Modelling & Requirement Gathering
    u2022     Practical aspect of Requirement Gathering

  • Need some help w/ home network!

    Hi, Ive been at this for three days now and ive finaly given in!
    *sighs*
    I need some help....
    Ive got a Linksys WRT54G v5 with two computers connecting to the internet through it. (both connect w/out incident, and the wireless is secured)
    One computer is connected to the router with an Ethernet wire -
    The other computer is connected to the router through its wireless adapter -
    What my goal was, was to network the two computers together and share things between them. I was ultimatley going for was the ability to connect from either machine, and control the other one (if Im correct, I would use Remote Desktop Connection?)
    Now ive read and tried some many things ranging from VPN, portforwards, so on and so....
    Can this type of network be created? Im I being to ambisious with my goals as far as some type of remoted control? Please help, im so lost...

    blanchardg wrote:
    Hi, Ive been at this for three days now and ive finaly given in!
    *sighs*
    I need some help....
    Ive got a Linksys WRT54G v5 with two computers connecting to the internet through it. (both connect w/out incident, and the wireless is secured)
    One computer is connected to the router with an Ethernet wire -
    The other computer is connected to the router through its wireless adapter -
    What my goal was, was to network the two computers together and share things between them. I was ultimatley going for was the ability to connect from either machine, and control the other one (if Im correct, I would use Remote Desktop Connection?)
    Now ive read and tried some many things ranging from VPN, portforwards, so on and so....
    Can this type of network be created? Im I being to ambisious with my goals as far as some type of remoted control? Please help, im so lost...
    Remote control of a networked computer in your home? Why? Share the folders that hold information/data and leave it to that.
    I use a version of Symantec's PCAnywhere to remotely control a computer in my office from my home. That's because I live 7 miles away from my office. I get lazy, so remote control is my answer.
    A+ Certified, over 15 years of hands on computer and home networking experience...and I still get lost!

  • How to make an app auto relaunch if it quits - need some advice....

    Hi all,
    I came across this bit of advice regarding creating a script (I think) that will tell a specific app to relaunch if it unexpectedly quits: http://www.macworld.com/article/57451/2007/04/autorestart.html
    It gives instructions using a program called "Lingon", but this appears to be an earlier version, because the latest version I've downloaded for Leopard seems to have different options. Despite this I've tried to work around the instructions but am failing it appears.
    I am not experienced in this area and would appreciate someone giving me some pointers int he right direction, as I believe this potentially a simple thing to do.
    In Lingon you have 3 main windows:
    In Window 1 I have: "com.jamiemartin.C4DServerLauncher"
    In Window 2 I have: "/Applications/MAXON/CINEMA\ 4D\ R9/C4D\ Server"
    In Window 3 I have: "Run it every 1 minute"
    The reson I have selected "Run it every 1 minute" in section 3 is that I have multipled crash logs for the C4D Server app, so don't know which one to select for the program to recognise the file being modified (when it unexpectedly quits) as is in the original instructions. I assumed this would be a workaround?
    Also, what do I do after I have saved this? Do I have to leave Lingon open for it to work, or has it saved this script somewhere?
    So, I am probably way off the mark, but if anyone can put me back on track I'd greaty appreciate it.
    Thank you in advance. Jme

    frankiej60 wrote:
    OS info updated. Hadn't noticed it wasn't up to date.
    Thanks for the guidance V.K. I did restart the computer (twice) but to no avail - it didn't do anything. And yes, you're right about the possibility of it being the frontmost app every minute being potentially annoying! Hadn't considered that. I didn't follow the original instructions of selecting a crash log as the file to check, as I assume that that wouldn't work, as whenever the app crashes it creates a new crash log instead, so it would, in theory, never recognise a change in the script (as it would be looking at the previous crash log), and thus never realise the app has quit? Or have I got that wrong?
    I'm not sure how the logs are filed. I assumed that the author of that macworld article checked it out and the crash logs are appended to a fixed file. if a new log file is created every time this will of course not work. the alternative is to have the launch daemon watch the whole crash reporter folder instead of a single file. this way the application in question will launch every time ANY application crashes but that seems like an acceptable workaround.
    Also, I notice the instructions say that you need to go deeper than selecting just the app itself, but delve into the package contents, but on this version of Lingon I don't have that option.
    yes it does and you have to do as the article says. in fact this has nothing to do with Lingon at all. we are talking about the application you are watching not Lingon. control-click on the application you are watching and select "show package contents". go to Contents->Mac OS and drag the unix executable file to filed 2 in Lingon.
    Is this the root of the problem for it not working for me?
    yes.
    Also, where does it store this script once I've saved it?
    in ~/Library/LaunchAgents. ~ means your home directory.
    Thanks again in advance. It's a steep learning curve for me!
    Jme
    Message was edited by: V.K.

  • I need some information about drivers

    Hi all, I am developing an acquisition data system for biomedical
    signals and I need to transmit this data from my hardware to PC using the
    USB port. For this, I am writing a device driver for Windows 98 that receive
    data and put it in a memory buffer. I have a VI which graphs this data in
    LabView 5.0. The problem is that I don´t know to use this driver in LabView.
    For now, I think to use a "code interface node" with code writen in C or a
    "call library function" with a DLL. But I need some help with the "code
    interface node" because this VI don´t use a .c file. Shortly, I apreciate
    some help with this VI or some idea for use the USB port in LabView. Thanks.
    Tomás

    In <2j_j3.1889$[email protected]> =?iso-8859-1?B?VG9t4XMgU3XhcmV6?= writes:
    > Hi all, I am developing an acquisition data system for biomedical
    >signals and I need to transmit this data from my hardware to PC using the
    >USB port. For this, I am writing a device driver for Windows 98
    ^^^^^^ ^^^^^^ ^^^^^^^ ^^
    That's not a trivial step. I would write a small C/C++ program that
    exercises your driver (for robustness) just to be sure it's working
    right first without crashing your system.
    >The problem is that I don't know to use this driver in LabView.
    >For now, I think to use a "code interface node" with code writen in C or a
    >"call library function" with a DLL.
    That's correct. _After_ you got your C/C
    ++ test program (and USB
    driver) above working, then you can convert this little test program
    into a DLL or CIN, which can interface with LabView. A DLL might be
    easier (slightly) to write, but the CIN will work faster with LabView
    and can be designed to be reentrant. The Code Interface Reference
    Manual should guide you. Remember, this is a task for an _experienced_
    C programmer. You'll need to use handles to pointers into all your
    dynamic arrays and such passed into LabView.
    After you got your CIN or DLL written, you can use a special CIN
    function node to "link" (or bind) your CIN object into LabView's VI
    diagram.
    SOME THOUGHTS:
    There are many hardware devices already on the market today that come
    with Windows 98 drivers and DLL (or even CIN) libraries that would work
    immediately with LabView. Why don't you save yourself three months of
    work and simply buy one of these?
    /\ Mark M Mehl, alias Superticker (Supertickler to some)
    <><> Internet: [email protected]
    \/ Preferred
    UUCP: uunet!iastate.edu!mehl
    Disclaimer: You got to be kidding; who would want to claim anything I said?

  • I need some information about jre 1.5 and jre 1.6.

    Hello guys,
    I need some information about jre 1.5 and jre 1.6.
    Suppose if i have jre 1.5 customized with "additional language support" installed in my my desktop, and later on i install jre 1.6. will this jre over write all the esisting settings which was present in jre 1.5?
    In short will the version upgrades disable the features of the old Version even though the old version is present in the desktop?
    Thanks in advance for your answers.

    In <2j_j3.1889$[email protected]> =?iso-8859-1?B?VG9t4XMgU3XhcmV6?= writes:
    > Hi all, I am developing an acquisition data system for biomedical
    >signals and I need to transmit this data from my hardware to PC using the
    >USB port. For this, I am writing a device driver for Windows 98
    ^^^^^^ ^^^^^^ ^^^^^^^ ^^
    That's not a trivial step. I would write a small C/C++ program that
    exercises your driver (for robustness) just to be sure it's working
    right first without crashing your system.
    >The problem is that I don't know to use this driver in LabView.
    >For now, I think to use a "code interface node" with code writen in C or a
    >"call library function" with a DLL.
    That's correct. _After_ you got your C/C
    ++ test program (and USB
    driver) above working, then you can convert this little test program
    into a DLL or CIN, which can interface with LabView. A DLL might be
    easier (slightly) to write, but the CIN will work faster with LabView
    and can be designed to be reentrant. The Code Interface Reference
    Manual should guide you. Remember, this is a task for an _experienced_
    C programmer. You'll need to use handles to pointers into all your
    dynamic arrays and such passed into LabView.
    After you got your CIN or DLL written, you can use a special CIN
    function node to "link" (or bind) your CIN object into LabView's VI
    diagram.
    SOME THOUGHTS:
    There are many hardware devices already on the market today that come
    with Windows 98 drivers and DLL (or even CIN) libraries that would work
    immediately with LabView. Why don't you save yourself three months of
    work and simply buy one of these?
    /\ Mark M Mehl, alias Superticker (Supertickler to some)
    <><> Internet: [email protected]
    \/ Preferred
    UUCP: uunet!iastate.edu!mehl
    Disclaimer: You got to be kidding; who would want to claim anything I said?

  • Some problem about SAP R/3 ~ I need some detail solutions and suggests

    I need some detail solutions and suggests about below these problems:
    Problem 1: SAP Management Console cannot start successfully
    •     Problem 1.1: Click on SAP Management Console, but yellow light continues for a long period of time.
    •     Problem 1.2: In DOS, startsap command cannot start SAP R/3.
    •     Problem 1.3: Oracle 9i database automatically shutdown by itself.
    •     Problem 1.4: There is very low disk storage left (say less than 50MB) in the hard disk where Oracle 9i database is installed in the server.
    Problem 2: Problems in User Maintenance and Security of the SAP R/3 System
    •     Problem 2.1: Super user account password was lost (e.g. SAP* password was lost)
    •     Problem 2.2: Super users DDIC and SAP* were dropped in table usr02 in Oracle.
    •     Problem 2.3: Some users have been locked or deleted by an ABAP programmer who has been granted with almost superuser profiles.  For example, an ABAP programmer has been granted a profile of SAP_ALL and SAP_NEW but the system administrator would like to restrict all programmers form using SU01, SU02, SM01, so that no programmers can maintain other user's accounts.
    Problem 3: Problems in the configuration of client copy
    •     Problem 3.1: A copied client from the Client 000 cannot be customized.
    •     Problem 3.2: No sample data in IDES after a successful client copy.
    •     Problem 3.3: Logging on without being authorized.  A new client is created and client copied and transported successfully.  However, anyone can log into the system using user SAP* with the default password PASS.
    Problem 4:  Problems in the installation of SAP R/3 Server
    •     Problem 4.1: Computer Name of the SAP R/3 server has been changed after the full installation of Oracle 9i and SAP R/3.
    •     Problem 4.2: A network card of a server was faulty and it was replaced by a new network card but the SAP R/3 license was expired.
    •     Problem 4.3: You would like to reinstall SAP R/3 on a server which has previously installed with SAP R/3 but the same error message appears during the re-installation.
    Problem 5: Problems in the backup and recovery of Oracle 9i Database
    •     Problem 5.1: A redo log file was lost and the database could not be started.
    •     Problem 5.2: A group of data files were accidentally deleted and the database could not be started.
    •     Problem 5.3: Both the online redo log files and archived redo log files have been damaged.
    Problem 6: General problems regarding the general operations and the connection to the SAP R/3 System
    •     Problem 6.1: After a reboot of the Windows 2003 Server, SAP service is not automatically started.
    •     Problem 6.2: Some users complained that the performance of SAP R/3 is really very slow.
    •     Problem 6.3: A user complained that his/her password was correct but he/she could not lock on the client because it was locked.

    Problem 2
    2.1  If user account of the sap* is lost u can retrive by loging into os level as sidadm type this command
    DELETE  SAP<sid>.USR02 where BNAME='SAP*' AND MANDT=100
    This 100 is the client in which u want to delete the sap*
    after that restart the server and login as sap* with the default password as pass
    there is also another way of doing this if needed u can catch me at [email protected]

  • Remote App on iPad connects but drops after about  20 mins. Need to turn  off wait about 1 minute then turn on wifi on iMac before it can reconnect. Need some help please.

    Remote App on iPad connects but drops after about  20 mins. Need to turn  off wait about 1 minute, then turn on wifi on iMac before it can reconnect. Need some help please.
    Already gone through troubleshooting guide a zillion times. Thanks.

    This worked for me... A little time consuming but once you get rolling it goes GREAT... Thanks....
    I got my artwork and saved it to my Desktop
    Opened up Microsoft Paint and clicked on "File" and "Open" and found it to get it on the screen to resize it
    Clicked "resize" and a box for changing it opened up
    Checked the box "Pixels" and "Unchecked maintain aspect ratio"
    Set Horizontal for 640 and Vertical for 480
    Clicked on "OK" and went back to "File" and did a "Save As" and chose JPEG Picture
    It came up "File Already Existed" and clicked "OK" (really did not care about the original artwork I found because wrong size)
    Went to iTunes and on the movie right clicked on "Get Info", clicked on "Details", then "Artwork"
    Go to the little box on the top left that shows your old artwork and click on it to get the little blue border to appear around it and hit "Delete" to make it gone
    Click on "Add Artwork" and find it where you put the one from above on your Desktop and hit "Open" and OK and your new artwork is now there and all good.
    Sounds like a lot of steps to follow but after around 5 or so you will fly through it. This worked perfect on my iPhone 6 Plus and I have artwork on my Home Videos now.

  • TS1702 I need some help the apps were downloading slowly

    The apps downloaded but it didn't cause it's stuck in downloading mode what should I do?
    The iOS 6 update didn't work.
    Please I need some help.
    The apps didn't download.
    Talking Angela and Ginger didn't download.
    Talking Santa didn't update.

    Try moving the existing backup file to a safe location so that iTunes has to create an entire new file.  The backup file is located here. You can delete that backup once you get a successfull backup.
    iTunes places the backup files in the following places:
    Mac: ~/Library/Application Support/MobileSync/Backup/
    Windows XP: \Documents and Settings\(username)\Application Data\Apple Computer\MobileSync\Backup\
    Windows Vista and Windows 7: \Users\(username)\AppData\Roaming\Apple Computer\MobileSync\Backup\
    Note: If you do not see the AppData or Application Data folders, you may need to show hidden files (Windows XP,  Windows Vista and Windows 7), or iTunes may not be installed in the default location. Show hidden files and then search the hard drive for the Backup directory.

Maybe you are looking for

  • How to find total size of RMAN backup files?

    Hi there env: Oracle 10gR2, RHEL 64bit My client has a production database where rman backups are taken: Level-0 backup every Sunday and Level-1 Monday thru Saturday. I have very limited access to this production database because it is being managed

  • How to determine quality of service of communication between XI and R/3

    Hi All, Suppose we are sending data through R/3 to XI using outbound abap proxy to XI. My query is how do we determine which quality of service (EO or EOIO) will be used for this communication. I have seen normally it is EO ( or BE, in case we are us

  • Help in Button in Java

    so, I have a two-dimensional array of Button, each one is located in a different location on the graphic screen. some of the raws are initialized, but some are "null". i hava a different one Button and i want to check whether the Button is located at

  • Can I Transfer Dot Mac Pages to iWeb?

    Do any of you know if it is possible to take web pages I created using the online templates with Dot Mac (http://homepage.mac.com/bingalls) and move them into iWeb for editing? My plan will be to move all of my pages to my own domain but people are u

  • Can't send files after upgrading!

    Please help! I just upgraded to Tiger from Panther, and now I can't send files with iChat. I followed Apple's instructions about opening up port 5180, but I had to create the AOL IM option because it didn't appear in my choices. I really need to be a