0

我想在我的应用程序中实现简单的拖放。如果将文件拖到窗口中,我想用 NSLog 返回文件路径。这是我的代码,但如果我拖动文件,什么也不会发生。顺便说一句,我将 AppDelegate 与带有窗口(委托)的引用插座连接起来,以接收来自窗口的所有内容。

AppDelegate.m:

#import "AppDelegate.h"

@implementation AppDelegate

@synthesize window = _window;

- (void)applicationDidFinishLaunching:(NSNotification *)aNotification
{
      [_window registerForDraggedTypes:[NSArray arrayWithObjects:NSFilenamesPboardType, nil]]; 
}

-(NSDragOperation)draggingEntered:(id < NSDraggingInfo >)sender
{
    return NSDragOperationGeneric;
}
-(BOOL)prepareForDragOperation:(id < NSDraggingInfo >)sender
{
    NSPasteboard* pbrd = [sender draggingPasteboard];
    NSArray *draggedFilePaths = [pbrd propertyListForType:NSFilenamesPboardType];
    // Do something here.
    return YES;

   NSLog(@"string2 is %@",draggedFilePaths);}

@end

AppDelegate.h:

//
//  AppDelegate.h
//  testdrag
//
//  Created by admin on 18.07.12.
//  Copyright (c) 2012 __MyCompanyName__. All rights reserved.
//

#import <Cocoa/Cocoa.h>

@interface AppDelegate : NSObject <NSApplicationDelegate>


@property (assign) IBOutlet NSWindow *window;

@end
4

2 回答 2

2

只有占据屏幕空间的对象——窗口或视图——才能接受和处理拖动事件。您的应用程序委托都不是这些。此外,窗口不会将它收到的任何消息发送给它的委托人。它只发送属于NSWindowDelegate协议一部分的消息。你需要在一个视图类中实现这个拖动代码,它的一个实例出现在屏幕上。

于 2012-07-18T19:53:41.860 回答
2

这是一个老问题,但这是我解决这个问题的方法:

我做了一个子类NSWindow,命名它MainWindow。然后我将协议添加NSDraggingDestination到新类MainWindow中。在 Interface Builder 中,我选择了应用程序窗口,并将MainWindow其作为类名放入 Identity Inspector。

AppDelegate

- (void)applicationDidFinishLaunching:(NSNotification *)aNotification {
    [_window registerForDraggedTypes:[NSArray arrayWithObjects:NSFilenamesPboardType, nil]];
}

并执行MainWindow

#import "MainWindow.h"

@implementation MainWindow

- (void)awakeFromNib {
    [super awakeFromNib];
    printf("Awake\n");
}

- (NSDragOperation)draggingEntered:(id<NSDraggingInfo>)sender {
    printf("Enter\n");
    return NSDragOperationEvery;
}

/*
- (NSDragOperation)draggingUpdated:(id<NSDraggingInfo>)sender {
    return NSDragOperationEvery;
}
*/

- (void)draggingExited:(id<NSDraggingInfo>)sender {
    printf("Exit\n");
}

- (BOOL)prepareForDragOperation:(id<NSDraggingInfo>)sender {
    printf("Prepare\n");
    return YES;
}

- (BOOL)performDragOperation:(id<NSDraggingInfo>)sender {
    printf("Perform\n");

    NSPasteboard *pboard = [sender draggingPasteboard];

    if ( [[pboard types] containsObject:NSFilenamesPboardType] ) {
        NSArray *files = [pboard propertyListForType:NSFilenamesPboardType];
        unsigned long numberOfFiles = [files count];
        printf("%lu\n", numberOfFiles);
    }
    return YES;
}

- (void)concludeDragOperation:(id<NSDraggingInfo>)sender {
    printf("Conclude\n");
}

@end

奇迹般有效!(最后!)

于 2015-08-02T23:55:57.717 回答