I am unable drag and drop icons on to customized toolbar... they simply will not drag How do I resolve this? Do I need to download something?

I click to customize toolbar and add a new one. Then I try to drag an icon from the panel onto the new toolbar. Nothing. I am unable to do so. None of the icons are grabbable, despite the fact that the fat hand appears when I hover over them, indicating that they are ready for drag and drop (or at least that is what I am programmed to think)

See:
* http://kb.mozillazine.org/Corrupt_localstore.rdf
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 > Appearance/Themes).
* Don't make any changes on the Safe mode start window.
See:
* [[Troubleshooting extensions and themes]]

Similar Messages

  • My ipod is stuck in recovery mode and will not restore how did i fix this?

    my ipod is syuck in recovery mode and when i try to restore my ipod it will not work how do i fix this?

    Hi,
    Try here:  http://support.apple.com/kb/HT1808. 
    Hope this helps! 
    ---likeabird---

  • Drag and drop icons from onside of the split pane to the other side.

    Hello All,
    I am tring to write a program where i can drag and drop icons from the left side of the split pane to the right side. I have to draw a network on the right side of the split pane from the icons provided on the left side. Putting the icons on the labels donot work as i would like to drag multiple icons from the left side and drop them on the right side. CAn anyone please help me with this.
    Thanks in advance
    smitha

    The other option besides the drag_n_drop support
    http://java.sun.com/docs/books/tutorial/uiswing/dnd/intro.htmlis to make up something on your own. You could use a glasspane (see JRootPane api for overview) as mentioned in the tutorial.
    Here's another variation using an OverlayLayout. One advantage of this approach is that you can localize the overlay component and avoid some work.
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.image.BufferedImage;
    import java.io.*;
    import javax.imageio.ImageIO;
    import javax.swing.*;
    import javax.swing.event.MouseInputAdapter;
    public class DragRx extends JComponent {
        JPanel rightComponent;
        BufferedImage image;
        Point loc = new Point();
        protected void paintComponent(Graphics g) {
            Graphics2D g2 = (Graphics2D)g;
            g2.setRenderingHint(RenderingHints.KEY_ANTIALIASING,
                                RenderingHints.VALUE_ANTIALIAS_ON);
            if(image != null)
                g2.drawImage(image, loc.x, loc.y, this);
        public void setImage(BufferedImage image) {
            this.image = image;
            repaint();
        public void moveImage(int x, int y) {
            loc.setLocation(x, y);
            repaint();
        public void dropImage(Point p) {
            int w = image.getWidth();
            int h = image.getHeight();
            p = SwingUtilities.convertPoint(this, p, rightComponent);
            JLabel label = new JLabel(new ImageIcon(image));
            rightComponent.add(label);
            label.setBounds(p.x, p.y, w, h);
            setImage(null);
        private JPanel getContent(BufferedImage[] images) {
            JSplitPane splitPane = new JSplitPane();
            splitPane.setLeftComponent(getLeftComponent(images));
            splitPane.setRightComponent(getRightComponent());
            splitPane.setResizeWeight(0.5);
            splitPane.setDividerLocation(225);
            JPanel panel = new JPanel();
            OverlayLayout overlay = new OverlayLayout(panel);
            panel.setLayout(overlay);
            panel.add(this);
            panel.add(splitPane);
            return panel;
        private JPanel getLeftComponent(BufferedImage[] images) {
            JPanel panel = new JPanel(new GridBagLayout());
            GridBagConstraints gbc = new GridBagConstraints();
            gbc.weightx = 1.0;
            gbc.weighty = 1.0;
            for(int j = 0; j < images.length; j++) {
                gbc.gridwidth = (j%2 == 0) ? GridBagConstraints.RELATIVE
                                           : GridBagConstraints.REMAINDER;
                panel.add(new JLabel(new ImageIcon(images[j])), gbc);
            CopyDragHandler handler = new CopyDragHandler(panel, this);
            panel.addMouseListener(handler);
            panel.addMouseMotionListener(handler);
            return panel;
        private JPanel getRightComponent() {
            rightComponent = new JPanel(null);
            MouseInputAdapter mia = new MouseInputAdapter() {
                Component selectedComponent;
                Point offset = new Point();
                boolean dragging = false;
                public void mousePressed(MouseEvent e) {
                    Point p = e.getPoint();
                    for(Component c : rightComponent.getComponents()) {
                        Rectangle r = c.getBounds();
                        if(r.contains(p)) {
                            selectedComponent = c;
                            offset.x = p.x - r.x;
                            offset.y = p.y - r.y;
                            dragging = true;
                            break;
                public void mouseReleased(MouseEvent e) {
                    dragging = false;
                public void mouseDragged(MouseEvent e) {
                    if(dragging) {
                        int x = e.getX() - offset.x;
                        int y = e.getY() - offset.y;
                        selectedComponent.setLocation(x,y);
            rightComponent.addMouseListener(mia);
            rightComponent.addMouseMotionListener(mia);
            return rightComponent;
        public static void main(String[] args) throws IOException {
            String[] ids = { "-c---", "--g--", "---h-", "----t" };
            BufferedImage[] images = new BufferedImage[ids.length];
            for(int j = 0; j < images.length; j++) {
                String path = "images/geek/geek" + ids[j] + ".gif";
                images[j] = ImageIO.read(new File(path));
            JFrame f = new JFrame();
            f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            f.add(new DragRx().getContent(images));
            f.setSize(500,400);
            f.setLocation(200,200);
            f.setVisible(true);
    class CopyDragHandler extends MouseInputAdapter {
        JComponent source;
        DragRx target;
        JLabel selectedLabel;
        Point start;
        Point offset = new Point();
        boolean dragging = false;
        final int MIN_DIST = 5;
        public CopyDragHandler(JComponent c, DragRx dr) {
            source = c;
            target = dr;
        public void mousePressed(MouseEvent e) {
            Point p = e.getPoint();
            Component[] c = source.getComponents();
            for(int j = 0; j < c.length; j++) {
                Rectangle r = c[j].getBounds();
                if(r.contains(p) && c[j] instanceof JLabel) {
                    offset.x = p.x - r.x;
                    offset.y = p.y - r.y;
                    start = p;
                    selectedLabel = (JLabel)c[j];
                    break;
        public void mouseReleased(MouseEvent e) {
            if(dragging && selectedLabel != null) {
                int x = e.getX() - offset.x;
                int y = e.getY() - offset.y;
                target.dropImage(new Point(x,y));
            selectedLabel = null;
            dragging = false;
        public void mouseDragged(MouseEvent e) {
            Point p = e.getPoint();
            if(!dragging && selectedLabel != null
                         && p.distance(start) > MIN_DIST) {
                dragging = true;
                copyAndSend();
            if(dragging) {
                int x = p.x - offset.x;
                int y = p.y - offset.y;
                target.moveImage(x, y);
        private void copyAndSend() {
            ImageIcon icon = (ImageIcon)selectedLabel.getIcon();
            BufferedImage image = copy((BufferedImage)icon.getImage());
            target.setImage(image);
        private BufferedImage copy(BufferedImage src) {
            int w = src.getWidth();
            int h = src.getHeight();
            BufferedImage dst =
                source.getGraphicsConfiguration().createCompatibleImage(w,h);
            Graphics2D g2 = dst.createGraphics();
            g2.drawImage(src,0,0,source);
            g2.dispose();
            return dst;
    }geek images from
    http://java.sun.com/docs/books/tutorial/uiswing/examples/components/index.html

  • Drag and drop to create a custom step

    Hi,
    I have a custom insertion palette in my custom user-interface. I want to allow the user to drag the step from the custom insertion palette into the sequence designer, like the original insertion palette. The custom insertion palette is in WPF.
    The data format for the drag and drop object is
    e.Data.GetFormats()
      {string[1]}
        [0]: "SeqEditor New Step Binary"
    The data is actually a MemoryStream:
    e.Data.GetData(e.Data.GetFormats()[0])
      {System.IO.MemoryStream}
        base {System.IO.Stream}: {System.IO.MemoryStream}
        CanRead: true
        CanSeek: true
        CanWrite: true
        Capacity: 6936
        Length: 6936
        Position: 0
    So it's actually some Unicode text if I read it with StreamReader:
    new StreamReader((Stream)e.Data.GetData(e.Data.GetFormats()[0]),Encoding.Unicode).ReadToEnd()
    "E@=3@JKZ100h\\L]JDYcLO7e9@FLU:h9iM]>5Uf16W>Hii091DHkYGJKJHMd[<...
    What's the proper way for me to implement the drag and drop feature for my custom insertion palette? I'm thinking to create a similar MemoryStream but I can't understand the format of the data.
    Thanks.
    Solved!
    Go to Solution.

    Please note that the clipboard format is not something we intend for users to create directly, and it might change in a future version of TestStand. So, if you do this, keep in mind it's possible it might not work in a future version of TestStand (i.e. we do not support creating clipboard items directly).
    That said, it might be possible to get it to work in current versions of TestStand as follows (I haven't tried to do exactly what you are doing, but here is how our format is currently generated):
    PropertyObject[] stepPropObjects = new PropertyObject[1];
    Step newStep = templateOfStep.AsPropertyObject().Clone("", PropertyOptions.PropOption_CopyAllFlags | PropertyOptions.PropOption_DoNotShareProperties) as Step;
    newStep.CreateNewUniqueStepId();
    stepPropObjects[0] = newStep as PropertyObject;
    DataObject dataObject = new DataObject();
    DataFormats.Format stepFormat = DataFormats.GetFormat("SeqEditor New Step Binary");
    string serializedPropertyObject = this.Engine.SerializeObjects(stepPropObjects, SerializationOptions.SerializationOption_UseBinary);
    serializedPropertyObject += "F"; // False for isEditCut (thus unique ID's will be created on paste).
    System.Text.UnicodeEncoding encodingForStrConv = new System.Text.UnicodeEncoding();
    byte[] buffer = encodingForStrConv.GetBytes(serializedPropertyObject);
    MemoryStream vvClipData = new MemoryStream(buffer);
    dataObject.SetData(stepFormat.Name, false, vvClipData);
    Hope this helps,
    -Doug

  • Hi i want to take a sequence from one timeline and drop it in another timelien without having to reedit the sequence. how do i do this thanks

    hi i want to take a sequence from one timeline and drop it in another timelien without having to reedit the sequence. how do i do this thanks

    leeg
    Your new thread was a success.
    Our original discussions on transferring content from one Premiere Elements project to another can be found
    What am I missing?
    in posts 4, 5, 6, and 7 of the above link.
    Good choice in deciding to go with the export from project 1 into project 2.
    Thanks again for your follow up and good work.
    ATR

  • Speaker on phone calls will not work, how can I fix this? I have already done system restart and reset to manufature default.

    speaker on phone calls will not work, how can I fix this? I have already done system restart and reset to manufature default. I also have no voice with Safari or any other apps including music!

    If your speaker is broken, then you may need to get a repair done.
    Are you unable to hear anything at all, or is it just one speaker in particular?
    If it is just one speaker, where's it located?

  • I've bought and downloaded music from itunes, but the ends of almost all my songs are cut off and will not play, how can I fix this?

    I've bought and downloaded music from itunes, but the ends of almost all my songs are cut off and will not play, how can I fix this? Most of the music cuts off abouthalf way through the song, then it skips to the next one. Itunes also says I have not purchased the album though it is listed under my purchased albums. It's incrediabley frustrating, please help.

    go to the itunes store. select more in the bottom right select purchased. then press the cloud icon to DL striaght to the phone. Id use wifi. you can also DL into computer then synv over to phone.

  • As of 2 months ago, I cannot fully access Facebook using either Safari or Firefox browsers. I have a Mac G5 running OSX 10.5.8, Safari 5.0.6 and Firefox 3.6.28. Does anyone have any sugesstions on how I can resolve this?

    As of 2 months ago, I cannot fully access Facebook using either Safari or Firefox browsers. I have a Mac G5 running OSX 10.5.8, Safari 5.0.6 and Firefox 3.6.28. Does anyone have any suggestions on how I can resolve this?

    Aha, a PPC Mac!
    The last really supported Flash for PPC was 10.1.102.64, but if it's for like Facebook or such, people have been fooling FB to think they have a later version installed.
    Texas Mac Man's Flash hack/post...
    https://discussions.apple.com/thread/3599648?tstart=0
    Flash player 11.1 hack on PowerPC - https://discussions.apple.com/message/16990862
    See in each Browser which version of Flash it thinks it has...
    http://kb2.adobe.com/cps/155/tn_15507.html

  • I recently purchased the iPhone 5 and my itunes account on my iMac 7,1 will not recognize it as a device. My imac has stopped downloading new updates, it says it is up to date with iTunes 9.2.1. My imac will not run the newest 10.7 itunes either. HELP!!

    I recently purchased the iPhone 5 and my itunes account on my iMac 7,1 will not recognize it as a device. My imac has stopped downloading new updates, it says it is up to date with iTunes 9.2.1. My imac will not run the newest 10.7 itunes either. All I want to do is put my music from itunes on my computer to my new phone. HELP please!!

    i called apple and they are sending me snow leopard so i should, *fingers crossed, be able to run the newer version of itunes. we'll find out for sure in a few days when it arrives

  • I just upgraded to mountain lion osx and now my applications are crossed out and out of date. they will not run. how do i fix this?

    I just upgraded to mountain lion osx and now my applications are crossed out and out of date. they will not run. how do i fix this?

    Here is a recent post I assembled for a similar question:
    Unfortunately you got caught up in the minor miracle of Rosetta.  Originally licensed by Apple when it migrated from the PowerPC CPU platform that it had used from the mid-1990's until the Intel CPU platform in 2006, Rosetta allowed Mac users to continue to use their library of PPC software transparently in emulation.
    However, Apple's license to continue to use this technology expired with new releases of OS X commencing with Lion (and now Mountain Lion).  While educational efforts have been made over the last 6 years, the fact is that Rosetta was SO successful that many users were caught unaware UNTIL they upgraded to Lion or Mountain Lion.
    Workarounds:
    1. If your Mac will support it, restore OS X Snow Leopard;
    2.  If your Mac will support it, partition your hard drive or add an external hard drive and install Snow Leopard into it and use the "dual-boot" method to choose between your PowerPC software or Lion/Mt. Lion;
    3.  Upgrade your software to Intel compatible versions if they are available, or find alternative software that will open, modify and save your data files;
    3.  Install Snow Leopard (with Rosetta) into Parallels:
                                  [click on images to enlarge]
    Full Snow Leopard installation instructions here:
    http://forums.macrumors.com/showthread.php?t=1365439
    NOTE:  Computer games with complex, 3D or fast motion graphics make not work well or at all in virtualization.

  • I updated to java 7 and now my yahoo games will not work, how do i fix this?

    i updated to java 7 and now my yahoo games will not work, how do I fix this?

    kathieaross,
    click on the Java pane in System Preferences. When the Java Control Panel window opens, click on the Security tab, and set your Security Level to Medium — that will allow “untrusted” applications (i.e. those without certificates from a trusted authority) to run. Press the Apply button in the lower-right corner to confirm the change, then press the OK button to close the window.
    Apparently your Yahoo! card games don’t have certificates associated with them, which is why the default security setting of Java SE 7 Update 51 didn’t allow them to run.

  • Itunes only recongnizes my ipod as a camera and will not sync, how do you fix this?

    itunes only recongnizes my ipod as a camera and will not sync, how do you fix this?

    See here: http://support.apple.com/kb/TS1369 Windows
    or here: http://support.apple.com/kb/TS1591 Mac OS X

  • Desktop drag and drop icon for my "other" computer

    i really need an icon for my MacBookPro desktop to reside on my Mac Pro desktop (and vice versa) so that I can just drag and drop copy (or move) data from one volume to another. sort of like what I have with my dropbox icon in the sense that I can just keep this on my desktop and in the View Pane of Finder and drag and drop items or open the volume etc.
    is this possible and i am just not getting it to work because i don't have things set to mount automatically or is there a restriction that does not allow this that I don't understand?
    i am on snow leopard and the connection is via wi, but I could plug in via ethernet when i know i will need to do this sort of moving of data a lot.
    thanks for clearing any of this up for me.
    - jon

    if as3, create a sprite or movieclip and use:
    image1.addEventListener(MouseEvent.MOUSE_DOWN,downF);
    image1.addEventListener(MouseEvent.MOUSE_UP,upF);
    function downF(e:MouseEvent):void{
    Sprite(e.currentTarget).startDrag();
    function upF(e:MouseEvent):void{
    Sprite(e.currentTarget).stopDrag();

  • Drag and drop icons

    hello world....
    in the process of learning i'm trying to create a small java app that resizes and processes graphics, (using imagemagick api).
    what i'd like to be able to do is drag the icon (or shortcut) to my java app and then have the app process that, just as a windows app would do. in fact all i need really is the location of the file the user has dragged and dropped onto my app, although it would be nice if i could indicate somewhere that the file was being processed!
    i understand the use of the drag and drop re the text within java, but how do i go about dragging an external icon over a java app and having that pass me the file location (which is actually all i need...)
    thanks in advance!

    i understand the use of the drag and drop re the text
    within java, Are you sure?
    Read this:
    http://java.sun.com/docs/books/tutorial/uiswing/misc/dnd.html

  • Drag and drop icons between regions

    I have two regions in a page. Each of the regions show employers available in different departments and each employer is represented with icons. is it possible to drag and drop employees between these two regions (departments) and finally save the latest changes made to the employes/deparments into the table?. any ideas are appreciated.
    thanks,
    Surya

    Yes it is possible, but not so easy. If you'll be at OOW this year, you can come to my session (S301752, Monday 13:00-14:00) - I will show something similar there. If you're not so lucky, you can read the excellent blogpost of my colleague at [http://rutgerderuiter.blogspot.com/2008/07/drag-planboard.html]
    Cheers
    Roel

Maybe you are looking for

  • How do I add a time stamp to the moving "Major Grid Lines" of a Waveform Chart?

    Hello I am using LV 8.5.1 I am using a Waveform Chart and I have turned on the "Major Grid LInes" using the properties tab of my waveform chart. (properties-->scale->grid lines) When the code executes, I want to attach  a time stamp to each moving ye

  • Need to see ALL files in folder when saving from Word 2003 OR Word 2013 program

    Here is the issue.... A customer of mine has the need to save files in order (Communications with customers by date and time) BUT..... when saving the file word does not let him see ALL the documents (.doc AND .docx) in the save dialog. (I know we co

  • The first character in a string

    I need to return the first character of a string, convert it to an integer, and compare it with another integer to see if they're the same. Sounds simple, even for me, but it won't work!!! // First question > Object userValue1 = JOptionPane.showInput

  • Can i hide desktop icons?

    is it possible to have no icons on the desktop showing. for example, in windows i just right click on the desktop, arrange icons by, and then click show desktop icons. which either hides/shows the desktop icons. is it possible to do something similar

  • Deployment failed error - need of five star - please answer this

    Dear All , One of 100 error iam facing daily on LV 8.0 I have made my project in my laptop and started the application  it work fine in laptop . but same .lvlib file i have transfered to server (only modification i did is in the shared variable) iam