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!
>

Similar Messages

  • 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.

  • 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?

  • 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

  • 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.

  • 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

  • I try to insert some images on a website but the images are not in the right color mode. I do not know what to do? and also I have 1200 images to insert so I can not change one after one. So I need to set up an action, but I donot know how to do it... Tha

    I try to insert some images on a website but the images are not in the right color mode. I do not know what to do? and also I have 1200 images to insert so I can not change one after one. So I need to set up an action, but I donot know how to do it... Thanks

    What is the problem specifiaclly?
    If the images are intended for web use I would recommend converting them to sRGB which could be done with Edit > Convert to Profile or with File > Save for Web, but as including a Save step in Actions and applying them as Batch can sometimes cause problems I would go with regular converting.
    You could also try Image Processor Pro.
    Scripts Page

  • Need some help in debugging this exported script

    Below is DDL generated by visio forward engineering tool . The example below consists of 2 test tables with one foreign key.
    Forward engineering generated DDL script
    IF EXISTS (SELECT * FROM sys.objects WHERE object_id = OBJECT_ID(N'[dbo].[Table1]') AND type in (N'U'))
    DROP TABLE [dbo].[Table1]
    GO
    CREATE TABLE [dbo].[Table1] (
    [test] CHAR(10) NOT NULL
    , [test2] CHAR(10) NULL
    GO
    ALTER TABLE [dbo].[Table1] ADD CONSTRAINT [Table1_PK] PRIMARY KEY CLUSTERED (
    [test]
    GO
    GO
    IF EXISTS (SELECT * FROM sys.objects WHERE object_id = OBJECT_ID(N'[dbo].[Table2]') AND type in (N'U'))
    DROP TABLE [dbo].[Table2]
    GO
    CREATE TABLE [dbo].[Table2] (
    [test2] CHAR(10) NOT NULL
    GO
    ALTER TABLE [dbo].[Table2] ADD CONSTRAINT [Table2_PK] PRIMARY KEY CLUSTERED (
    [test2]
    GO
    GO
    ALTER TABLE [dbo].[Table1] WITH CHECK ADD CONSTRAINT [Table2_Table1_FK1] FOREIGN KEY (
    [test2]
    REFERENCES [dbo].[Table2] (
    [test2]
    GO
    GO
    When i converted this DDL script using scratch editor the migration tool gave some errors can anyone help me to resolve below
    DECLARE
    v_temp NUMBER(1, 0) := 0;
    BEGIN
    BEGIN
    SELECT 1 INTO v_temp
    FROM DUAL
    WHERE EXISTS ( SELECT *
    FROM objects
    WHERE OBJECT_ID_ = NULL/*TODO:OBJECT_ID(N'[OPS].[Table1]')*/
    AND TYPE IN ( N'U' )
    EXCEPTION
    WHEN OTHERS THEN
    NULL;
    END;
    IF v_temp = 1 THEN
    TRUNCATE TABLE Table1;
    END IF;
    END;
    CREATE TABLE Table1
    test CHAR(10) NOT NULL,
    test2 CHAR(10)
    ALTER TABLE Table1
    ADD
    CONSTRAINT Table1_PK PRIMARY KEY( test );
    --SQLDEV:Following Line Not Recognized
    DECLARE
    v_temp NUMBER(1, 0) := 0;
    BEGIN
    BEGIN
    SELECT 1 INTO v_temp
    FROM DUAL
    WHERE EXISTS ( SELECT *
    FROM objects
    WHERE OBJECT_ID_ = NULL/*TODO:OBJECT_ID(N'[OPS].[Table2]')*/
    AND TYPE IN ( N'U' )
    EXCEPTION
    WHEN OTHERS THEN
    NULL;
    END;
    IF v_temp = 1 THEN
    TRUNCATE TABLE Table2;
    END IF;
    END;
    CREATE TABLE Table2
    test2 CHAR(10) NOT NULL
    ALTER TABLE Table2
    ADD
    CONSTRAINT Table2_PK PRIMARY KEY( test2 );
    --SQLDEV:Following Line Not Recognized
    ALTER TABLE Table1
    ADD
    CONSTRAINT Table2_Table1_FK1 FOREIGN KEY( test2 ) REFERENCES Table2 (test2)
    --SQLDEV:Following Line Not Recognized
    ;

    Pl do not post duplicates - Need some help in debugging this script

  • I need some FREE website templates that i can edit in dreamweaver.. help!!!

    i need some FREE website templates that i can edit in dreamweaver.. help!!! anyone know where i can find good ones?

    By Template, are you looking for DW Template.dwt files?
    Dreamweaver templates: Customizable starter designs for beginners | Adobe Developer Connection
    Or pre-built CSS & HTML Layouts (starter pages)?
    For starter pages in DW, go to File > New > Blank page > HTML.
    Select a layout from the 3rd panel and hit Create button.
    Or, look at Project Seven's commercial CSS Layouts and Page packs (not free, but well worth the investment if you want a good final product).
    http://www.projectseven.com/
    Or do you want Responsive Layouts that work in mobile, tablet and desktop?
    Foundation Zurb
    http://foundation.zurb.com/templates.php
    Skeleton Boilerplate
    http://www.getskeleton.com/
    Initializr (HTML5 Boilerplate, Responsive or Bootstrap)
    http://www.initializr.com/
    DMX Zone's Bootstrap FREE extension for DW
    http://www.dmxzone.com/go/21759/dmxzone-bootstrap/
    Nancy O.

  • Need some help disabling/enabling the scrollbar on our website

    Dear Sir/madam,
    I am having some difficulty with our website to disable or hide the scrollbar on our website.
    The thing is that i want to disable/hide the scrollbar when i got a small web page with only one alinea of text.
    And i want to enable the scrollbar when i got more then one alinea of text and my webpage is a lot bigger.
    Can anyone help me out?
    Here is my CSS code file and html file
    HTML:
    <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
    <html xmlns="http://www.w3.org/1999/xhtml">
    <head>
    <link rel="shortcut icon" href="favicon.ico" type="image/x-icon">
    <meta http-equiv="Content-Type" content="text/html; charset=utf-8">
    <title>Trend installatietechniek BV - Home</title>
    <meta name="Keywords" content="domotica, schakelaar, rookmelder, elektrische apparatuur">
    <meta name="Description" content="Domotica is een verzamelwoord voor het aan elkaar koppelen van verschillende systemen, zoals rookmelder, video-intercom en rookmelder.">
    <meta name="robots" content="index, follow">
    <meta name="revisit-after" content="1 month">
    <meta name="googlebot" content="noodp">
    <meta name="language" content="dutch, nederland, netherlands, nl">
    <meta name="author" content="trenbv.nl, Trend Installatietechniek BV">
    <style type="text/css">
    </style>
    <link href="trendbv2.css" rel="stylesheet" type="text/css" />
    <style type="text/css">
    a:visited {
    color: #666666;
    </style>
    <script type="text/javascript">
    function MM_preloadImages() { //v3.0
      var d=document; if(d.images){ if(!d.MM_p) d.MM_p=new Array();
        var i,j=d.MM_p.length,a=MM_preloadImages.arguments; for(i=0; i<a.length; i++)
        if (a[i].indexOf("#")!=0){ d.MM_p[j]=new Image; d.MM_p[j++].src=a[i];}}
    function MM_swapImgRestore() { //v3.0
      var i,x,a=document.MM_sr; for(i=0;a&&i<a.length&&(x=a[i])&&x.oSrc;i++) x.src=x.oSrc;
    function MM_findObj(n, d) { //v4.01
      var p,i,x;  if(!d) d=document; if((p=n.indexOf("?"))>0&&parent.frames.length) {
        d=parent.frames[n.substring(p+1)].document; n=n.substring(0,p);}
      if(!(x=d[n])&&d.all) x=d.all[n]; for (i=0;!x&&i<d.forms.length;i++) x=d.forms[i][n];
      for(i=0;!x&&d.layers&&i<d.layers.length;i++) x=MM_findObj(n,d.layers[i].document);
      if(!x && d.getElementById) x=d.getElementById(n); return x;
    function MM_swapImage() { //v3.0
      var i,j=0,x,a=MM_swapImage.arguments; document.MM_sr=new Array; for(i=0;i<(a.length-2);i+=3)
       if ((x=MM_findObj(a[i]))!=null){document.MM_sr[j++]=x; if(!x.oSrc) x.oSrc=x.src; x.src=a[i+2];}
    </script>
    </head>
    <body onload="MM_preloadImages('Beelden/hoofdnavigatieData.png','Beelden/hoofdnavigatieElektrot echniek.png','Beelden/hoofdnavigatieBeveiliging.png','Beelden/hoofdnavigatieTechnischBeh.p ng')">
    <div id="achtergrondmidden"><img src="Beelden/achtergrond.png" alt="achtergrondTrendbv" width="1024" height="751" border="0" /></div>
    <div id="fotogrootmidden"><img src="Beelden/Groot Home.jpg" width="944" height="360" alt="domoticaTrendbv" /></div>
    <div id="balkmidden"></div>
    <div id="logoTrendonder"></div>
    <div class="broodtekst" id="contactgegevens">
    <strong>Trend Installatietechniek BV</strong><br />
        <br />
      Kazemat 33<br />
      3905 NR  Veenendaal
      <p><strong>E:</strong> <a href="[email protected]:[email protected]">[email protected]</a><br />
      <strong>T:</strong> (0318) 51 63 02</p>
    </div>
    <div class="broodtekst" id="subnavigatie"></div>
    <div class="navigatiebovenaan" id="navigatiebovenaan">home       <a href="Tekenwerk.html">tekenwerk</a>       <a href="klanten.html">klanten</a>       <a href="ons bedrijf.html">ons bedrijf</a>      <a href="contact.html"> contact</a></div>
    <div class="broodtekst" id="tekstkolom">
      <p>Trend Installatietechniek is een specialist op het gebied  van elektrotechniek en bestaat sinds 1998. Inmiddels is Trend uitgegroeid tot  een gerenommeerd elektrotechnisch bedrijf met vestigingen in Veenendaal en  Assen.<br />
        <br />
        Trend Installatietechniek heeft sinds jaar en dag een  reputatie op het gebied van aanleg van datanetwerken en elektrotechnische  installaties.<br />
        U verwacht van een elektrotechnisch installateur vakmanschap  en kwaliteit. Naast kwalitatief hoogstaand werk onderscheiden wij ons door een  klantgerichte houding en korte levertijden. <br />
        <br />
        Wij voeren opdrachten uit voor klanten zoals het ZIGGO,  KNAW, de Universiteit van Amsterdam en KPN. Hierbij wordt veel  verwacht van onze monteurs. Daarom werken wij uitsluitend met ervaren, gediplomeerde  elektrotechnische monteurs. <br />
      </p>
    </div>
    <div id="tekstfoto1"><img src="Beelden/beeldhome2.png" alt="fotodomotica1" width="130" height="130" border="0" /></div>
    <div id="tekstfoto2"></div>
    <div id="hoofdnavigatieDomotica"><a href="Wat is domotica.html" onmouseout="MM_swapImgRestore()" onmouseover="MM_swapImage('Image5','','Beelden/hoofdnavigatieDomotica.png',1)"><img src="Beelden/hoofdnavigatieDomotica-kort.png" alt="Hoofdnavigatie Domotica" name="Image5" width="583" height="65" border="0" id="Image5" /></a></div>
    <div id="hoofdnavigatieData"><a href="Wat is Data.html" onmouseout="MM_swapImgRestore()" onmouseover="MM_swapImage('Image6','','Beelden/hoofdnavigatieData.png',1)"><img src="Beelden/hoofdnavigatieData-kort.png" alt="Hoofdnavigatie Data" name="Image6" width="472" height="65" border="0" id="Image6" /></a></div>
    <div id="hoofdnavigatieElektrotechniek"><a href="Wat is Elektrotechniek.html" onmouseout="MM_swapImgRestore()" onmouseover="MM_swapImage('Image7','','Beelden/hoofdnavigatieElektrotechniek.png',1)"><im g src="Beelden/hoofdnavigatieElektrotechniek-kort.png" alt="Hoofdnavigatie Elektrotechniek" name="Image7" width="356" height="65" border="0" id="Image7" /></a></div>
    <div id="hoofdnavigatieBeveiliging"><a href="Beveiliging en camerasystemen.html" onmouseout="MM_swapImgRestore()" onmouseover="MM_swapImage('Image8','','Beelden/hoofdnavigatieBeveiliging.png',1)"><img src="Beelden/hoofdnavigatieBeveiliging-kort.png" alt="Hoofdnavigatie Beveiliging" name="Image8" width="245" height="65" border="0" id="Image8" /></a></div>
    <div id="hoofdnavigatieTechnischBeheer"><a href="Technisch beheer.html" onmouseout="MM_swapImgRestore()" onmouseover="MM_swapImage('Image9','','Beelden/hoofdnavigatieTechnischBeh.png',1)"><img src="Beelden/hoofdnavigatieTechnischBeh-kort.png" alt="Hoofdnavigatie Technisch Beheer" name="Image9" width="134" height="65" border="0" id="Image9" /></a></div>
    <div id="body"></div>
    <div id="kaderlinks"></div>
    <div id="kaderrechts"></div>
    <div id="hoofdnavigatie"></div>
    <div id="achtergrondvertikaal"></div>
    </body>
    </html>
    CSS file:
    @charset "UTF-8";
    #body {
    position: fixed;
    width: 100%;
    z-index: 1;
    left: 0px;
    top: 0px; 
    background-image: url(Beelden/achtergrondbody.png);
    height: 100%;
    background-repeat: repeat-y
    #kaderlinks {
    position: fixed;
    left: 50%;
    top: 0px;
    width: 5px;
    height: 100%;
    z-index: 21;
    background-image: url(Beelden/kader.png);
    background-repeat: repeat-y;
    margin-left: -512px;
    #fotogrootmidden {
    position:absolute;
    left:50%;
    top:52px;
    width:944px;
    height:360px;
    z-index:2;
    margin-left: -472px;
    #achtergrondmidden {
    position: absolute;
    left: 50%;
    top: 0px;
    width: 1024px;
    height: 751px;
    z-index: 3;
    margin-left: -512px;
    #balkmidden {
    position: absolute;
    left: 50%;
    top: 378px;
    width: 642px;
    height: 49px;
    z-index: 3;
    margin-left: -130px;
    background-image: url(Beelden/blauwebalk.png);
    background-position: left;
    #achtergrondvertikaal {
    position: absolute;
    left: 50%;
    top: 751px;
    width: 1024px;
    height: 100%;
    z-index: 4;
    margin-left: -512px;
    background-image: url(Beelden/achtergrondonder.png);
    #logoTrendonder {
    position: fixed;
    left: 50%;
    height: 100%;
    z-index: 5;
    background-image: url(Beelden/logotrendonder.png);
    background-repeat: no-repeat;
    margin-left: -439px;
    background-position: bottom;
    width: 179px;
    #contactgegevens {
    position:fixed;
    left:50%;
    width:130px;
    z-index:10;
    margin-left: -410px;
    color: #000;
    vertical-align: bottom;
    top: 100%;
    margin-top: -260px;
    #contactgegevens p strong {
    color: #2B79BE;
    #navigatiebovenaan {
    position:absolute;
    left:50%;
    top:25px;
    width:404px;
    height:23px;
    z-index:12;
    text-align: right;
    margin-left: 50px;
    #navigatiebovenaan a:link {
    color: #999;
    #navigatiebovenaan a:hover {
    color: #2B79BE;
    #hoofdnavigatieDomotica {
    position:absolute;
    left:50%;
    top:58px;
    width:596px;
    height:82px;
    z-index:16;
    margin-left: -118px;
    #hoofdnavigatieData {
    position:absolute;
    left:50%;
    top:58px;
    width:467px;
    height:82px;
    z-index:17;
    margin-left: -3px;
    clip: rect(auto,auto,auto,0px);
    #hoofdnavigatieElektrotechniek {
    position:absolute;
    left:50%;
    top:58px;
    width:363px;
    height:82px;
    z-index:18;
    margin-left: 110px;
    #hoofdnavigatieBeveiliging {
    position:absolute;
    left:50%;
    top:58px;
    width:254px;
    height:82px;
    z-index:19;
    margin-left: 220px;
    #hoofdnavigatieTechnischBeheer {
    position:absolute;
    left:50%;
    top:58px;
    width:139px;
    height:84px;
    z-index:20;
    margin-left: 330px;
    #subnavigatie {
    position: absolute;
    left: 50%;
    top: 393px;
    width: 581px;
    height: 19px;
    z-index: 11;
    margin-left: -103px;
    #tekstkolom {
    position: absolute;
    left: 50%;
    top: 458px;
    width: 400px;
    height: 345px;
    z-index: 13;
    margin-left: 50px;
    text-align: left;
    font-size: 12px;
    #tekstfoto1 {
    position: absolute;
    left: 50%;
    top: 470px;
    width: 150px;
    height: 380px;
    z-index: 14;
    margin-left: -116px;
    #tekstfoto2 {
    position: absolute;
    left: 556px;
    top: 620px;
    width: 130;
    height: 130;
    z-index: 15;
    margin-left: -116px;
    #kaderrechts {
    position: fixed;
    left: 50%;
    top: 0px;
    width: 5px;
    height: 100%;
    z-index: 22;
    background-image: url(Beelden/kader.png);
    background-repeat: repeat-y;
    margin-left: 512px;
    .navigatiebovenaan {
    font-family: Arial, Helvetica, sans-serif;
    color: #999;
    font-size: 12px;
    .broodtekst {
    font-family: Arial, Helvetica, sans-serif;
    font-size: 12px;
    line-height: 16px;
    a:link {
    text-decoration: none;
    color: #000;
    a:hover {
    color: #2B79BE;
    text-decoration: none;
    .h1 {
    font-family: Arial, Helvetica, sans-serif;
    color: #2B79BE;
    font-size: 17px;
    font-weight: lighter;

    Start by remvoing the code in RED.
    #body {
    position: fixed;
    width: 100%;
    z-index: 1;
    left: 0px;
    top: 0px;
    background-image: url(Beelden/achtergrondbody.png);
    height: 100%;
    background-repeat: repeat-y
    Browser scrollbars appear by default in all pages requiring them.  You don't need to do anything to make them appear.  I don't think you understand Fixed positioning well enough to be using it so much in your CSS.  It has a purpose but probably not what you think.
    See position:fixed sticky text demo.
    http://alt-web.com/DEMOS/CSS2-Sticky-Text.shtml
    Nancy O.

  • This website make problem for me, he open by it self everytime i try to open another websites  Please i need some help

    this website make problem for me, he open by it self everytime i try to open another websites
    Please i need some help
    http://yandex.ru/yandsearch?text=ццц&lr=1004

    Dude, I don't think there's a user on this forum that would click on that link.

  • Need some intermediate and advance level website for SQL

    Hi Gurus
    I want to improve my SQL skills, is there any website through which I can improve that skills.
    Need some intermediate and advance level website for SQL.
    appreciate your suggestion. Thanks
    Regards
    Shu

    if you have a lot of time you can follow some of the larger threads on AskTom. I think Mr. Kyte can do almost anything with SQL. And there are also some recurrent contributors as Stew Ashton provinding very interesting solutions.
    Another option is to take a look at the answers in this forums: some participiants as Frank Kulash or Solomon Yakobson (to name just two of them) come up with astonishing pieces of SQL frequently.

  • Can't watch videos online... Do I need some flash player?

    Can't watch videos online... Do I need some flash player?

    There is no flash player for the iPad, it's not supported.
    Browser apps such as Skyfire, iSwifter, Puffin and Photon 'work' on some sites, but judging by their reviews not all sites. Also some websites, especially news sites, have their own apps in the App Store.

  • Need some help with downloading PDF's from the net.

    need some help with downloading PDF's from the net.  Each time I try to click on a link from a website, if it takes me to a new screen to view a pdf, it just comes up as a blank black screen?  any suggestions?

    Back up all data.
    Triple-click the line of text below to select it, the copy the selected text to the Clipboard (command-C):
    /Library/Internet Plug-ins
    In the Finder, select
    Go ▹ Go to Folder
    from the menu bar, or press the key combination shift-command-G. Paste into the text box that opens (command-V), then press return.
    From the folder that opens, remove any items that have the letters “PDF” in the name. You may be prompted for your login password. Then quit and relaunch Safari, and test.
    The "Silverlight" web plugin distributed by Microsoft can also interfere with PDF display in Safari, so you may need to remove it as well, if it's present.
    If you still have the issue, repeat with this line:
    ~/Library/Internet Plug-ins
    If you don’t like the results of this procedure, restore the items from the backup you made before you started. Relaunch Safari again.

Maybe you are looking for

  • Error while updating pricing item

    Hi All, I have an issue to ask, the problem is this issue not happen every time, and sometimes it can solved it self. We are using SRM 5.0 SRM_SERVER     550     0008     SAPKIBKT08     SRM_SERVER SAP_AP                  700     0008    SAPKNA700    

  • Add Cells in an Excel Column Until the Next Blank Row

    Is there an easy way to sum the cells in an Excel column and to stop adding after the last populated cell in that series. I have tried several examples found on the www, but they have not worked. Doug in York PA Douglas R. Eckert

  • HT204230 What are system requirements for Linux to use the iCloud web interface ?

    I access iCloud.com from a Linux workstation using Firefox. Some features are unavailable - like the ability to format text and select fonts for mail Is this iCloud.com's problem or Linux/Firefox's problem ? Thanks.

  • FDM and ERP Integrator Module

    I am trying to select the correct ledger from the Oracle E-Business Suite. Within the ERP Integrator area in EPMA, I am trying to select the ledger, when I select the entity for integration. Select Source Accounting Entity for Integration screen retu

  • What is a cache and can I erase them to save space? (would it be bad if i did)

    I am in high school and i've had my laptop for about 5 years now. I am into photography so thats where most of the memory on my computer can be found, I currently have 7.94 GB of room left. I'm trying to erase as much as i can to get some room back a