I get no graphic when linking a website inside facebook

<link rel="image_src" href="http://www.maxcommusa.com/images/logo1.png
I put this inside the head of the main page but it only made the whole website left justified.
Here is the main website http://www.maxcommusa.com
Please help thanks! I absolutely LOVE muse.
Anthony

The Yahoo! Toolbar extension has been reported to cause this issue.
*https://support.mozilla.com/kb/Troubleshooting+extensions+and+themes
You can keep an eye on this thread:
*[[/forums/contributors/707748]]

Similar Messages

  • Getting "generic error" when linking clips.  Generic not a helpful word.

    Getting "generic error" when linking clips.  Generic not a helpful word.

    Zero information also does not allow anyone here try to help
    More information needed for someone to help... please click below and provide the requested information
    -PPro Information FAQ http://forums.adobe.com/message/4200840

  • Getting clipped graphics when painting in response to mouse event

    Can anyone tell me how to get a graphics object with the clipping region set appropriately when painting in response to a mouse action
    rather than in paintComponent where the system provides the Graphics object?
    The issue is that a graphical component I have written needs to repaint parts of itself in response to mouse actions. I have been getting the Graphics object by calling getGraphics on the component (based on JPanel) and using that to do the required painting. This works fine as long as there are no lightweight Swing objects in front of my component, but as I recently discovered when I added this component to a couple of JInternalFrames, mouse-triggered painting can paint on the other JInternalFrame.
    The example code below illustrates the problem.
    Thanks in advance
    import javax.swing.*;
    import java.awt.*;
    import java.awt.geom.Ellipse2D;
    import java.awt.event.MouseEvent;
    import java.awt.event.MouseMotionListener;
    * This class illustrates a problem I am having with a graphical component I have
    * written that works fine when placed in a JFrame, but when placed inside a JInternalFrame,
    * can draw outside the bounds of the JInternalFrame.
    * The real component contains many sub-objects, and users can select an individual sub-object,
    * and trigger actions specific to that sub-object. To aid in sub-object selection,
    * when the mouse pointer is over a sub-object, the color of the object is changed to
    * a highlight color. This is where the problem of drawing outside the JInternalFrame occurs.
    * I am pretty sure that the reason the drawing can occur outside the bounds of the
    * JInternalFrame is that the graphics context used for the highlighting action does not
    * have the clipping region set. Unlike in paintComponent where the system provides the
    * Graphics object with the clipping region set appropriately, painting of individual
    * sub-objects in response to a MouseEvent is done using a call to getGraphics on the
    * component. This has the clipping region set to the dimensions of the JPanel.
    * This example creates two overlapping JInternalFrames. Inside each is a simple component
    * based on a JPanel. The component draws a single filled circle which corresponds to
    * one of the sub-objects in the real component. When the mouse pointer is over a circle,
    * the color changes from gray to red. Where the circle overlaps the other JInternalFrame,
    * the circle will paint over that frame.
    public class GraphicsProblemDemo extends JFrame {
        private static final int APP_FRAME_SIZE = 400;
        public GraphicsProblemDemo()
            JDesktopPane desktop = new JDesktopPane();
            setDefaultCloseOperation( JFrame.EXIT_ON_CLOSE );
            getContentPane().setLayout( new BorderLayout() );
            getContentPane().add( desktop, BorderLayout.CENTER );
            setSize( APP_FRAME_SIZE, APP_FRAME_SIZE );
            setVisible( true );
            // Create two JInternalFrames, each with a single component that
            // draws a filled circle.
            JInternalFrame frame = createInternalFrame( 0, 0 );
            frame.setVisible( true );
            desktop.add( frame );
            frame = createInternalFrame( 200, 200 );
            frame.setVisible( true );
            desktop.add( frame );
        public JInternalFrame createInternalFrame( int left, int top )
            JInternalFrame frame = new JInternalFrame( "", true, true, true, true );
            int INTERNAL_FRAME_SIZE = 300;
            frame.setBounds( left, top, INTERNAL_FRAME_SIZE, INTERNAL_FRAME_SIZE );
            myComponent shape = new myComponent();
            frame.add( shape );
            return frame;
         * This component simulates the more complex component that I am trying to debug.
         * The real component contains many sub-objects and is expensive to render.
         * Individual sub-objects are selectable within the component, and to indicate to the
         * user that the mouse is positioned over a sub-object, the sub-object color is changed.
         * Because it is expensive to render the component completely, the MouseMotionListener
         * does not call repaint on the component. Instead, it gets the graphics context,
         * sets the color, and renders the component under the mouse pointer.
        class myComponent extends JPanel implements MouseMotionListener {
            private Ellipse2D.Double subObject = new Ellipse2D.Double( 10, 10, 200, 200 );
            private Color unselectedColor = Color.LIGHT_GRAY;
            private Color selectedColor = Color.RED;
            private Color renderColor = unselectedColor;
            public myComponent()
                addMouseMotionListener(this);
            // Painting is fine when this method is called by the system.
            public void paintComponent( Graphics g )
                super.paintComponent( g );
                // In the real component, many objects would be rendered here, but
                // this example component has only a single sub-object.
                renderMySingleSubObject( g );
            // But when this method is called by my mouse listener using the
            // graphics context from the containing JPanel, the circle is rendered on top
            // of the other JInternalFrame.
            private void renderMySingleSubObject( Graphics g )
                Graphics2D g2d = (Graphics2D) g;
                g2d.setColor( renderColor );
                g2d.fill( subObject );
             * If the mouse pointer is over my single sub-object, then change
             * the color from gray to red and render  the sub-object.
             * @param e The MouseEvent
            public void mouseMoved( MouseEvent e )
                if( subObject.contains( e.getX(), e.getY() ) )
                    renderColor = selectedColor;
                else
                    renderColor = unselectedColor;
                Graphics g = myComponent.this.getGraphics();
                // This graphics context does not have the clipping region set
                renderMySingleSubObject( g );
            public void mouseDragged( MouseEvent e )
        public static void main( String[] args )
            new GraphicsProblemDemo();
    }

    Checking the method description for the 'getGraphics' method in the Component api the first sentence says "Creates a graphics context for this component." Emphasize 'creates'. You can demonstrate the difference by printing the Graphics context g in each case. Checking for the clip in each returns null for the 'getGraphics' call.
                super.paintComponent( g );
                // In the real component, many objects would be rendered here, but
                // this example component has only a single sub-object.
                renderMySingleSubObject( g );
                System.out.println("paintComponent g = " + g);
                System.out.println("paintComponent g clip = " + g.getClip().toString());
                Graphics g = myComponent.this.getGraphics();
                System.out.println("getGraphics g = " + g);
                // NullPointer here...
                System.out.println("getGraphics g clip = " + g.getClip().toString());Suggests that 'getGraphics' might not be the way. You could, of course, check all the iframes and find out how much of the moused-over ellipse is visible and put together something to send along for the re-rendering...
    Here's another possibility. The repaint code doesn't recover well for mouse exits of the lower iframe into the upper but it will give an idea about economy and control.
    import javax.swing.*;
    import java.awt.*;
    import java.awt.geom.Ellipse2D;
    import java.awt.event.MouseEvent;
    import java.awt.event.MouseMotionListener;
    public class GPD extends JFrame {
        private static final int APP_FRAME_SIZE = 400;
        public GPD()
            JDesktopPane desktop = new JDesktopPane();
            setDefaultCloseOperation( JFrame.EXIT_ON_CLOSE );
            getContentPane().setLayout( new BorderLayout() );
            getContentPane().add( desktop, BorderLayout.CENTER );
            setSize( APP_FRAME_SIZE, APP_FRAME_SIZE );
            setVisible( true );
            // Create two JInternalFrames, each with a single component that
            // draws a filled circle.
            JInternalFrame frame = createInternalFrame( 0, 0 );
            frame.setVisible( true );
            desktop.add( frame );
            frame = createInternalFrame( 200, 200 );
            frame.setVisible( true );
            desktop.add( frame );
        public JInternalFrame createInternalFrame( int left, int top )
            JInternalFrame frame = new JInternalFrame( "", true, true, true, true );
            int INTERNAL_FRAME_SIZE = 300;
            frame.setBounds( left, top, INTERNAL_FRAME_SIZE, INTERNAL_FRAME_SIZE );
            myComponent shape = new myComponent();
            frame.add( shape );
            return frame;
        class myComponent extends JPanel implements MouseMotionListener {
            private Ellipse2D.Double subObject = new Ellipse2D.Double( 10, 10, 200, 200 );
            private Color unselectedColor = Color.LIGHT_GRAY;
            private Color selectedColor = Color.RED;
            private Color renderColor = unselectedColor;
            int count = 0;
            public myComponent()
                addMouseMotionListener(this);
            // Painting is fine when this method is called by the system.
            public void paintComponent( Graphics g )
                super.paintComponent( g );
                g.setColor( renderColor );
                ((Graphics2D)g).fill( subObject );
             * If the mouse pointer is over my single sub-object, then change
             * the color from gray to red and render  the sub-object.
             * @param e The MouseEvent
            public void mouseMoved( MouseEvent e )
                boolean colorHasChanged = false;
                if( subObject.contains( e.getX(), e.getY() ) )
                    if( renderColor == unselectedColor )
                        renderColor = selectedColor;
                        colorHasChanged = true;
                else if( renderColor == selectedColor )
                    renderColor = unselectedColor;
                    colorHasChanged = true;
                if( colorHasChanged )
                    System.out.println("repainting " + count++);
                    repaint();
            public void mouseDragged(MouseEvent e) { }
        public static void main( String[] args )
            new GPD();
    }

  • Does Firefox automatically detect when links to websites are no longer valid?

    There is a link within an application I am running. The link now points to an invalid URL. Does Firefox detect when links are not valid.

    Hello Dm.
    Although possibly not related to your problem, I will remind you that the version of Firefox you are using at the moment has been discontinued and is no longer supported. Furthermore, it has known bugs and security problems. I urge you to update to the latest version of Firefox, for maximum stability, performance, security and usability. You can get it for free, as always, at [http://www.getfirefox.com getfirefox.com].
    As for your issue, Firefox isn't able to detect if a link is not valid unless the server (where the site you are using is hosted) tells Firefox that it is not. Contact the site's webmaster about broken links.

  • Slices get messed up when linking

    Has anyone been having funny problems with slices when you
    make links for them? Linking messes up the whole page and breaks
    away all the other slices a bit. Yes, I realize they go back into
    place after linking by clicking on the outside. They do rearrange
    but are not connected by a couple of millimeters or less around all
    edges. I checked the border settings and they are zeroed. Any
    clues?

    > Any clues?
    First clue would be to validate the page - this sounds like
    invalid HTML to
    me....
    Murray --- ICQ 71997575
    Adobe Community Expert
    (If you *MUST* email me, don't LAUGH when you do so!)
    ==================
    http://www.projectseven.com/go
    - DW FAQs, Tutorials & Resources
    http://www.dwfaq.com - DW FAQs,
    Tutorials & Resources
    ==================
    "djprall" <[email protected]> wrote in
    message
    news:g8hvfv$9fu$[email protected]..
    > Has anyone been having funny problems with slices when
    you make links for
    > them?
    > Linking messes up the whole page and breaks away all the
    other slices a
    > bit.
    > Yes, I realize they go back into place after linking by
    clicking on the
    > outside. They do rearrange but are not connected by a
    couple of
    > millimeters or
    > less around all edges. I checked the border settings and
    they are zeroed.
    > Any
    > clues?
    >

  • How can i stop auto recall of username or email address when logging to websites esp facebook

    i have this annoying auto recall of username and passwords when i register or log-in to particular websites especially yahoo, facebook, etc
    i have often logged and didn't noticed that i have encoded my password as well in the username. now, it keeps remembering that wrong username with that password.
    how can i stop this? we have several users to a desktop.
    thanks!

    From the Safari menu bar, select
    Safari ▹ Preferences ▹ Extensions
    Turn all extensions OFF and test. If the problem is resolved, turn extensions back ON and then disable them one or a few at a time until you find the culprit.

  • No sounds when linked to YouTube from Facebook

    Why there is no sound neither through speakers nor through earphones when listening YouTube links posted in Facebook?

    could also check with an acura dealer to see if there is an update for your bluetooth software on the car.
    a new product like the iphone 5 is designed by the most up to date bluetooth regulations and frequencies and all that techno stuff, and if the software on your car is not up to date its going by 2010 specs.

  • Why oh why do I get "Invalid URL" when playing Mafia Wars on Facebook? Thank you very much. :)

    When going from the "Home" page to play Mafia Wars, I receive the message "Invalid URL" Can go back to Home page alright, but cannot return to Mafia Wars.

    * "Clear the Cache": Tools > Options > Advanced > Network > Offline Storage (Cache): "Clear Now"
    * "Remove the Cookies" from sites that cause problems: Tools > Options > Privacy > Cookies: "Show Cookies"
    Start Firefox in [[Safe Mode]] to check if one of the add-ons is causing the problem (switch to the DEFAULT theme: Tools > Add-ons > Themes).
    * Don't make any changes on the Safe mode start window.
    See:
    * [[Troubleshooting extensions and themes]]

  • On my HP laptop I get the following when booting up every time: "Apple Syn Notifier-Entry Ponint Not Found.  The procedure entry point sqlite3_wal_checkpoint could not be located in the dynamic link library SQLite3.dll

    On my HP laptop I get the following when booting up every time: "Apple Syn Notifier-Entry Ponint Not Found.  The procedure entry point sqlite3_wal_checkpoint could not be located in the dynamic link library SQLite3.dll
    I have to clear this everytime I boot up?

    With that one, perhaps first try uninstalling and reinstalling your MobileMe control panel. Does that clear up the error?

  • After installing an update Foxfire 5.0 I get this message when trying to open Mozilla: the procedure entry point sqlite3_db_status could not be located in the dynamic link library mozsqlite3.dll.

    I get this message when trying to open Mozilla: the procedure entry point sqlite3_db_status could not be located in the dynamic link library mozsqlite3.dll.

    Do a clean reinstall.
    Download a fresh Firefox copy and save the file to the desktop.
    * Firefox 5.0.x: http://www.mozilla.com/en-US/firefox/all.html
    * Uninstall your current Firefox version.
    * Do not remove personal data when you uninstall the current version.
    Remove the Firefox program folder before installing that newly downloaded copy of the Firefox installer.
    * It is important to delete the Firefox program folder to remove all the files and make sure that there are no problems with files that were leftover after uninstalling.
    Your bookmarks and other profile data are stored elsewhere in the [http://kb.mozillazine.org/Profile_folder_-_Firefox Firefox Profile Folder] and won't be affected by a reinstall, but make sure that you do not select to remove personal data if you uninstall Firefox.

  • When I put my Apple ID in to get apps it says I will receive an email with a link to verify my account I'm not getting the email or link

    When I put my Apple ID in to get apps it says I will receive an email with a link to verify my account I'm not getting the email or link. have iPhone 4

    Greetings Seahawks2014, 
    Thank you for contributing to the Apple Support Communities. 
    If you have not received a verification email from Apple, the tips in this article can help:
    If you didn't receive your verification or reset email - Apple Support
    Best Regards,
    Jeremy 

  • I am upgrading from Tiger to Snow Leopard. I keep getting an error when I try to load the Mac Os x update combined. It says that it was corrupted during download. Have try loading from Apple website V10.6.7 upgrade combined but it still won't do it?

    I have an Intel Desktop iMac and I am upgrading from Tiger to Snow Leopard. I keep getting an error when it tries to load the Mac OS X update combined. It says that it was corrupted during download. Have try loading from Apple website  Mac OS X V10.6.7 upgrade combined but it still won't do it? Any other suggestions. The printer is not working either - I am not sure if they are connected. Everything else is fine.

    Please excuse, but I have to ask an obvious question: Did you already update using the Snow Leopard Retail install DVD? (You must do this first; 10.6.7 is just an update if you already have 10.6.) Are you, then, trying to update from whatever version was on the install DVD to 10.6.7?
    Otherwise, I'd keep trying. The 10.6.7 Combo is a huge update.

  • After downloading Adobe Reader 11.0.6 I get "plugin failure" when I try to open a video link. Fix?

    After downloading and installing Adope Reader 11.0.6 I get "plugin failure" when I try to open a video link or watch a program in an archive.  How can I fix this?

    My browser is Safari in Mac OS 10.9.2.  Don't know if they are Flash videos, but it sounds likely.

  • I am trying to use firefox as the web lauch for citrix ica but when I go to login into remote site - I get the message waiting to find website but it nver finds the website. Has anyone else had this problem?

    I am trying to use firefox as the web lauch for citrix ica client but when I go to login into remote site - I get the message waiting to find website but it nver finds the website. Has anyone else had this problem?
    When I installed firefox, it asked if I wanted to use safari settings and I said yes but I think this might be causing the problem. Safari is no longer compatible with citrix ica client. When I reinstalled firefox it automatically installs the safari info. Does anyone know how to re-install firfox without installing safari info?

    Did anyone ever suggest you reset your PRAM?
    http://docs.info.apple.com/article.html?artnum=2238
    Also might want to try resetting the SMC, although I
    doubt there's an issue there.
    http://docs.info.apple.com/article.html?artnum=304123
    I'm getting tired of people who supposedly know what
    they're doing simply guessing that resinstalling the
    OS might solve the issue. It's like trying to dissect
    a frog with a sledge hammer, and wondering why you
    didn't learn anything about anatomy in the process.
    These sorts of things, although bizarre, should be
    (and probably are) fixable without major surgery.
    Thanks for the suggestion... but I think my first question would be why these parameters would need re-setting? This is a new machine... It has never been shut down hard. It is used at most 10 hours per week... mostly using Office 2004 for MAC. I need to figure this out as I will soon need it as a Cs2/CS3 - Aperture workhorse.
    I too agree that it is best not to use a sledge when a scalpel is needed... but as a novice to the MAC world I may have been misled by Apple support. I seems to have fixed the symptoms ( some) but appears NOT to have addressed the cause... which is what I am after.
    Would TechTool Pro detect a bad HD or RAM?
    Thanks....

  • TS3989 I keep getting this error when I click on the link inviting me to join a Photo Stream: "An error occurred while joining the Photo Stream. Please try again later. "

    I keep getting this error when I click on the link inviting me to join a Photo Stream: "An error occurred while joining the Photo Stream. Please try again later."
    I was the one who set up the Photo Stream and sent the link to myself. I called Apple and they said I did everything right and the server must be temporarily down, but it has been the same for the better part of a day.

    None of the fixes above worked for me.  Continued getting the "try again" error message. 
    Tryed a bunch of things, such as going directly to icloud on Safari to open the mail message, no luck.
    Tryed the following;
    Went to iCloud and logged in via Safari, clicked on my account name in top right corner, selected "Advanced" on drop down menu, and selected "Reset Photo Stream".
    Turned off Photo Stream on all devices and iPhoto.
    Turned on Shared Photo Stream option on Mac iCloud preferences.
    Tried the "Join This Photo Stream" button in my Mac Mail app .me account again.
    Still got the error message.
    Forwarded the original mail message to a yahoo account, selected "Join this Photo Stream" in the yahoo account mail (still in my Mac Mail app), and lo and behold, iPhoto opened and displayed the photos. 
    Could be this would have worked right from the start.
    Oh yea, still get the "try again" message if I click on the Photo Stream button in my .me account.

Maybe you are looking for

  • Proxy runtime configuration in PI 7.1

    Hi Experts, How to do proxy runtime configuration in PI 7.1? Please send any documents or link available for the same. Regards, Nidhi Kukreja

  • Make White Background of Movie Clip Transparent

    I have a .mov of an animated object on a white background. How do I make the white background transparent to get the composite effect of inserting the animation in another movie? I am using FCE 4.

  • Dynamic navigation structure

    Hi all, I want to implement a dynamic navigation structure that displays navigation nodes depending on the status of the user in the backend system. The scenario is as follows: - user gets access rights via roles and profiles in backend system - each

  • Short Dump while acessing external tables using DB Connect

    Hello SDN'rs, I am getting Short dump (below) when i am trying to look into the table contents using DB Connect. Please let me know how to resolve this problem. Is there any OSS Note on this?? External Database is Oracle; i can look into other tables

  • Why is the CC desktop app not recognizing installs of applications?

    CC app is installed but does not recognize any oc the instalations of adobe products ( full suite installed) When running updates through the applications they are run through application manager not the CC Desktop app.