Texture in a box - problem(wrong colours)

hello guys I want to create a box with a texture of chess board on top of it, but the problem is that it loads just a dark blue colour surface instead of blue and white squares surface,feel free to check what I mean, here is what the program shows
http://img97.imageshack.us/i/checkes.png/
and here the original texture I want to put in the box
http://img266.imageshack.us/i/arizonae.jpg/
here also is my code
import com.sun.j3d.utils.behaviors.keyboard.KeyNavigatorBehavior;
import javax.media.j3d.Transform3D;
import javax.swing.JFrame;
import java.awt.*;
import javax.swing.*;
import javax.media.j3d.Canvas3D;
import com.sun.j3d.utils.universe.SimpleUniverse;
import javax.media.j3d.BranchGroup;
import com.sun.j3d.utils.geometry.Box;
import com.sun.j3d.utils.image.TextureLoader;
import javax.vecmath.*;
import javax.media.j3d.DirectionalLight;
import javax.media.j3d.BoundingSphere;
import javax.media.j3d.Appearance;
import javax.media.j3d.ImageComponent2D;
import javax.media.j3d.Material;
import javax.media.j3d.Texture;
import javax.media.j3d.Texture2D;
import javax.media.j3d.TransformGroup;
import com.sun.j3d.utils.behaviors.mouse.*;
public class vrlm extends JFrame {
* The SimpleUniverse object
protected SimpleUniverse simpleU;
* The root BranchGroup Object.
protected BranchGroup rootBranchGroup;
* Constructor that consturcts the window with the given name.
* @param name
* The name of the window, in String format
public vrlm(String name) {
// The next line will construct the window and name it
// with the given name
super(name);
// Perform the initial setup, just once
initial_setup();
* Perform the essential setups for the Java3D
protected void initial_setup() {
// A JFrame is a Container -- something that can hold
// other things, e.g a button, a textfield, etc..
// however, for a container to hold something, you need
// to specify the layout of the storage. For our
// example, we would like to use a BorderLayout.
// The next line does just this:
getContentPane().setLayout(new BorderLayout());
// The next step is to setup graphics configuration
// for Java3D. Since different machines/OS have differnt
// configuration for displaying stuff, therefore, for
// java3D to work, it is important to obtain the correct
// graphics configuration first.
GraphicsConfiguration config = SimpleUniverse
.getPreferredConfiguration();
// construct the canvas.
Canvas3D canvas3D = new Canvas3D(config);
// And we need to add the "canvas to the centre of our
// window..
getContentPane().add("Center", canvas3D);
// Creates the universe
simpleU = new SimpleUniverse(canvas3D);
// First create the BranchGroup object
rootBranchGroup = new BranchGroup();
* Adds a light source to the universe
* @param direction
* The inverse direction of the light
* @param color
* The color of the light
public void addDirectionalLight(Vector3f direction, Color3f color) {
// Creates a bounding sphere for the lights
BoundingSphere bounds = new BoundingSphere();
bounds.setRadius(1000d);
// Then create a directional light with the given
// direction and color
DirectionalLight lightD = new DirectionalLight(color, direction);
lightD.setInfluencingBounds(bounds);
// Then add it to the root BranchGroup
rootBranchGroup.addChild(lightD);
* Adds a box to the universe
* @param x
* x dimension of the box
* @param y
* y dimension of the box
* @param z
* z dimension of the box
Appearance vasixrwma(){
     Appearance vasixrwmaa = new Appearance();
//load the texture
     String filename = "C:/Documents and Settings/Andy/Desktop/Arizona.jpg";
     TextureLoader loader = new TextureLoader(filename, this);
ImageComponent2D image = loader.getImage();
if(image == null) {
System.out.println("load failed for texture: "+filename);
Texture2D texture = new Texture2D(Texture.BASE_LEVEL, Texture.RGBA,
image.getWidth(), image.getHeight());
texture.setEnable(true);
texture.setImage(0, image);
texture.setMagFilter(Texture.BASE_LEVEL_LINEAR);
texture.setMinFilter(Texture.BASE_LEVEL_LINEAR);
vasixrwmaa.setTexture(texture);
     return vasixrwmaa;
public void addBox(float x, float y, float z, Color3f diffuse, Color3f spec, float a, float b, float c) {
// Add a box with the given dimension
// First setup an appearance for the box
Appearance app = new Appearance();
Material mat = new Material();
mat.setDiffuseColor(diffuse);
mat.setSpecularColor(spec);
mat.setShininess(5.0f);
app.setMaterial(mat);
Box box = new Box(x, y, z, app);
// Create a TransformGroup and make it the parent of the box
Transform3D meros = new Transform3D();
meros.setTranslation(new Vector3d(a, b, c));
TransformGroup tg = new TransformGroup(meros);
Appearance appear = vasixrwma();
box.getShape(Box.TOP).setAppearance(appear);
tg.addChild(box);
// Then add it to the rootBranchGroup
rootBranchGroup.addChild(tg);
//code for mouse navigation
tg.setCapability(TransformGroup.ALLOW_TRANSFORM_WRITE);
tg.setCapability(TransformGroup.ALLOW_TRANSFORM_READ);
MouseRotate myMouseRotate = new MouseRotate();
myMouseRotate.setTransformGroup(tg);
myMouseRotate.setSchedulingBounds(new BoundingSphere());
rootBranchGroup.addChild(myMouseRotate);
MouseTranslate myMouseTranslate = new MouseTranslate();
myMouseTranslate.setTransformGroup(tg);
myMouseTranslate.setSchedulingBounds(new BoundingSphere());
rootBranchGroup.addChild(myMouseTranslate);
MouseZoom myMouseZoom = new MouseZoom();
myMouseZoom.setTransformGroup(tg);
myMouseZoom.setSchedulingBounds(new BoundingSphere());
rootBranchGroup.addChild(myMouseZoom);
// new code for key navigation
KeyNavigatorBehavior keyNavBeh = new KeyNavigatorBehavior(tg);
keyNavBeh.setSchedulingBounds(new BoundingSphere(new Point3d(),1000.0));
rootBranchGroup.addChild(keyNavBeh);
* Finalise everything to get ready
public void finalise() {
// Then add the branch group into the Universe
simpleU.addBranchGraph(rootBranchGroup);
// And set up the camera position
simpleU.getViewingPlatform().setNominalViewingTransform();
public static void main(String[] argv) {
vrlm bc = new vrlm("checkers");
bc.setSize(250, 250);
bc.addBox(10f, 10f, 10f, new Color3f(0.8f, 0.52f, 0.25f), new Color3f(0.8f, 0.52f, 0.25f), 0.7f, -0.0415f, 0.7f);
bc.addDirectionalLight(new Vector3f(0f, 0f, -1),
new Color3f(4f, 4f, 0f));
bc.finalise();
bc.show();
return;
please everyone's help is appreciated, because its urgent, thank you very much!!!!

Dave,
You won't need that hovering window next time!
Jerry

Similar Messages

  • Gradient Problems with colours

    Hi I am new to Illustrator (just bought CS5) and I am having trouble with the colours when using gradients (colours are generally duller as well) but when I make a gradient from red to black the computer automatically puts a grey inbetween, (photoshop has no problems the colours are clear and bright)  I recently did a tutorial http://veerle.duoh.com/design/article/illustrator_inset_effect_on_text_in_combination_with _clipping_mask (she had the same tutorial in photoshop, which worked great) but my colours in illustrator are having this grey issue and the image came out looking very dull. 
    Is there some file setting I may have changed to cause this?
    Thank you

    The color setup in AI is trying to simulate the way CMYK actually looks in print. Sometimes the simulated display goes overboard, and it's impractical to write you a textbook on the whole color management (color calibration) subject in a user forum. (Plus, replies in a user forum are as often wrong as right.) There is plenty of reading material out there for you on this. (Start with the Help files, as the Color Settings dialog suggests.)
    When designing for CMYK print, work in a CMYK document. Switching color modes is bad practice, especially if you intend for your on-press values to actually be the values you specify in the document. For example:
    1. Set up your red (100M, 100Y) to black (100K) grad.
    2. Change Document Color Mode to RGB.
    3. Change Document Color Mode to CMYK.
    4. Look at what has happened to your original CMYK values.
    The best way to work in CMYK is to have a basic understanding of CMYK and the real-world principles of process printing. For example, if you do as Jacob suggests, and make the black end of your grad also contain the "red" (100M, 100Y), you will have a 300% total ink coverage at that end of your grad. That may or may not be a problem, depending on the target printing environment.
    Generally speaking, yes; CMYK print is almost always "dull" compared to viewing RGB on a monitor (and you are always viewing RGB on a monitor, even if it is shifted to simulate CMYK). This is true regardless of color calibration. Common sense goes a long way. Monitors glow; paper doesn't.
    One of the most overlooked facts is that human vision is highly adaptive. Even in RGB, your monitor never displays anything even approaching a true black. Yet your eye nonetheless sees a dark rich black.
    CMYK process, for example, is very poor at reproducing brilliant blues. Yet the combination of knowledgeable image color correction (as opposed to mere calibration), quality printing, and the adaptive nature of human vision can nonetheless result in printed blues that seem to "glow."
    If you're designing for commercial print, you should seek to understand the process enough that you would be comfortable assigning colors while working on a grayscale monitor. Again, that comes from both study and real-world exposure. Actually visit the press room whenever you have the opportunity. Maybe even take a course in commercial repro at the local tech school. You can't really gain the understanding you need in a software user forum. This is a huge subject.
    JET

  • Photoshop cs5 problem printing colours in printwindow

    The colours in de print window are different with the basis photo and if i start to print it prints the wrong colour.
    The printer is gecallibreerd and if was no problem until now.The bad colour is Always in red.

    You might want to try the suggestions mentioned here. Troubleshoot printing problems | Photoshop
    ~ Arpit

  • HP Deskjet 3520 - printing wrong colours

    I am guilty of having put non-HP ink cartridges in my printer and have recently replaced them with genuine HP cartridges.  But I am getting the wrong colours, it seems to be printing a brown for red, blue for grey etc.  Any clues?  And I have tried resetting the printer and no change

    Welcome to the HP Community , The best option I would say you have with the current print quality issues with your Deskjet 3520, would be to try out the link below. Hopefully checking the settings, ink levels, cleaning the printhead, etc can help correct the color issue. Fixing Print Quality Problems for the HP Deskjet 3520 and HP Deskjet Ink Advantage 3520 e-All-in-One Printer Series  If these steps do not resolve the copy issues, contact HP directly to see if they can send you a replacement unit. If you need to reach HP, here is their contact information:Step 1. Open link: www.hp.com/contacthp/
    Step 2. Enter Product number or select to auto detect
    Step 3. Scroll down to "Still need help? Complete the form to select your contact options"
    Step 4. Scroll down and click on: HP contact options - click on Get phone number
     Case number and phone number appear.  Best wishes to you!Show thanks for my reply to help you today by hitting the "thumbs up" icon below!   

  • [WONTFIX] Wrong colours in Adobe Reader (acroread)

    When viewing this file in Adobe Reader 9.5.5, the colours look utterly wrong, they are way too dark and distorted. At first I thought it was an issue with the CMYK colours in the original picture, but when I converted the picture to RGB colour space (embedded in the example file), the issue persists. It doesn't appear in Poppler-based pdf viewers like Evince, nor in pdf.js, the default pdf viewer in Firefox. I also had a look in Adobe Reader XI on Windows XP (in a VirtualBox) and the colours appeared correctly to me.
    $ pdfimages -list acroreadtest.pdf
    page num type width height color comp bpc enc interp object ID x-ppi y-ppi size ratio
    1 0 image 934 560 gray 1 8 jpeg no 8 0 200 200 15.0K 2.9%
    1 1 image 708 401 rgb 3 8 jpeg no 17 0 163 163 101K 12%
    I already read about ICC Profiles in the Wiki, but can't imagine that only a single application gets the colours so wrong. What's the issue here? I can only find very old posts about Acrobat Reader 7 outputting wrong colours (where it is suggested to use Acrobat Reader 5).
    Last edited by Marcel- (2015-02-21 19:15:06)

    Indeed, for me too, the colors are wrong wity Acrobat reader but correct with xpdf or ghotscript (used with ghostview). Acrobat reader is more or less a standalone application (it depends on core GNU/Linux libraries but not on external ICC profiles or fonts). So I simply assume that it is a bug in acroread. As the application is proprietary, it is not the resort of Archlinux. But do you really need acroread? Opensource PDF viewers works fine and open your file correctly.

  • "Dialog box "PROBLEM WITH SHORTCUT"

    When my T40 p starts up I keep getting the following message, over and over again until I close the system tray IBM Connect bar. 
    "Dialog box “PROBLEM WITH SHORTCUT”
    The drive or network connection that the shortcut IBM Access Support.lnk refers to is unavailable.  Make sure that the disc is properly inserted to the network resource is available, and then try again. "
    Help!

    You'll need to find your iTunes folder. It's usually located on your main hard disk under My Documents/My Music/iTunes. Copy this whole folder to another hard drive (if possible) or burn it on a CD (probably will take more than one--depending upon how large your library is) or DVD. Once you have a good backup of your library, try downloading and reinstalling iTunes.

  • Activity Box problem

    I am working on an Activity Box problem. I got some errors, Please Help and Thanks in advance!!!
    My program likes:
    import java.awt.*;
    import java.applet.*;
    import java.awt.event.*;
    /*ActivityBox Applet */
        public class ActivityBox extends Applet {
    //Declarations
        String panelString = new String("News from the field.");
        String southString = new String("South Button");
        String infoString = new String("Type here.");
        String kbString = new String("East ");
        MousePanel cp = new MousePanel(100,100,panelString);
        MousePanel ep = new MousePanel(100,100, kbString);
        MousePanel np = new MousePanel(50,50);
        MousePanel sp = new MousePanel(100,100);
        MousePanel wp = new MousePanel(100,100,"West - Type here");
        TextField myText = new TextField(infoString);
        Button southButton = new colorChanger(southString);
        colorChanger Blues = new colorChanger(Color.blue);
        buttonListener Zap = new buttonListener(cp, myText, ep);
        kbListener Tap = new kbListener(ep, kbString);
    //init
        public void init() {
         setLayout(new BorderLayout(5,5));
             np.addMouseListener(Blues);
         add("North",np);
             np.add(myText);
         np.setBackground(Color.Cyan);
             sp.addMouseListener(Blues);
             southButton.addActionListener(Zap);
         sp.add(southButton);
         add("South", sp);
         sp.setBackground(Color.Cyan);
             ep.addMouseListener(Blues);
         add("East",ep);
         ep.setBackground(Color.Cyan);
             wp.addMouseListener(Blues);
             wp.addKeyListener(Tap);
            add("West",wp);
         wp.setBackground(Color.Cyan);
             cp.addMouseListener(Blues);
         add("Center",cp);
         cp.setBackground(Color.Cyan);
    /* MousePanel */
    class MousePanel extends Panel {
        public String nameTag = "";
        Dimension myDimension = new Dimension(15,15);
    //Constructor 1 - no name tag
        MousePanel(int h, int w) {
         myDimension.height = h;
         myDimension.width = w;
    //Constructor2 - with name tag
        MousePanel(int h, int w, String nt) {
         myDimension.height = h;
         myDimension.width = w;
         nameTag = nt;
    //paint
        public void paint(Graphics g) {
         g.drawString(nameTag,5,10);
    //change text
        public void changeText(String s){
         nameTag = s;
         repaint();
        public Dimension getPreferredSize(){
         retrun myDimension;
    //getMinimumSize
        public Dimension getMinimumSize(){
         return myDimension;
    class colorChanger implements MouseListener {
        private Color oldColor = new Color(0,0,0);
        private Color changeColor = new Color(0,0,0);
        //constructor
        colorChanger(Color it){
         changeColor = it;
        //Methods required to implement MouseListener interface
        public void mouseEntered(MouseEvent e) {
         oldColor = e.getComponent().getBackground();
         e.getComponent().requestFocus();
        public void mouseExited(MouseEvent e) {
         e.getComponent().setBackground(oldColor);
         e.getComponent().transferFocus();
        public void mousePressed(MouseEvent e) {
        public void mouseReleased(MouseEvent e) {
        public void mouseClicked(MouseEvent e) {
    class buttonListener implements ActionListener {
        private MousePanel it1 = new MousePanel(0,0,"");
        private MousePanel it2 = new MousePanel(0,0,"");
        private TextField from = new TextField("");
        private String words = new String("");
        //constructor
        buttonListener(MousePanel target1, TextField source, MousePanel target2){
         it1 = target1;
         from = source;
         it2 = target2;
        //Methods required to implement ActionLIstener interface
        public void actionPerformed(ActionEvent e) {
         words = from.getText();
         it1.changeText(words);
         from.setText("");
         it2.changeText("");
    }//end buttonListener
    class kbListener implements KeyListener {
        private MousePanel it = new MousePanel(0,0,"");
        private String putString = new String("");
        //constructor
        kbListener(MousePanel target, String display){
            it = target;
         putString = display;
        //Methods required to implement KeyListener interface
        public void keyPressed(KeyEvent e) {
        public void keyReleased(KeyEvent e){
        public void keyTyped(KeyEvent e){
         putString = putString + e.getKeyChar();
         it.changeText(putString);
    }When I compiled it, I got:
    ActivityBox.java:18: cannot resolve symbol
    symbol  : constructor colorChanger (java.lang.String)
    location: class colorChanger
        Button southButton = new colorChanger(southString);
                             ^
    ActivityBox.java:24: cannot resolve symbol
    symbol  : constructor BorderLayout (int,int)
    location: class BorderLayout
            setLayout(new BorderLayout(5,5));
                      ^
    ActivityBox.java:28: cannot resolve symbol
    symbol  : variable Cyan
    location: class java.awt.Color
            np.setBackground(Color.Cyan);
                                  ^
    ActivityBox.java:33: cannot resolve symbol
    symbol  : variable Cyan
    location: class java.awt.Color
            sp.setBackground(Color.Cyan);
                                  ^
    ActivityBox.java:36: cannot resolve symbol
    symbol  : variable Cyan
    location: class java.awt.Color
            ep.setBackground(Color.Cyan);
                                  ^
    ActivityBox.java:40: cannot resolve symbol
    symbol  : variable Cyan
    location: class java.awt.Color
            wp.setBackground(Color.Cyan);
                                  ^
    ActivityBox.java:43: cannot resolve symbol
    symbol  : variable Cyan
    location: class java.awt.Color
            cp.setBackground(Color.Cyan);
                                  ^
    ActivityBox.java:72: cannot resolve symbol
    symbol  : class retrun
    location: class MousePanel
            retrun myDimension;
            ^
    .\BorderLayout.java:8: setLayout(java.awt.LayoutManager) in java.awt.Container c
    annot be applied to (BorderLayout)
            p.setLayout(new BorderLayout ());
             ^
    .\BorderLayout.java:9: cannot resolve symbol
    symbol  : variable NORTH
    location: class BorderLayout
            p.add("North", BorderLayout.NORTH);
                                       ^
    .\BorderLayout.java:10: cannot resolve symbol
    symbol  : variable SOUTH
    location: class BorderLayout
            p.add("SOUTH", BorderLayout.SOUTH);
                                       ^
    .\BorderLayout.java:11: cannot resolve symbol
    symbol  : variable EAST
    location: class BorderLayout
            p.add("EAST", BorderLayout.EAST);
                                      ^
    .\BorderLayout.java:12: cannot resolve symbol
    symbol  : variable WEST
    location: class BorderLayout
            p.add("WEST", BorderLayout.WEST);
                                      ^
    .\BorderLayout.java:13: cannot resolve symbol
    symbol  : variable CENTER
    location: class BorderLayout
            p.add("CENTER", BorderLayout.CENTER);
                                        ^
    14 errors

    Again compile ur code .... I don't seem to get all those errors

  • Fail-box problem

    Hi!
    I have some problem and I need help..
    fail-box problem with lokal and network system.
    I dont know how to solve it'
    Thank you...

    Are you still facing the same issue ? if yes then please post the screenshot of exact error and few details such as if you are getting this error while opening a specific file or on double click on Muse itself ?
    Thanks,
    Sanjit

  • Expanding Box Problem

    I have been working all morning to add a horizontal spry menu
    bar to the menu_bar section of the Mother Earth Template (
    http://www.webshapes.org/template/details/id/200702247034127204)
    from Webshapes (
    http://www.webshapes.org/)
    Anyway, I had to do some crazy positioning to get the
    submenus to lign up with the menus and now the submenus will not
    display in IE because of an 'expanding box problem' All of the
    problems are associated with either my "ul.MenuBarHorizontal ul" or
    my "ul.MenuBarHorizontal ul ul"
    Can anyone help me with this? I am a beginner with
    Dreamweaver and have been having a lot of troubles with it.
    Thanks.

    Hello Tom, Is it a template related error message?
    I would suggest you to use percentages when setting the width
    and height values.

  • Spry Vertical Submenu - Expanding Box Problem, white background

    Hello everyone. I've recently incorporated a Spry Vertical Menu on my site for the first  time and I'm experiencing problems with the submenu in IE7. (Things look  fine in FF, Safari, and Opera.) A white box appears behind the text area  (the "bios" and "contact us" links).  And....In IE6 the entire menu bar becomes a horizontal mess.
    I've come to learn that this is called an Expanding Box Problem but I  don't know how to fix it. Perhaps this is seperate issue from the white panel issue altogether. I dunno. Can anyone be of assistance? I've been trying  to solve this problem for days.
    http://www.exposedproductionsnyc.com
    Below is the CSS:
    /* The outermost container of the Menu Bar, a fixed width box with no margin or padding */
    ul.MenuBarVertical
        list-style-type: none;
        font-size: 100%;
        cursor: default;
        width: 8em;
        padding-top: 0px;
        padding-right: 0;
        padding-bottom: 0;
        padding-left: 31.5px;
        background-color: #000;
        margin-top: 0;
        margin-right: 0;
        margin-bottom: 0;
        margin-left: 0;
    /* Set the active Menu Bar with this class, currently setting z-index to accomodate IE rendering bug: http://therealcrisp.xs4all.nl/meuk/IE-zindexbug.html */
    ul.MenuBarActive
        z-index: 1000;
    /* Menu item containers, position children relative to this container and are same fixed width as parent */
    ul.MenuBarVertical li
        margin: 0;
        padding: 0;
        list-style-type: none;
        font-size: 100%;
        position: relative;
        text-align: left;
        cursor: pointer;
        width: 160px;
        background-color: #000;
    /* Submenus should appear slightly overlapping to the right (95%) and up (-5%) with a higher z-index, but they are initially off the left side of the screen (-1000em) */
    ul.MenuBarVertical ul
        margin: -5% 0 0 95%;
        padding: 0;
        list-style-type: none;
        font-size: 100%;
        position: absolute;
        z-index: 1020;
        cursor: default;
        width: 8.2em;
        left: -1000em;
        top: 0;
    /* Submenu that is showing with class designation MenuBarSubmenuVisible, we set left to 0 so it comes onto the screen */
    ul.MenuBarVertical ul.MenuBarSubmenuVisible
        left: 0;
    /* Menu item containers are same fixed width as parent */
    ul.MenuBarVertical ul li
        width: 100px;
        padding-left: 29px;
        padding-top: 3px;
        margin-top: 1px;
    DESIGN INFORMATION: describes color scheme, borders, fonts
    /* Outermost menu container has borders on all sides */
    ul.MenuBarVertical
    /* Submenu containers have borders on all sides */
    /*ul.MenuBarVertical ul
        border: 1px none #CCC;
    /* Menu items are a light gray block with padding and no text decoration */
    ul.MenuBarVertical a
        display: block;
        cursor: pointer;
        background-color: #000;
        padding: 0.5em 0em;
        color: #FFF;
        text-decoration: none;
    /* Menu items that have mouse over or focus have a blue background and white text */
    ul.MenuBarVertical a:hover, ul.MenuBarVertical a:focus
        background-color: #000;
        color: #6CC3D7;
    /* Menu items that are open with submenus are set to MenuBarItemHover with a blue background and white text */
    ul.MenuBarVertical a.MenuBarItemHover, ul.MenuBarVertical a.MenuBarItemSubmenuHover, ul.MenuBarVertical a.MenuBarSubmenuVisible
        background-color: #000;
        color: #6CC3D7;
    SUBMENU INDICATION: styles if there is a submenu under a given menu item
    /* Menu items that have a submenu have the class designation MenuBarItemSubmenu and are set to use a background image positioned on the far left (95%) and centered vertically (50%) */
    ul.MenuBarVertical a.MenuBarItemSubmenu
        background-image: url(SpryMenuBarRight.gif);
        background-repeat: no-repeat;
        background-position: 95% 50%;
        background-color: transparent;
    /* Menu items that are open with submenus have the class designation MenuBarItemSubmenuHover and are set to use a "hover" background image positioned on the far left (95%) and centered vertically (50%) */
    ul.MenuBarVertical a.MenuBarItemSubmenuHover
        background-image: url(SpryMenuBarRightHover.gif);
        background-repeat: no-repeat;
        background-position: 95% 50%;
        background-color: transparent;
    BROWSER HACKS: the hacks below should not be changed unless you are an expert
    /* HACK FOR IE: to make sure the sub menus show above form controls, we underlay each submenu with an iframe */
    ul.MenuBarVertical iframe
        position: absolute;
        z-index: 1010;
        filter:alpha(opacity:0.1);
    /* HACK FOR IE: to stabilize appearance of menu items; the slash in float is to keep IE 5.0 from parsing */
    @media screen, projection
        ul.MenuBarVertical li.MenuBarItemIE
        display: inline;
        f\loat: left;

    Long answer =  z-index
    http://www.smashingmagazine.com/2009/09/15/the-z-index-css-property-a-comprehensive-look/
    Nancy O.

  • How do you change the click box properties (line colour and width) in Captivate 7.0?

    How do you change the click box properties (line colour and width) in Captivate 7.0?

    Yes certainly, we can do that, insert a smart shape and use it as a button, then go to the properties pane, change the Alpha to 0, that will make it transparent, and add the stroke color as red and increase the width.
    In case of a button, you have to select button type as transparent and do the same.
    Thanks.

  • Expanding box problem in some browsers

    My bottom three dividers are having an expanding box problem in some browers. Any idea how to fix? This is my first website and I am clueless.....
    www.privateinsurancebrokers.com
    Source Code:
    V <div id="container">
        <div id="main_image"><img src="Images/ThreeArch.jpg" width="960" height="400" alt="Kenneth G. Harris Insurance Agency" /></div>
        <div id="left_colum">
            <strong><a href="employeebenefits.html"><img src="Images/Website_EmployeeBenefits.jpg" width="310" height="127" alt="Employee Benefits Orange County" /></a>Employee Benefits
          </strong><br />
          Since 1972, Kenneth G. Harris Insurance Agency has advocated for our clients in the process of securing the highest value employee benefit program. <a href="employeebenefits.html" target="_new">Learn More»</a> </div>
        <div id="center_column"><strong><a href="HealthInsurance.html"><img src="Images/Family and Individual Insurance.jpg" alt="Family and Individual Insurance Services" width="310" height="127" align="top" /></a>Individual & Family Insurance Services
        </strong>Kenneth G. Harris Insurance Agency will work with our insurance and financial partners to assist you with all aspects of your personal insurance needs. <a href="individualinsurance.html" target="_new">Learn More»</a></div>
        <div id="right_column"><a href="news.html"><img src="Images/blog.jpg" width="310" height="127" alt="Health and Life Insurance News Orange County" /></a>
          <strong>Information</strong> <br />
    Keep up-to-date with the latest employee benefits and private insurance news. Let us serve as your resource for health care  reform news and<a href="article2.html" title="Kenneth G. Harris Insurance Agency Group Health and Individual Insurance" target="_new"> more»</a></div>
    </div>

    Your CSS Layout has a provision for clearing floats but I don't see it in your HTML markup.
    Insert a float clearing <br> <p> or <hr> right above your footer division like so:
    <hr class="clearfloat" />
      <div class="footer">
    Nancy O.
    Alt-Web Design & Publishing
    Web | Graphics | Print | Media  Specialists
    http://alt-web.com/
    http://twitter.com/altweb

  • I have problems with colours of the pictures in Aperture:

    I have problems with colours of the pictures in Aperture: they becomes pink and green totally "flashy"
    I made all of the base reset's but it's already destroy>.
    Please, could you help me ?
    Thank's,
    Philippe

    Solution
    Delete or restore from Time Machine
    /System/Library/CoreServices/RawCamera.bundle
    /System/Library/CoreServices/RawCameraSupport.bundle
    Download
    http://support.apple.com/kb/DL1666
    Reinstall 4.07. Finished.

  • 10.4.7 MLTE black box problem

    Hi all
    Anyone get a black MLTE box problem after the 10.4.7 upgrade?
    The multilingual text engine in the open source game Aleph One after the upgrade to 10.4.7 - shows a black box in the chat area. It is not always a problem - about 30% of the games I start seem to have it.
    Thanks

    I just recieved an email from F-Secure, after I told them, that no attachments sent from Mail (after 10.4.7) go through to F-Secure / Windows users.
    They have investigated the problem and reported this:
    The attachments MIME header has the following fields: name and filename.
    For some reason Mail removes the blank spaces from the name field but leaves the filename field untouched. These differences in the fields make F-Secure remove the attachment (alarm).
    One "fix" is removing the blank spaces from the filename, for example File 1.pdf >> File1.pdf. But this in not easy computing. Everything works just fine with 10.4.6 and before, but 10.4.7 >> is causing the problems.
    PowerMac Dual Core G5/2,3GHz | 250Gb | SD | 23 Cinema • PB G4/1,67GHz | 15,2 | 8   Mac OS X (10.4.7)   AppleFarmer

  • 5700 TV-OUT problem with colours

    Hi!!! I'm trying to fix the problem with my vga, but I could not get it fixed... The problem is that sice yesterday the colours in TV-Out mode is wrong, it appears that is on iverse colours, but I cannot change it. I had already reinstaled the nVidia 56.72 driver, reinstaled Windows XP SP1, and didn't work. Earlier today, I tried to connect the composite video cable and get the right colours, but just before I connected the S-Video again to check if the colours was right as composite, but for my sadness, it wasn't. Then I reconnected the composite and the colours was worg that out too, now the two TV-Outs, composite and S-Video are with the wrog colours... I don't know what else to do... help me!!!
    Thank you anyway.

    Hi,
    Try changing the TV standard. Brazil uses a less common PAL-M standard, which uses NTSC line and field rates (525 lines,60 fields/sec) and a unique colour subcarrier frequency, which is close to the standard NTSC frequency.  For more details on TV standards, look here.
    You might have to experiment to find the combination which works best with your TV set.
    Cheers

Maybe you are looking for

  • Time Capsule & Netgear DG834GT in Modem Mode - Not working

    I've just taken delivery of a 1TB Time Capsule. I've switched my existing Netgear DG384GT modem/router into modem only mode, so routing functionality is disabled. I just want to use the DG834GT as a simple ADSL modem, whilst utilising the features (D

  • How could i updated a table created with 5 tables.

    Hi everyone, This is my problem. I have five "tables" and each one contains one row and 7 columns. In the other hand, I have one table(Ireland1) that it retrieves the values of these 5 "tables" through of " insert into" statement. How would be I able

  • Sync just podcasts across two computers

    I have a new netbook. My desktop has iTunes. I have a lot of podcasts on there and I listen to them often through my iPod and sometimes through the desktop. All is well with syncing, I just delete listened to podcasts here and there on the pc and it

  • How to check for outstanding service instance creation requests

    Greetings, In preparation to upgrade my OEM Cloud Control from 12.1.0.1 to 12.1.0.3 I am reading the OEM Cloud Control Upgrade Guide. Step 2b in Chapter 3 (Getting Started) says to check for outstanding database service instance creation requests as

  • Assuming the worst of me...

    Hi all! I posted yesterday on the iMovie forum asking how to get my home movies off of a DVD and on to my computer. I want to be able to manipulate the movies and edit them (I had a professional convert all my VHS tapes to DVD, as I do not have the r