I am getting odd graphic characters on my Joomla website administrator screen.

Would like to add a screenshot but cannot see how. Instead of the characters on the edit screen I am getting characters with EA2A (2A show below EA asnd bounded by a box) or EA2B, etc. Tried upgrading to Firefox 34 but made no difference. On my laptop everything is normal. What could be going wrong?

Please disregard my question.  I got it working again.  Just don't ask me how! Thanks!

Similar Messages

  • Odd graphics problem, eventually leads to forced reboot, or even BSOD

    I am fairly certain that this is firefox related, or plug in or maybe compatability issue, however I'm getting weird blocky graphics. which occasionlly seem to begin from a flash frame within a page, but I can't say this is 100% the cause. It looks like small multicolored boxes that are in odd patterns. and causes other odd graphics, it gets worse the longer I let it set. One time for the heck of it I rolled the scroll bar up and down about 10 times very quickly and it caused a BSOD. These odd graphics do not ever appear if I don't open Firefox (have been using IE today) but they do not disappear if I see them and then shut down Firefox. Usually I'm forced to reboot the computer because they take over too much of the screen, I can't see anything. It does change though, when I move windows and such, they are not limited to the Firefox window and spread to the empty desktop too.

    Checked settings for Flash and I couldn't find hardware acceleration. 1st tab on Settings Manager is "Storage" and gives options for saving information on my computer ie. "Allow sites to save information on this computer"
    2nd tab is Camera and Mic "Ask me when a site wants to use the camera or microphone"
    3rd is Playback "Ask me when a site wants to use peer-assisted networking"
    4th (last) is Advanced "Check for updates automatically" a couple other settings but no acceleration.

  • 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();
    }

  • Update Rule routine to get last 4 characters of a field

    I am aware I can do this using a formula.  However, can someone assist in writing the routine which gets the last four characters of a field.  The field is part of the COMM_STRUCTURE? Thanks

    Hi,
    For determining the length of the field, you have to use first the statement DESCRIBE so you get the figure into a variable (I do not have a SAP system right now, so errors can occur in the following):
    <b>data length type i.
    describe comm_structure-field length into length.
    length = length - 4.
    result = comm_structure-field+(length)(4).</b>
    However, please shift your field is RIGHT JUSTIFIED earlier than using these statements. Please consider the instruction SHIFT. That will insure you that you get the right characters.
    Regards

  • Can't get UTF-8 characters from XML file displayed correctly (Cocoa Touch)

    Hi there,
    I'm trying to read an XML file with Japanese and Korean characters (encoded UTF-8) into a String like
    NSString *s = [[NSString alloc] initWithContentsOfURL:[NSURL URLWithString:@"http://.../data1.xml"] encoding:NSUTF8StringEncoding error:&e];
    However, the output just gives me some wrong characters. I also tried use NSData, but the result was the same.
    The same when I parse the XML file with
    NSXMLParser *parser = [[NSXMLParser alloc] initWithContentsOfURL:URL];
    The parser function just gives back gibberish.
    When I write the data into a table cell (cell.text = ...), only the first character is displayed followed by "...".
    Where can I start looking to get this right? I'm not so experienced in Cocoa yet, so I feel that I'm missing something simple here...
    Thanks,
    Thomas

    I think so (haven't checked), but it is a really simple test xml which is not really error prone).
    But the problem is a different one, because I also just tried to read a txt file with some Japanese characters into an NSString using initWithContentsOfURL.
    When I print the string in the console, I only get messed up characters (the latin characters next to the Japanese are displayed fine).
    It is a general problem of reading out an UTF-8 file from an url.
    Spent the whole last night to google something helpful but couldn't find anything. Now I'm tired at work
    Thomas

  • Trying to log into a "go to webinar" session but can't get any alpha characters to appear on keyboard so I can type in the password

    Trying to log into a "go to webinar" session but can't get any alpha characters to appear on keyboard so I can type in the password - can anyone provide any help?

    The number keys are the main items that show up with the alpha letters also there like they are when you are in the phone dialing mode keypad.  Can't seem to get to the alpha characters.

  • How can get a Graphics to draw line on screen?

    How can get a Graphics to draw line on screen?
    Now, I can get a Graphics to draw line based on component. For example JPanel, but I want to get a Graphics to draw line on screen.

    By drawing on the screen, I assume you mean drawing outside the bounds of a top-level window like
    JFrame or JDialog. You can't do that. At least, without going native and even then that's a dodgey thing
    for any platform to let you do. One thing you can do is simulate it with a robot's screen capture:
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.image.*;
    import javax.swing.*;
    public class X {
        public static void main(String[] args) throws Exception {
            Rectangle bounds = GraphicsEnvironment.getLocalGraphicsEnvironment().getMaximumWindowBounds();
            BufferedImage image = new Robot().createScreenCapture(bounds);
            Graphics2D g2 = image.createGraphics();
            g2.setStroke(new BasicStroke(20));
            g2.setPaint(Color.RED);
            g2.drawLine(0, 0, bounds.width, bounds.height);
            g2.drawLine(bounds.width, 0, 0, bounds.height);
            g2.dispose();
            JLabel label = new JLabel(new ImageIcon(image));
            label.addMouseListener(new MouseAdapter(){
                public void mousePressed(MouseEvent evt) {
                    System.exit(0);
            JFrame f = new JFrame();
            f.setUndecorated(true);
            f.getContentPane().add(label);
            f.setBounds(bounds);
            f.setVisible(true);
    }

  • Unable to get the graphical display of Business process in BPMon

    Hi,
    I am working on solution manager 7.1. I have set up a business process for monitoring in the BPMon session. But i am not getting the graphical display in the business process operations workcenter in the graphical view tab.
    Can anyone tell me how can i get that.
    Regards
    Vishal

    Hi,
    Please run run report RTCCTOOL and see if any addon is not up-to-date.
    Please run this repport and follow the recommendations to update those
    components to the latest status.
    Afterwards please also intall the latest version of following note: 1570282 - Advance Corr. BPMon ST-A/PI 01N
    Finally please deactivate BPMon, regenerate and re-activate agin.
    Also check BPM troubleshooting guide:
    https://websmp102.sap-ag.de/~sapdownload/011000358700001186112010E/
    Troubleshooting_for_BPMon.pdf
    Thanks
    Vikram

  • How can I get last 3 characters of the record

    Hello,
    This statement [cdoe]select substr(password,1,3) from admin; is getting first 3 characters whereas I want to read last 3 characters
    Best regards

    TRy SUBSTR(string, -3):
    SQL> -- generating sample table t
    SQL> with t as (
      2  select 'blabla' str from dual union
      3  select 'yaddahyaddah' from dual
      4  )
      5  --
      6  -- actual query:
      7  --
      8  select str
      9  ,      substr(str, -3)
    10  from   t;
    STR          SUB
    blabla       bla
    yaddahyaddah dah
    2 rows selected.

  • 10.6.5 update - 27" iMac, Radeon 5750 odd graphics behaviours?

    I updated my new iMac 27" to OS 10.6.5 today and have seen some odd graphics behaviours.
    1. Dock icon for Activity Monitor becomes transparent. Running AM, hidden showing CPU history
    2. White rectangle at bottom of expanding folder (list view)
    3. OK Button blue/white check mark pattern when configuring VPN. GUI feels "slow"
    I updated using the Software Update tool; noticed these issues and re-updated using the Combo Installer; no change.
    Any ideas or suggestions? Is this just me? I have a MacBook -- no probems at all!

    N Gallagher,
    I had the problem earluer, but it got far worse with 10.6.5, however, I fixed it by updating my wacom tablet driver.
    It wasn't the system update, but an old driver causing the problem.
    Resetting PRAM, SMC and permissions and all the other standard drivel people post is nice sentiments, but it should be clear that the problem is something else because that solution hasn't solved the problem for anyone.
    I have the sneaky suspicion that it's old flash and old drivers for most people.
    See my original post here: http://discussions.apple.com/thread.jspa?messageID=12570261#12570261
    BUT. If you have a Wacom tablet, for to their website and download the latest driver from September 10, 2010.
    That's all it took for all my graphics problems to go away.

  • I can not get amd graphics update to download keeps telling me error in download process

    HP Pavilion G6 can't get amd graphics driver to download or update ...keep getting error message that needs downlaoded and then error message that downlaod error occured. Not sure what to do.

    Krypt0nit3 wrote:
    I've got the same problem 
    HP PAVILION G6 1007SL  LQ645EA . please help me .
    I had no problem downloading sp55081 (the AMD switchable graphics software & driver) from here.  It is a large software package at 174.98MB, but it will download.
    ****Please click on Accept As Solution if a suggestion solves your problem. It helps others facing the same problem to find a solution easily****
    2015 Microsoft MVP - Windows Experience Consumer

  • Sample code to get 1st 5 characters of a field and also how to use help ?

    hi ABAP4 experts,
    We are kind of new at ABAP4. We'd be appreciated if you would provide sample code to get 1st 5 characters of a field and also let us know on how to use ABAP4 help to look for such kind solution that next time we don't have to bother you guys here!
    We will give you reward points!
    Message was edited by: Kevin Smith

    Hi Kevin,
    here is the Example for the offset which you want
    DATA TIME TYPE T VALUE '172545'.
    WRITE TIME.
    WRITE / TIME+2(2).
    CLEAR TIME+2(4).
    WRITE / TIME.
    <u>The output appears as follows:</u>
    172545
    25
    170000
    <i>First, the minutes are selected by specifying an offset in the WRITE statement. Then, the minutes and seconds are set to their initial values by specifying an offset in the clear statement.</i>
    <b>2nd Example:-</b>
    DATA: F1(8) VALUE 'ABCDEFGH',
    F2(8).
    DATA: O TYPE I VALUE 2,
    L TYPE I VALUE 4.
    MOVE F1 TO F2.      WRITE F2.
    MOVE F1+O(L) TO F2.      WRITE / F2.
    MOVE F1 TO F2+O(L). WRITE / F2.
    CLEAR F2.
    MOVE F1 TO F2+O(L). WRITE / F2.
    MOVE F1O(L) TO F2O(L). WRITE / F2.
    This produces the following output:
    ABCDEFGH
    CDEF
    CDABCD
      ABCD
      CDEF
    First, the contents of F1 are assigned to F2 without offset specifications. Then, the same happens for F1 with offset and length specification. The next three MOVE statements overwrite the contents of F2 with offset 2. Note that F2 is filled with spaces on the right, in accordance with the conversion rule for source type C.
    if you want more info
    http://help.sap.com/saphelp_nw04/helpdata/en/fc/eb341a358411d1829f0000e829fbfe/content.htm
    http://help.sap.com/saphelp_nw04/helpdata/en/fc/eb3294358411d1829f0000e829fbfe/content.htm
    hope this solves your Problem
    Thanks
    Sudheer

  • How to get rid of the SAP BPC "three globes" startup screen?

    Hi,
    I am trying to figure out how to get rid of the SAP BPC "three globes" startup screen when we start BPC. I do not want it to pop up.
    I looked at VBA behind the workbooks but could not find anything. Could not make the sheet invisible.
    Is there a way to get rid of the screen? This is the screenshot
    www.flickr.com/photos/chalinka/3471310254/
    Thanks!

    Just found the answer on this very forum!
    Re: How to change the logo, (3 Globes) on the launch page
    Posted: Mar 18, 2009 12:46 PM in response to: David Fletcher Reply
    OK then, now v7sp03 for microsoft has hit the shelves, you can change the logo !!!
    It is quite easy.
    Have the logo file ready in either BMP, GIF or JPG format.
    Put it in your "Server Install -> DataWebFolders[Appset]" folder (so where you keep your files).
    In ApplicationSet parameters, add the parameter COMPANY_LOGO and in the options type the name of the file you just put on the server.
    Now if you restart BPC for Excel, the second excel page that pops up should be showing your new logo or graphic (mine did).
    The use of the logo has been documented in the admin manual -> working with appset parameters
    Some tips.
    I wanted not to clutter the filesystem so i put my logo in the appsetpublications folder and added the path accordingly in the parameter (so now it reads appsetpublicationslogoname.jpg instead of just logoname.jpg).
    If you do not supply a name (only the parameter), your second Excel window (normally holding the graphic) will not appear. That could be an alternative too if you find that whole thing annoying.
    Hope this helps you build great BPC apps,
    Edwin van Geel

  • Business graphics Customizing chart not found; contact administrator in MSS

    Hi All,
    We are getting error Business graphics Customizing chart not found; contact administrator in MSS-->Home Service only for one user but for remaining users it is working fine. Please find the below screenshot.
    Please provide your inputs......
    Regards,
    Rahul.

    go to t -code st01 and switch on the trace on top and tick the buttons in that and after that ....check for working  manager user id  first and do it  with this user which is not working u can know  any authorisations are missing assign them for this user ..ur issue will be solved

  • How do I get rid of the 3d effect when opening home screen? It gives me a headache.

    How do I get rid of the 3d effect when opening home screen? It gives me a headache.

    jimginakouri wrote:
    It's more of a "zoom-in/zoom-out" every time you turn on home screen or open/close an app.
    THAT you can't change. Silly of Apple not to provide a setting to back out the animation effects either as a whole or individually.

Maybe you are looking for

  • Default values for confirmation control key

    Dear forum I am using a confirmation control key 0004 Shipping notification (standard SAP) in the Purchase order line item (created with ME21n). When I enter the confirmation data (with transaction ME22n) in the purchase order line item (confirmation

  • Reader 9.3 critical failure

    I recently had the auto updater install reader 9.3 on my system and after a reboot acrobat reader simply will not function on any level. The update seems to have caused corruption to other windows functions as a few in house apps, daemon tools, and s

  • How do i get rid of duplicates in contacts

    I always seem to have 1 or 2 duplicates of a majority of contact files. Does this have something to do with Cloud backup or is there some app to organize things better?

  • XI Certification Material

    Hi XI Gurus, <Removed> Regards Masthan S Tappa Edited by: Prateek Raj Srivastava on Dec 21, 2010 10:41 AM

  • What do you do if you forget the answers to your security questions?

    I forgot the answers to my security questions...what do I do?