Drag and drop no longer between shared libraries after updating to itunes 10.5.

Used to be able to open up and drag and drop from one computer to another using home sharing. No longer works. Any ideas?

same here except i have windows vista and its my new iphone 4s.  it freezes on the backing up phase.

Similar Messages

  • Cant use drag and drop any more !?! after update itunes 10.3.1.55

    Hello@all,
    after updating my itunes at 10.3.1.55, it is not longer possible to move songs on it by drag an drob.
    It was never a problem before.
    My System is Windows 7.
    TX a lot.
    Bst regards
    Ben

    Same problem here. Windows 7 64 bit.

  • Drag and Drop no longer works on iPhone 4.

    After updating my phone recently, I can no longer update music on my iphone 4.  I used to be able to grab a random song from a file on my computer and drag and drop it onto my phone, without adding it to iTunes. Now, I can't add anything to my phone unless it's first in iTunes.  I have about 40G of music and don't want it all on my phone, or iTunes.  Is there a reason for this?  Is there any way to fix it?

    I used to be able to grab a random song from a file on my computer and drag and drop it onto my phone, without adding it to iTunes.
    Jailbroken?  That's never been a feature of the iOS.

  • 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 ;

  • Homesharing won't drag and drop songs onto a shared library

    Homesharing won't drag and drop songs onto a shared library. Both computers are authorized and both have "homesharing" turned on. Any help?

    Rather than dragging and dropping, try this.
    In the computer you're moving music to, select the home shared library you're moving music from, as per the following screenshot:
    Select the songs you want to transfer. Now click the "Import" button down in the the bottom-right-hand corner of the screen, as per the following screenshot:

  • Drag and Drop no longer in iPhoto 11?

    Drag and Drop no longer in iPhoto11?
    I can no longer "drag and drop" selected photos from iPhoto11 onto a desktop album.  Before upgrading I could select as many as 200 photos and drag them onto a desktop album.  No longer.

    There are two kinds of metadata involved when you consider  jpeg or other image file.
    One is the file data. This is what the Finder shows. This tells you nothing about the contents of the file, just the File itself.
    The problem with File metadata is that it can easily change as the file is moved from place to place or exported, e-mailed, uploaded etc.
    Photographs have also got both Exif and IPTC metadata. The date and time that your camera snapped the Photograph is recorded in the Exif metadata. Regardless if what the file date says, this is the actual time recorded by the camera.
    Photo applications like iPhoto, Aperture, Lightroom, Picasa, Photoshop etc get their date and time from the Exif metadata.
    When you export from iPhoto to the Finder new file is created containing your Photo (and its Exif). The File date is - quite accurately - reported as the date of Export. However, the Photo Date doesn't change.
    The problem is that the Finder doesn't work with Exif.
    So, your photo has the correct date, and so does the file, but they are different things. To sort on the Photo date you'll need to use a photo app.

  • Drag and drop files into folders in iPad reader? or iTunes?

    is it possible to drag and drop files into folders in iPad reader? or iTunes?  It is very clunkey to have to click each separate file to instruct it to move to the folder.  Better still, can I just sync an existing folder on my hard drive so the pdf's inside always remain up to date on my iPad?

    There is no way to drag and drop in Reader on an iPad.
    There is no way to sync PDFs in a folder on your hard drive to those inside of Reader.
    There are readers (which are NOT free) which let you do some of these things and have more capabilities. You might check out PDF Expert from Readdle which costs $9.99 US.

  • Drag and Drop no longer working in Windows 8

    Running ID6 on new computer running Windows 8.  I'm running as Administrator mode, but I can no longer drag images into designs.  I was able to in Windows 7. 

    Update on the problem. 
    The problem was that you cannot drag and drop when in Administrator mode.  Indesign was crashing if I did not open in administrator mode.  The reason why Indesign was crashing has something to do with licensing of the computer and software...  This is a new computer and the c drive is a solid state chip. To conserve c drive space, we setup c:temp to be on a separate drive.  That's why Indesign would not open normally.  You must have your c:temp on your user account to be directed to c:temp. 
    control pane
    system
    Advanced system settings
    Environment Variables
    Changes must be made in four places.  Dig around here, you'll find them.

  • Drag-and-drop no longer working in FF

    All drag-and-drop features stopped working on my FF 21.
    That is, I can no longer:
    - Drag items to bookmarks or rearrange the bookmarks
    - Drag words to the search box or links to the URL box
    - Change the order of tabs
    - Rearrange items on toolbars
    - Move text in text boxes
    - etc.
    Safe mode exhibits the same problems.
    Please advise.

    I am having this problem as well. It persists even with all my extensions and add-ons disabled, and even in Safe Mode.
    I tried both solutions above. I downloaded FF21 installer, uninstalled FF, then reinstalled. Still cannot drag and drop anything. So I reset Firefox. Still no drag and drop. No rearranging tabs, no dragging images on web pages, you get the idea.

  • Drag and drop no longer possible in excell 2007 on vista

    Hi,
    we just migrated to Vista with office 2007. So we are now on GUI 7.10 Patch 4; BI add-on's SP2 Patch 1.
    Is it normal that we no longer can drag and drop (add characteristic; swap columns;...) or is there something wrong?
    Ciao!
    Joke

    Hi Joke,
    yes its the problem with vista and even you cant drag and drop the objects to restrict in query designer also.the higher patch version is not supported in vista.so if possible contact SAP people.they will give you vista supported patch version.
    i faced the same problem and i switched back to xp now.
    Regards,
    ashok.

  • Drag and drop not working on Shared Folder

    I created sub-folder in a document library and gave certain users edit permission on that folder. 
    Users were able to upload file using Upload Document from the ribbon. However, when they use drag and drop they get the following message :
    The documents cannot be uploaded because different permissions are needed. Request the necessary permissions.
    Thanks,
    Omran

    Hi Omran,
    Yes, this is known issue in SharePoint 2013 that you will receive error when
    Draging and Dropping to a folder under the security context who doesn't have the edit/contribute permission in the list\library.
    In your case, I assume user B have the edit permission on the folder but only read permission on the document library the folder resides in.
    It happens because of the userhaspermission() function in dragdrop.js.
    function UserHasPermission() {
    var hasPermission = false;
    if (typeof g_currentControl.checkPermissionFunc == 'function') {
    hasPermission = g_currentControl.checkPermissionFunc();
    else {
    var dctx = ctx;
    if (fIsNullOrUndefined(dctx) || fIsNullOrUndefined(dctx.ListSchema) && dctx.ListRight_AddListItems == null || !fIsNullOrUndefined(dctx.ListSchema) && dctx.ListSchema.ListRight_AddListItems == null) {
    hasPermission = false;
    else
    hasPermission = true;
    if (!hasPermission)
    ShowErrorDialog(Strings.STS.L_NoUploadPermission, null);
    return hasPermission;
    dctx.ListRight_AddListItems, it check the user's permission on the list\library instead of the folder. Therefore, the workaround need coding.
    Miles LI TechNet Community Support

  • Drag-and-drop no longer working in iTunes 7.7

    Recently I've not been able to drag movies onto my iPod touch, neither from the Finder or from within iTunes. They'll drag into playlists, but the green Plus symbol disappears when I move it over my touch. The only way to get movies onto the touch is to 'sync' them, which is VERY inconvenient and tedious if you have lots of files. Is this a change in iTunes 7.7, and if so why??? If not, is there anything I can do to restore drag and drop?

    Update on the problem. 
    The problem was that you cannot drag and drop when in Administrator mode.  Indesign was crashing if I did not open in administrator mode.  The reason why Indesign was crashing has something to do with licensing of the computer and software...  This is a new computer and the c drive is a solid state chip. To conserve c drive space, we setup c:temp to be on a separate drive.  That's why Indesign would not open normally.  You must have your c:temp on your user account to be directed to c:temp. 
    control pane
    system
    Advanced system settings
    Environment Variables
    Changes must be made in four places.  Dig around here, you'll find them.

  • Custom Drag and Drop Component: When i add a skin, drag and drop no longer works?

    I have a skinnableContainer that acts as a container for other drag and droppable items. This container's drop functionality is added from it's parent at the same moment the container is added.
    This all works fine until i add a skin class to the skinnableContainer, now none of the draggable items can drop into the container as it did before.
    I assume that the Group component wrapping the content from within the skin is acting as a block somehow, but i'm not sure how to allow the drop functionality through it?
    Any ideas? Thanks in advance.

    Hello,
    Thanks for your replies... I tried modifying the if clause,
    but it did not work. I can use a trace statement to find out what
    the target is and what level it is at, but I cannot do this when it
    is in our presenter window.
    The code that is causing the problem can be accessed right in
    Flash. Just create a new quiz, then in the library, go to Quiz
    Files --> Learning Interactions --> Assets --> Controls
    --> Components, right click on drag and drop and select edit and
    then go to the actions frame. I am sure you already know this, but
    I just want to be clear I did not make this from scratch.
    This code works great when the quiz is the root movie. But if
    the quiz is encapsulated within another movie, it does not work. I
    can drag the objects, but they just snap back to where their
    starting points are. In the code I attached earlier...
    "this._parent.Target1" used to be "target".
    Just so you can see it all, I have attached the problematic
    function.
    What happens is that if "this._parent.Target1" is set to
    "target", the movie will function fine in Flash, but will not work
    in our presentation window. I can drag the draggable objects, but
    they always snap back to the location of where they came from.
    What this means is that the if clauses are not being run, and
    the function is always running the else clause, which puts all of
    the objects back at their starting point.
    In the code attached, I am using "this._parent.Target1".
    Again, works fine in Flash, but when I put it in the presentation
    window, this time, I can drag the objects anywhere on the screen,
    but when I drop them, they think that the dropZone is the question
    itself, and not the Target (Target1). So I need to figure out how
    to make Target1 be the dropZone in our presentation window.
    Any ideas?
    Thanks again for all your help!

  • Gnome-shell and xfburn - drag-and-drop no longer supported

    Can someone using gnome-shell else try this as a sanity check:  try to drag-and-drop an mp3 file into xfburn in "Audio CD" mode.  For me, mp3 files are ignored but wav files drag-and-drop in just fine.  I can add mp3 files to the compilation but only if I do so through the xfburn GUI.

    I get the same behavior here.

  • 10.7 Lion Install - Drag and Drop no longer works

    Just upgraded to Lion and my 'drag and drop' featuer works no where... No in finder (desktop to trash), Safari (customizing toolbar), or Dock (removing or rearranging icons). The rest of the track pad and all new gestures work flawlessly, but when I try to drag and drop an item it gets picked up and I can move it around, but it never 'drops'. The only way to get it off my cursor is to click the Apple logo in the top left corner.
    I've done some digging but all the tips I find aren't pertinent to my situation, or reference files that I somehow can't find on my machine. Any help would be greatly appreciated!

    I am having this issue too and bbiron is right, the only way to get the ghosted image of what you want to Drop detached from your cursor is to click the Apple menu.
    In addition to all the intances bbiron mentioned, which are all replicable by me as well, it also happens when I'm trying to drag links or tabs in Safari/Chrome.
    For the record, I did an upgrade from Snow Leopard and not a clean install of Lion. I'm using a MBP5,1 if that makes any difference as well.

Maybe you are looking for

  • Drivers not being injected for certain Laptop model

    Hi all I am having difficulty getting a new laptop to deploy correctly. I am using MDT 2012 U1. I use the DriverGroup001 variable to set the driver group and inject the specific drivers required, and this works perfectly for 10 other models. However

  • ITunes Account for Business

    does apple offer a business itunes account that can be used for all our company issued iphones (1,000 plus) so that employees don't have to use their personal itunes account on a company issued iPhone?

  • Bluetooth mouse losing power every few seconds.

    bluetooth mouse losing power every few seconds. What is the problem and how do I fix it?

  • Using JCOM in Native mode JIntegra Registry Entry Error

    Hi When I am using the weblogic's jcom feature and when I turn on the native mode feature I get the foillowing error The WebLogic Server did not start up properly. java.lang.RuntimeException: RegSetValueEx failed at com.linar.jintegra.NativeObjectPro

  • Recent Items:- Sort by date?

    Hi everyone, has anybody figured out a way to sort recent items by date order rather than alphabetically. I'm totally frustrated at being unable to do this. i look forward to your replies