Drag and drop tab to bookmark, now add to bottom (previously on the top)

For some reason, I forgot which version, drag and drop tab to bookmark folder, add the new bookmark on the bottom. Previously, it was added to the top of the list. How can I restore this function? I would like new bookmark on the top, not bottom.
Thanks

New bookmarks are always added at the bottom in bare Firefox without installed extensions.
An extension can modify this behavior and allow to add the new bookmark at the top.
Did you check the settings in "Add Bookmark Here" extension?
Also make sure that you have the latest version of all extensions.

Similar Messages

  • I can't drag and drop tabs or bookmarks in Firefox. I do not have Torbutton either.

    I know some people were having issues with certain add-ons like torbutton. I actually don't have any add-ons installed for Firefox. I have tried resetting Firefox, restarting it in safe mode, disabling all of my plugins, and reinstalling it all together. Nothing has worked. I am using Windows 8 consumer preview, not sure if that has anything to do with it. I only recently started having this problem, and I haven't done anything to modify or change Firefox recently.

    What exactly did you install?  Adobe Send is an online service https://new.acrobat.com/en_us/products/adobesend.html not an installed app.

  • Drag and drop tabs not working

    Dragging and dropping tabs no longer works. I cannot drag a tab out to a new window or reorder the tabs. This used to work and is a very nice feature. Reordering bookmarks by dragging them around also appears to be broken.
    Disabling plugins or resetting Firefox did not help.

    Start Firefox in <u>[[Safe Mode]]</u> to check if one of the extensions or if hardware acceleration is causing the problem (switch to the DEFAULT theme: Firefox/Tools > Add-ons > Appearance/Themes).
    *Don't make any changes on the Safe mode start window.
    *https://support.mozilla.org/kb/Safe+Mode
    *https://support.mozilla.org/kb/Troubleshooting+extensions+and+themes

  • How to drag and drop tab nodes between tab panes

    I'm working on example from this tutorial( Drag-and-Drop Feature in JavaFX Applications | JavaFX 2 Tutorials and Documentation ). Based on the tutorial I want to drag tabs between two tabs. So far I managed to create this code but I need some help in order to finish the code.
    Source
    tabPane = new TabPane();
    Tab tabA = new Tab();
       Label tabALabel = new Label("Main Component");
    tabPane.setOnDragDetected(new EventHandler<MouseEvent>()
                @Override
                public void handle(MouseEvent event)
                    /* drag was detected, start drag-and-drop gesture*/
                    System.out.println("onDragDetected");
                    /* allow any transfer mode */
                    Dragboard db = tabPane.startDragAndDrop(TransferMode.ANY);
                    /* put a string on dragboard */
                    ClipboardContent content = new ClipboardContent();
                    content.put(DataFormat.PLAIN_TEXT, tabPane);
                    db.setContent(content);
                    event.consume();
    What is the proper way to insert the content of the tab as object? Into the tutorial simple text is transferred. How I must modify this line content.put(DataFormat.PLAIN_TEXT, tabPane);?
    And what is the proper way to insert the tab after I drag the tab:
    Destination
    tabPane.setOnDragDropped(new EventHandler<DragEvent>()
                @Override
                public void handle(DragEvent event)
                    /* data dropped */
                    /* if there is a string data on dragboard, read it and use it */
                    Dragboard db = event.getDragboard();
                    boolean success = false;
                    if (db.hasString())
                        //tabPane.setText(db.getString());
                        Tab tabC = new Tab();
                        tabPane.getTabs().add(tabC);
                        success = true;
                    /* let the source know whether the string was successfully
                     * transferred and used */
                    event.setDropCompleted(success);
                    event.consume();
    I suppose that this transfer can be accomplished?
    Ref javafx 2 - How to drag and drop tab nodes between tab panes - Stack Overflow

    I would use a graphic (instead of text) for the Tabs and call setOnDragDetected on that graphic. That way you know which tab is being dragged. There's no nice way to put the Tab itself into the dragboard as it's not serializable (see https://javafx-jira.kenai.com/browse/RT-29082), so you probably just want to store the tab currently being dragged in a property.
    Here's a quick example; it just adds the tab to the end of the current tabs in the dropped pane. If you wanted to insert it into the nearest location to the actual drop you could probably iterate through the tabs and figure the coordinates of each tab's graphic, or something.
    import java.util.Random;
    import javafx.application.Application;
    import javafx.beans.property.ObjectProperty;
    import javafx.beans.property.SimpleObjectProperty;
    import javafx.event.EventHandler;
    import javafx.scene.Scene;
    import javafx.scene.control.Label;
    import javafx.scene.control.Tab;
    import javafx.scene.control.TabPane;
    import javafx.scene.input.ClipboardContent;
    import javafx.scene.input.DragEvent;
    import javafx.scene.input.Dragboard;
    import javafx.scene.input.MouseEvent;
    import javafx.scene.input.TransferMode;
    import javafx.scene.layout.StackPane;
    import javafx.scene.layout.VBox;
    import javafx.stage.Stage;
    public class DraggingTabPane extends Application {
      private static final String TAB_DRAG_KEY = "tab" ;
      private ObjectProperty<Tab> draggingTab ;
    @Override
      public void start(Stage primaryStage) {
      draggingTab = new SimpleObjectProperty<>();
      TabPane tabPane1 = createTabPane();
      TabPane tabPane2 = createTabPane();
      VBox root = new VBox(10);
      root.getChildren().addAll(tabPane1, tabPane2);
      final Random rng = new Random();
      for (int i=1; i<=8; i++) {
        final Tab tab = createTab("Tab "+i);
        final StackPane pane = new StackPane();
          int red = rng.nextInt(256);
          int green = rng.nextInt(256);
          int blue = rng.nextInt(256);
        String style = String.format("-fx-background-color: rgb(%d, %d, %d);", red, green, blue);
        pane.setStyle(style);
        final Label label = new Label("This is tab "+i);
        label.setStyle(String.format("-fx-text-fill: rgb(%d, %d, %d);", 256-red, 256-green, 256-blue));
        pane.getChildren().add(label);
        pane.setMinWidth(600);
        pane.setMinHeight(250);
        tab.setContent(pane);
        if (i<=4) {
          tabPane1.getTabs().add(tab);
        } else {
          tabPane2.getTabs().add(tab);
      primaryStage.setScene(new Scene(root, 600, 600));
      primaryStage.show();
      public static void main(String[] args) {
      launch(args);
      private TabPane createTabPane() {
        final TabPane tabPane = new TabPane();
        tabPane.setOnDragOver(new EventHandler<DragEvent>() {
          @Override
          public void handle(DragEvent event) {
            final Dragboard dragboard = event.getDragboard();
            if (dragboard.hasString()
                && TAB_DRAG_KEY.equals(dragboard.getString())
                && draggingTab.get() != null
                && draggingTab.get().getTabPane() != tabPane) {
              event.acceptTransferModes(TransferMode.MOVE);
              event.consume();
        tabPane.setOnDragDropped(new EventHandler<DragEvent>() {
          @Override
          public void handle(DragEvent event) {
            final Dragboard dragboard = event.getDragboard();
            if (dragboard.hasString()
                && TAB_DRAG_KEY.equals(dragboard.getString())
                && draggingTab.get() != null
                && draggingTab.get().getTabPane() != tabPane) {
              final Tab tab = draggingTab.get();
              tab.getTabPane().getTabs().remove(tab);
              tabPane.getTabs().add(tab);
              event.setDropCompleted(true);
              draggingTab.set(null);
              event.consume();
        return tabPane ;
      private Tab createTab(String text) {
        final Tab tab = new Tab();
        final Label label = new Label(text);
        tab.setGraphic(label);
        label.setOnDragDetected(new EventHandler<MouseEvent>() {
          @Override
          public void handle(MouseEvent event) {
            Dragboard dragboard = label.startDragAndDrop(TransferMode.MOVE);
            ClipboardContent clipboardContent = new ClipboardContent();
            clipboardContent.putString(TAB_DRAG_KEY);
            dragboard.setContent(clipboardContent);
            draggingTab.set(tab);
            event.consume();
        return tab ;

  • Cannot drag and drop Tabs

    I have used Firefox for the longest time (Since v1.0) and have loved it in every way. Version 3's tab system was extremely helpful and innovative, and 3.5's drag-and-drop system was excellent.
    I now have version 4, and have had it since about a month ago. Everything worked excellently with all my extensions, until just two days ago. When I attempted to re-arrange my tabs (using drag-and-drop), nothing happened. The little arrow thing didn't appear and it didn't even acknowledge the fact that I was holding down my mouse button. This not only nullified my ability to rearrange my tabs, but also my ability to use my second monitor efficiently using the extension TabFlick.
    Nothing changed when I started Firefox in Safe Mode, nor when I re-installed it. What gives?

    ''"...I cannot drag and drop tabs (the iconic graphic moves but disappears when released)..."''
    Drop the tab when the arrow appears pointing between 2 tabs as depicted here: http://support.mozilla.com/en-US/kb/Tabbed+browsing#Moving_tabs
    ''"...also I cannot "select" tab for changing child/parent status etc."''
    If that question relates to Tree Style Tab, see: http://piro.sakura.ne.jp/xul/_treestyletab.html.en ~~red:or~~ http://piro.sakura.ne.jp/xul/_treestyletab.html.en#api

  • How do I drag-and-drop my Web Bookmarks Folder to a external flash drive? I need to move them from one Mac to another Mac.

    '''Moving Firefox URL Bookmarks from one Mac to another'''
    How do I drag-and-drop my web 'Bookmarks Toolbar' folder from one Mac to an external USB zip drive. Unable to network both Macs and use the migration feature. Must do this manually. Thanks!

    Hi RMcMullen,
    You should look at the [[Backing up your information]] Knowledge Base article. It will give you all the information you need to back up everything so you won't lose a thing.
    Hopefully this helps!

  • How to disable drag-and-drop tabs to search bar?

    I always have a lot of tabs open in Firefox, and oftentimes I move tabs around, whether intentionally or habitually (and accidentally). The problem is that a lot of times the tab is dragged on/near the search bar and this causes Firefox to respond by copying the tab's address to the search and start searching.
    I would like to disable one or both of these. I never use this, especially since whatever address I'm at is already found and if I actually wanted to search for it then I would just copy it and search myself. I want to disable the auto search and if possible, also disable copying the address.

    ''guigs2 [[#answer-714993|said]]''
    <blockquote>
    It is possible for window creation, note this work around: [http://www.ghacks.net/2012/12/04/firefox-disable-tab-drag-and-drop-window-creation/] However I did not find one for general dragging/moving tabs.
    Another add on that provided more customization tricks is known as:
    "[https://addons.mozilla.org/en-US/firefox/addon/tab-mix-plus/?src=search]"
    Did this help?
    </blockquote>
    No; as I said, my problem is tabs and the search bar. I drag tabs into new windows practically everyday and the other doesn't seem to have anything related to this either. I only read the description and looked at the pictures and etc, so I did not download it to give it a thorough review prior to declining it as it doesn't seem at all related.
    Curious:
    Does that ghacks thing also disable the tab-search thing in addition to disabling new windows, or did you just post a completely different tab-drag-drop related issue?
    (not rhetorical or sarcastic, I'm actually asking)

  • I can't seem to drag and drop more than one video on my timeline ? Only the audio will appear ?

    Hello, I've been working on Premiere for a year now
    I installed 2014 a week ago, and until today I haven't had any problems.
    When I drag and drop the first video, everything works fine, until I try to drop another video.
    The second video won't appear on the timeline, except for it's audio
    Which is weird to me because everything worked well on the CS6
    My sequence settings are
    Custom
    30 frames/second
    16/9
    sample rate : 44100Hz
    quickTime
    +H.264
    The first video's properties:
    Type: MPEG Movie
    File Size: 576,0 MB
    Image Size: 1920 x 1080
    Frame Rate: 30,00
    Source Audio Format: 44100 Hz - compressed - Mono
    Project Audio Format: 44100 Hz - 32 bit floating point - Mono
    Total Duration: 00:04:41:28
    Pixel Aspect Ratio: 1,0
    The second video's properties:
    Type: MPEG Movie
    File Size: 583,1 MB
    Image Size: 1920 x 1080
    Frame Rate: 29,97
    Source Audio Format: 48000 Hz - compressed - Stereo
    Project Audio Format: 48000 Hz - 32 bit floating point - Stereo
    Total Duration: 00:04:45:15
    Pixel Aspect Ratio: 1,0
    (it's a .MTS)
    What is weird, too, is that when I added the first video, I couldn't add it "Again", the same thing happened
    Any help? I need to finish the project by tonight :/

    My QuickTime version is the 10.4 (no idea if it's the latest one)
    What do you mean by my system properties ? My mac ? If so then its a 16Gb 1600MHz DDR3 + Nvidia Geforce GT 750M 1024MB, an OS X Yosemite version 10.10
    "What happens when you import the files onto a non-quicktime sequence?", well I don't know how to create a sequence before dragging a file on the timeline on this premiere, so I dragged the "Second video" first and it created a sequence with AVC Intra 100 1080i
    29,97 frames/second
    preview file format AVC-intra class100 1080i
    what's weird is that I could add the second video once, but not twice, and I can add the "first" video several times (it's weird because the sequence was created from the second video's properties)
    To answer your last question, the same thing happens too. I can create another sequence with the "Second video", add the "First video" 10 times but I won't be able to add the second video a second time.
    On the other hand, when i created another sequence with the "first video", I will be able to add the first video as much as I want, but I won't even be able to add the "second" video once.

  • My MBP won't drag and drop unless I put it to sleep.  What's the problem?

    I have a 17" MBP running Mountain Lion and I cannot drag and drop unless I first put it to sleep.  Any idea what I can do to fix that?  Is there a patch... or maybe a corrupted file?  I recently had it serviced and they reinstalled Mountain Lion, but the problem still exists.
    Any help appreciated.
    Robert Stull
    Bluetrane60

    Please read this whole message before doing anything.
    I've tested these instructions only with the Safari web browser. If you use another browser, they may not work as described.
    This procedure is a diagnostic test. It won’t solve your problem. Don’t be disappointed when you find that nothing has changed after you complete it.
    Third-party system modifications are a common cause of usability problems. By a “system modification,” I mean software that affects the operation of other software — potentially for the worse. The following procedure will help identify which such modifications you've installed. Don’t be alarmed by the complexity of these instructions — they’re easy to carry out and won’t change anything on your Mac. 
    These steps are to be taken while booted in “normal” mode, not in safe mode. If you’re now running in safe mode, reboot as usual before continuing. 
    Below are instructions to enter some UNIX shell commands. The commands are harmless, but they must be entered exactly as given in order to work. If you have doubts about the safety of the procedure suggested here, search this site for other discussions in which it’s been followed without any report of ill effects. 
    Some of the commands will line-wrap or scroll in your browser, but each one is really just a single line, all of which must be selected. You can accomplish this easily by triple-clicking anywhere in the line. The whole line will highlight, and you can then copy it. The headings “Step 1” and so on are not part of the commands. 
    Note: If you have more than one user account, Step 2 must be taken as an administrator. Ordinarily that would be the user created automatically when you booted the system for the first time. The other steps should be taken as the user who has the problem, if different. Most personal Macs have only one user, and in that case this paragraph doesn’t apply. 
    Launch the Terminal application in any of the following ways: 
    ☞ Enter the first few letters of its name into a Spotlight search. Select it in the results (it should be at the top.) 
    ☞ In the Finder, select Go ▹ Utilities from the menu bar, or press the key combination shift-command-U. The application is in the folder that opens. 
    ☞ Open LaunchPad. Click Utilities, then Terminal in the icon grid. 
    When you launch Terminal, a text window will open with a line already in it, ending either in a dollar sign (“$”) or a percent sign (“%”). If you get the percent sign, enter “sh” and press return. You should then get a new line ending in a dollar sign. 
    Step 1 
    Triple-click anywhere in the line of text below on this page to select it:
    kextstat -kl | awk '!/com\.apple/{printf "%s %s\n", $6, $7}' | open -ef 
    Copy the selected text to the Clipboard by pressing the key combination command-C. Then click anywhere in the Terminal window and paste (command-V). A TextEdit window will open with the output of the command. If the command produced no output, the window will be empty. Post the contents of the TextEdit window (not the Terminal window), if any — the text, please, not a screenshot. You can then close the TextEdit window. The title of the window doesn't matter, and you don't need to post that. No typing is involved in this step.
    Step 2 
    Repeat with this line:
    { sudo launchctl list | sed 1d | awk '!/0x|com\.(apple|openssh|vix\.cron)|org\.(amav|apac|cups|isc|ntp|postf|x)/{print $3}'; echo; sudo defaults read com.apple.loginwindow LoginHook; echo; sudo crontab -l; } 2> /dev/null | open -ef 
    This time you'll be prompted for your login password, which you do have to type. Nothing will be displayed when you type it. Type it carefully and then press return. You may get a one-time warning to be careful. Heed that warning, but don't post it. If you see a message that your username "is not in the sudoers file," then you're not logged in as an administrator. 
    Note: If you don’t have a login password, you’ll need to set one before taking this step. If that’s not possible, skip to the next step. 
    Step 3
    { launchctl list | sed 1d | awk '!/0x|com\.apple|org\.(x|openbsd)/{print $3}'; echo; crontab -l 2> /dev/null; } | open -ef 
    Step 4
    ls -A /e*/{cr,la,mach}* {,/}Lib*/{Ad,Compon,Ex,Fram,In,Keyb,La,Mail/Bu,P*P,Priv,Qu,Scripti,Servi,Spo,Sta}* L*/Fonts .la* 2> /dev/null | open -ef  
    Important: If you formerly synchronized with a MobileMe account, your me.com email address may appear in the output of the above command. If so, anonymize it before posting. 
    Step 5
    osascript -e 'tell application "System Events" to get name of login items' | open -ef 
    Remember, steps 1-5 are all copy-and-paste — no typing, except your password. Also remember to post the output. 
    You can then quit Terminal.

  • Drag and drop images into anchored frames -- can this be done with the images imported by reference?

    My company bought a product from another company and the only manuals files that came with it were in pdf format. I am currently grabbing text out in Acrobat, then pasting and reformatting it in FrameMaker. Boring and tedious. . . .
    Eventually I get to the point of importing the illustrations. There are *hundreds* of them. As a rule, we import the files by reference, to keep the chapter size smaller and to be able to double click the image to open it for modification.
    However, I can drag an image file from the folder window and drop it into an anchored frame. Oooh, this is fast--way faster than all the mousework that goes into clicking file>import>file>[choosing the file then hitting the import button].
    But, dang it, that copies the image into the FrameMaker file. No double-click opening. Giant fm. file size. Mad boss, shaking an SOP standards sheet in my face.
    So, my question: Is there a way to import an image *by reference* by dragging and dropping them into an anchored frame?
    Thanks, folks.
    Moore. Matt Moore.

    I tried the RTF route and, in addition to getting the body text I wanted, got paragraph after paragraph of the page numbers, the illustration text, the header and footer verbiage, all randomly placed between body text paragraphs.
    I did the same file twice, once by saving as RTF and deleting unwanted stuff, then repairing body paragraphs (each line of which is a seperate paragraph in the RTF file) and also by sweeping only the necessary text, then copying and pasting it page by page. The second method was a bit faster and less frustrating. Not to say that it isn't slow and frustrating in itself, but just a bit less. Less errors, too, with the second method.
    Bummer about importing by reference. I don't suppose there's a way to set up recorded actions with hotkeys, is there? Like in Illustrator?
    Thanks, Art.
    Moore. Matt Moore.

  • ITunes won't let me drag and drop songs from library to my device.  Recently replaced the harddrive and have authorized it with iTunes.

    Recently had to replace my harddrive on my PC and files were not recoverable from the failed drive.  Installed iTunes on the new drive and ripped some cd's into the library.  However, I cannot transfer these songs to any of our "i" devices in the house.  I authorized the new drive with iTunes and still no luck.  Anyone have any ideas?

    Have you selected Manually Manage Music?
    http://support.apple.com/manuals/#ipod

  • I am trying to import an mp3 audio file into garage band for editing.  drag and drop doesn't work. What now?

    I am trying to import an mp3 audio file into garage band for editing.  Drag and drop does not work. any ideas?

    Try reposting in the Garageband forums. You can find it at:
    https://discussions.apple.com/community/ilife/garageband

  • How do I drag and drop files in iTunes 12?  I don't see my other computers in the side bar only playlist?

    I upgraded to Itunes 12 and now cannot drag and drop my movies & music files between my shared computers?  The side bar option, which only appears under the Playlist tab does not show my other shared devices where I used to simply drag files over and drop them on them to transfer.  I have 2 IMACs and a macbook pro that i like to keep hard copies of my music and video libraries on.  Anyone know how I can get my shared computer to show up on the side bar so I can drag and drop like I've been doing for the last 5 years?

    Thank you Peter.  Mine is more about creating playlist on my iMac and then wanting to drop it it on to my macbook pro for tailgating and family events, instead of recreating.  That doesn't seem like something that should bother apple as I already have the music and I am not going to go purchase it again off iTunes if this is what they are thinking.  I think this is about limiting our ability to share music and movies.   

  • Drag and drop not working correctly.

    I've got a 2nd monitor connected to my iMac 27".
    Before, whenever I had a finder (also happens on Adobe Bridge) window open on the other monitor and I drag and drop to the desktop, it would drop the file in the exact spot I dropped it at. Now, for some reason whenever I try to drag and drop, it puts in onto my "Imac monitor" desktop - not the second monitor where I dropped it. Anyone ever experienced this or have any solutions. It may sound like a little thing, but whenever I'm working it just adds an extra step to my process. I appreciate it!!

    Hi, not on 10.8 right now, but in Finder>View munu>Show View options, try unchecking Keep Arranged by.

  • How do I edit a drag and drop action in CP8?

    Once the drag-and-drop interaction is created, I cannot open the wizard again. In CP7, it was possible to edit the answers in properties. How do I do it in CP8?

    In cp 8 also you can edit the interaction. This you can do the same way as you were doing in Cp7. but you need to have a look in the rearrangement of properties into sections in drag and drop panel in CP8.
    I believe you are configuring the DnD interaction through launching the Wizard. After you configure the interaction open "Drag and Drop" panel from the "Window" Menu. Now In the Panel you can see the options to edit the interaction.
    For changing the answer matching you need to open "Correct answers" window(which you were finding in DnD properties panel in Cp7)in cp8 you can find this option from the same panel under "Options" Tab section.(as shown in snap shot)
    let me know if this resolves your issue.
    devraj

Maybe you are looking for