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

Similar Messages

  • 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

  • How to disable drag and drop feature for a document library?

    Hi
    How can I disable drag and drop feature for a document library? Do I have an option to disable it from the SharePoint's feature set?
    Or can I disable it using a script? If so, how?
    Regards
    Paru

    Hi,
    According to your post, my understanding is that you want to disable drag and drop feature for a document library.
    Drag and drop in SharePoint 2013 is a feature that depends on HTML5, which requires version of browser, SharePoint by default doesn’t has feature to disable or enable this.
    You can try disabling the drag and drop feature by disabling an add-on in Internet Explorer, or
    using Internet Explorer 9 or lower.
    Here is a similar thread for your reference:
    https://social.msdn.microsoft.com/Forums/office/en-US/8961ff07-039d-47b0-ae7d-8e24af96234a/2013-doc-library-settings-turn-off-drag-and-drop-and-findsearchfilter-on-metadata-columns?forum=sharepointcustomization
    http://community.office365.com/en-us/f/154/t/228079.aspx
    More information:
    The Solution to SharePoint 2013 Drop and Drag Not Working
    SharePoint 2013 Drag and Drop Upload Not Working
    Best Regards,
    Linda Li
    Linda Li
    TechNet Community Support

  • UIX drag and drop editor for OAF?

    I posted the following question on the OAF forum, was told it might make more sense to do in the JDeveloper forum:
    I've been told there is a "drag and drop" editor for UIX which can be used with OAF. Is that correct? I am using the following with EBS 11.5.10:
    OA Framework Version 11.5.10.4RUP.
    MDS Version 9.0.5.4.89 (build 555)
    UIX Version 2.2.24
    BC4J Version 9.0.3.13.93
    If there is such an editor, where can I get it, and how do I install it?

    Shay, thanks for the response.
    I have not written any ADF code outside of the course I took a few months ago, but I'm aware of how powerful it is. My question has to do with using the same toolkit or something similar to create and/or modify OAF pages. My customer is using EBS 11.5.10, and as such is using JDeveloper 9.0.3.5. If I can show how to use ADF with EBS, even if it is in R12, I might be able to convince the customer to use ADF. However, any application we develop must work along with the rest of the EBS, so that means we must use the same security mechanism (responsibilities, menus, etc.).
    Currently, to my knowledge at least, there is nothing as simple as your demo which can be done with OAF. There is no drag and drop capability, unless I've missed something.
    Any comments?

  • I just downloaded the new version of iTunes 10 and now it won't let me drag and drop any files from my computer.

    I just downloaded the new version of iTunes 10 and now it won't let me drag and drop any files from my computer into my iTunes. It lets me play the song from the folder in my computer and then it opens with iTunes and plays the song all the way through, but then if I try to play it again, it says the file cannot be located. So then I go to locate and go to the folder and all that and select it and nothing happens.

    Not sure whether for instance you initially had a Yahoo optimised version of Firefox, and have now overwritten it with an official Mozilla version. Although the Mozilla version should NOT add unwanted features, but the Yahoo version may well do.
    If you merely need to find the Yahoo emails page quickly just add it as a bookmark or as a bookmark on the Bookmarks toolbar and make sure that is visible.
    Clicking the star icon on the location bar whilst looking at your emails will bookmark the page.
    * [[How to use bookmarks to save and organize your favorite websites]]
    * [[Bookmarks Toolbar - Display your favorite websites at the top of the Firefox window]]
    I do not use Yahoo myself,and am not sure what add-ons are available. You could search yourself using
    * FirefoxButton -> add-ons
    ** see [[Find and install add-ons to add features to Firefox]]
    ** examples [https://addons.mozilla.org/en-us/firefox/addon/yahoo-toolbar/ yahoo toolbar] & [https://addons.mozilla.org/en-us/firefox/addon/yahoo-mail-notifier/ mail notifier]
    * also look at Yahoo's own information such as http://help.yahoo.com/tutorials/toolbar/cl3/c3_ff_toolbar1.html

  • Multi-row "Drag and Drop" works for some users, not others

          Background: We are working on Win7 SP1 clients, Project Prof. 2010, SP2
          A couple of users have reported that they cannot move ("drag") multiple selected rows in a task sheet, only a single row at a time. Other MS Project users around them (and myself) can move multiple rows with the "Drag"
    feature. "Drag and Drop" is selected in the "Options/Advanced" section of both their local global template and the Enterprise Global.
         To my knowledge, the multiple row selections contain no collapsed summary tasks, in case that might be an issue.
         I'm suspecting some Windows setting is amiss on the offending clients, but wanted to see if anyone else had seen this behavior before in Project Prof. 2010.
         Thanks!
    JTC
    JAckson T. Cole, PMP, MCITP

        Thanks for the response, Shiva!
        User community is on MS Project 2010 (14.0.7011.1000) SP2, MSO (14.0.7128.1000)
        To reproduce the problem, MS Project user will select multiple task rows by selecting first row, then holding MB1, and "sliding" to the last row desired. The problem manifests itself by NOT turning the cursor into the "four-arrow cross"
    after selection is accomplished. If only one row is selected, the ability to move that row alone is available.
         Again, only a couple of users (that have called me!) are seeing it. Their officemates are not having an issue.
         FYI ...
    JTC
    JAckson T. Cole, PMP, MCITP

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

  • Drag and drop files for burn to DVD takes FOREVER

    When I drag and drop files onto the blank DVD icon, the ghosts of said files just hang there for the longest time, and I get a spinny beach ball. Many, many minutes later things finally return to normal and I can proceed with burning the DVD. It's just copying some aliases, right? It didn't used to take more than a couple of seconds before I upgarded to Mavericks. So what the **** is taking so long now?
    PBP 2.66 Core 2 Duo, running 10.9.1, burning to a Samsung Portable DVD Writer Model SE-218

    Thanks for the reply.  If I reformat the drive will I be able to access the files on it from the MAC.  I do not share the drive with a PC.  The files were originally created on a PC which I no longer use.  I do want to continue to access the files put there by the PC.  I would like to not have to copy them over to the MAC hard drive just to use them.  The second aux drive is new and works fine because it was formatted by the MAC.  I can drag and drop files there and work with just as if they were on the internal drive.

  • 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 samples for instant load and playback. MIDI SAMPLE PLAYBACK

    HI, i am looking for a application where I can drag samples in it for instant midi playback.
    I know logic has a way to do this through the ESX24, but the problem is there are multiple steps and it can takes around 1-3 minutes to finished the task.
    I am looking for something on a more "spend less time setting up" event. Basically an application where I can manual drag and drop for quick load. I would like to use the Roland Hand-sonic as my midi play back

    sonther, I've only tried the audiofinder out a little bit running in demo mode. I liked it ok, except that I thought I'd go and let it index my audio files, which took a very long time (fair enough, I have many).. but I didn't really see any great advantage from having done so. also I found that for some files it would give me a waveform overview, others it would say preview not available or something, even though they were the same format. maybe that was a demo limitation thing.
    but it did get me thinking about how much I'd like to work better with my audio in the finder.. I've hated the audio import and audio window management in logic for a while so I'm always looking for better ways to do things.
    ...then, I saw this:
    http://www.audioease.com/Pages/Soundabout/SoundaboutMain.html
    now, I just checked and the website is currently updating this page. but go back later until you see it back up. there was a QT demo video (complete with that generic dutch-english accent..), showing what looks to me like exactly the enhancements I've been looking for, to work much better with audio in the mac finder. and of course it's got a few things that I didn't even know I was looking for, but now I know.
    I'm hoping it gets released soon.. and I'm also hoping that it's not going to mess around with leopard when that comes out, because I have a feeling I am going to get very used to using this thing.
    even for things outside logic, like quickly rounding up my work in progress files to instantly convert to mp3 and AAC right there in the finder, and then automatically have it all placed in an email ready to go, it's going to make life a whole lot easier. especially when you've been working hard on a deadline project, the last thing you feel like doing is messing around keeping your work in progress files in order, prepping mp3s or whatever and emailing, after you've finished a long day at logic.. seriously, check out the video when it's back up..
    et dis-moi sonther, ça se fait comment que tu parles français? t es pô un ptit québecois par hasard?....

  • Drag and Drop from LR to other applications

    There was a thread going on D&D from LR to explorer.
    The other appliation problem I have is the apparent inability to drag and drop from lightroom into a file transfer window (e.g., file upload with SmugMug).
    The quick collection is an awesome way to organize a storyline of images from a shoot, select only the images needed, and prepare a shoot for upload. However, short of exporting to a folder first, is there a way to just drag and drop the file set from a LR view (filmstrip or thumbs) to another app? This would just be providing file handles, and I would be satisfied if it only grabbed the original images (pre-"develop").
    Anyone have any luck with this?
    -- Jeff

    No. And not likely anytime soon. Putting a Pointer/alias to SmugMug (if it is an uploader client app, not familiar with it) in the Export Actions Folder for Post Processing from Export is the best you can do at the monemt. To get LR rdits out of LR you have to Export. D&D just isn't going to do that for you.
    Don
    Don Ricklin, MacBook 1.83Ghz Duo 2 Core running 10.4.9 & Win XP, Pentax *ist D
    http://donricklin.blogspot.com/

  • Cannot drag and drop icons,

    I'm working on a Mac Power PC G4, OS X, version 10.2.8. About a week ago I started noticing a problem dragging and dropping items with the trackpad. I can click on a file to open it, but I cannot drag and drop files to move them. If I am in a Word document, I can no longer drag highlighted text around either, or drag songs to playlists in iTunes. However, if I open a window, I can drag the open window around, just not any of the files displayed in it. The same thing happens when I hook up a mouse. I've checked the Finder view options and have done a test to check that it is not a corrupted system preferences and have tried many of the things listed on discussions I have seen online. I'm hoping that I don't have to resort to reinstalling the operating system. Everything was working fine until about a week ago, and I am aware of no changes or damage to the computer that could have caused this problem. Any help?

    I created a new account with administrative privelages, but the new account still does the same thing. I also tried trashing com.apple.systemuiserver.plist as suggested to me by someone else, and it had no effect.
    Thanks for you idea.

  • 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

  • Drag and drop option for hierarchy through Web Template

    Hi All,
    I have 2 hierarchies in one report. For example Product Hierarchy and Customer hierarchy. I would like to have an option in query where I can select the node from each hierarchy and the report is displayed only for the selected node/nodes. I am using Web Template. I used "Hierarchy filter" web item and was able to achieve this. But I would like to have a drag and drop option.
    I mean when I use Hierarchy filter web item, I have to select the particular node in the hierarchy. and then the report (Web Item - Table) is displayed based on the selection. But I would like to drag the node from the hierarchy and drop it to the report (Web Item - Table) and the report is displayed for the selected hierarchy node.
    Is this possible? How? Do I have to write any Java code or we can achieve this with BI Standard functionality.
    Regards.
    Parin Gandhi.

    This is not possible using Standard BI web functionality.
    If you are an expert with JavaScript and BI Web APIs you can probably write JS code to do this.

  • Drag and Drop functionality for SVG charts.

    Has anyone been able to get a drag and drop functionality with charts?
    I've read where Vikas was able to accomplish this with reports, but, unfortunately, it was an old post and his example is no longer available.
    I understand that this is more on the browser/presentation layer rather than the back-end, but, judging from the replies from the mainstays in this forum along similar lines, I'm hoping someone may have accomplished this already.
    I'm trying to get this to work for a "dashboard" type application I'm trying to prove out using HTMLDB.
    Your responses are appreciated.
    Thanks

    Hello,
    I've done drag and drop using the Adobe SVG Viewer before in a whiteboard application built on top of ... you guessed it... Apex. Unfortunately I do not have an example I can share with you but I know it can be done because I did it, trust me ;) . I am planning on building out that application as an application anybody can download and use but unfortually it will be bit.
    Your best bet at the moment is looking on google http://www.google.com/search?q=svg+drag+and+drop there are quite a few examples.
    Oh also look at this file in the images directory /images/javascript/svg_js_includes/svg_common/oracle.svgNodes.js it has quite a few helper functions and that file is included in every chart by default so there are functions you can use, (no drag and drop unfortunalty)
    If you have can lock down the users in your environment to use only Firefox or Safari you can look at canvas as well it's pretty handy and can do alot of the same stuff
    http://developer.mozilla.org/en/docs/Drawing_Graphics_with_Canvas
    and of course some simple examples in Apex
    http://apex.oracle.com/pls/otn/f?p=11933:78 (it runs on keypress in the textarea I use it to mess with Canvas constructs)
    Carl
    Message was edited by:
    Carl Backstrom

Maybe you are looking for