Newbie: drag n drop - stillDown question

First of all, this is being done in AS2.
OK, so I've got a bazillion years of Director experience and my brain tends to think in Lingo so forgive me if I have to describe what I need in some half-assed vernacular.
I've also got 10+ years in AS but haven't run into this until today, odd as that may sound.
I need to be able to drag a movie clip over a "hot spot" (target area).  When it's dragged over the hotspot BEFORE the mouse goes up, the movie clip being dragged needs to do a gotoAndStop to a named frame (the "I'm being rolled over a hot spot" animation).  Think of it as an enhanced mouse animation.
I've got all the component pieces, startDrag & stopDrag, together.  Mouse down and mouse up work fine. I just need to be able to trap the "I'm over the hotspot" ***while the mouse is down and dragin', before mouseUp happens***
If this were being done in Lingo, it would be something like:
if the stillDown
     doSomething()
end
Since Flash is so much more powerful than Director, I'm sure it can be done in one or two lines of code, right? </snark>
Sorry if this is stupid.  The Google is not much help.

I understand that, but it has a "not working" problem. 
I need to restate the question, though, as there's more to it now than what I described previously.
Here's the scenario:
On the stage there is an array of items in graphical form, each with it's own named movieClip.  Each of these in turn is associated with a companion movie clip which is basically a text definition.  These companion clips are invisible at the start.
There is a hotspot on stage where these definitions appear if you drag and drop the graphic into it.  But it's more than just that.
If you drag the graphic into the hotspot it *is swapped* out for the description, and back again to the graphic if you drag it back out.  So you're dragging the description instead of the graphic while you're within the hotspot, until onRelease. If you drop on the hotspot, the description pops into place and the graphic disappears.  If you drop outside the hotspot, the graphic pops back to it's original position and the description disappears.
But wait, there's more.  Once a description has been dropped onto the hotspot, you can remove it by dragging it back out again -- and in that case, it behaves as described above (swapping out the dragged MCs based on mouse position, two different results depending on where we drop).  <<- NOTE: I haven't coded this part yet.  Still trying to get the first part down.
One further complication: When you rollover a graphic, the cursor changes to an open hand. When you press, it changes to a fist, so that's two more movie clips that have listeners attached to the mouse.
Finally - when I first prototyped it, I was having a big problem with the fact that the two swapping movie clips were different sizes, so they would "flicker" like mad back and forth whenever I got near the edge of the hotspot.  I fixed that by making a single-pixel mouse tracker MC and checking for collision of THAT with the hotspot instead of the graphic or text description, and all the other clips just follow along.
So here's how it all adds up, in pseudo-code (actual code samples are in the next section):
onPress on a graphic means --
hideMouse
handCursor Off
mouseTracker on via listener
show graphic, attached to mouseTracker x/y
fistCursorTracker on via listener
DescriptionTracker hidden
graphic.onEnterFrame = {
if the mousetracker.hittest(hotspot) {
     hide graphic
     DescriptionTracker on
     _root.hitme = 1; // flag used in drop
     } else {
     DescriptionTracker hidden
     show graphic, attached to mouseTracker x/y
     _root.hitme = 0; // flag used in drop
onRelease on graphic means --
          delete graphic.onEnterFrame
          graphic.stopDrag();
          mousetracker_mc.stopDrag();
          fistcursor_mc.stopDrag();
          Description.stopDrag();
          mouseTrackerOff();
          handCursorOff();
          fistCursorOff();
          DescriptionTrackerOff;
if (_root.hitme == 1) {
     hide graphic
     Description x/y = final resting place
     } else {
     hide Description
     Graphic x/y = final resting place
HOW IT FAILS
Everything works right right up until I drop the description into the hotspot.  It lands in the right place, but as soon as I start rolling the mouse away, the description picks right back up and continues to follow the mouse and basically behave as if the mouse were still down.  Thru using Trace, I've been able to verify that onEnterFrame is not being cleared out even though I've defined it as empty and even though I've killed all mouse tracking objects.
To summarize: The problem is related to having to track multiple movie clips attached to the mouse on Press, and these movie clips have show/hide and have different behaviors depending on where we are onscreen. The onRelease is not clearing all the behaviors like it's supposed to, even though I've reset all the objects every way I know how.
/////// CODE SAMPLES
MOUSE TRACKERS
Here's how the mouse trackers look.  They all follow the same pattern, just the names of the MCs change.
//     e.     mouseTrackerOn
            mouseTrackerOn = function () {
                 this.attachMovie("mousetracker", "mousetracker_mc", this.getNextHighestDepth(), {_x:this._xmouse, _y:this._ymouse});
                 var mouseListener:Object = new Object();
                 mouseListener.onMouseMove = function() {
                    mousetracker_mc._x = _xmouse;
                   mousetracker_mc._y = _ymouse;
                    updateAfterEvent();
            Mouse.addListener(mouseListener);
//     f.     mouseTrackerOff
            mouseTrackerOff = function () {
                 Mouse.removeListener(mouseListener);
                 mousetracker_mc.removeMovieClip();
                 var mouseListener = "";
As you can see, I both remove the listener and the movie clip and init the object to "", but the objects still won't go away.
THE ON PRESS FUNCTION
// e.g., doDrag (gfx1, desc1);
doDrag = function (target, desc) {
      // hide mouse
           hideMouse();
      //     hide hand
          handCursorOff();
      //     init mousedragger
          mouseTrackerOn();
     //     show fist
          fistCursorOn();       
          // drag MC around
          mousetracker_mc.startDrag(false);
          target._x = mousetracker_mc._x;
          target._y = mousetracker_mc._y;
          //     onEnterFrame
          // should this perhaps be mousetracker_mc.onEnterframe
          // even though this script is triggered from target onPress?
          target.onEnterFrame = function () {
                  target._x = mousetracker_mc._x;
                  target._y = mousetracker_mc._y;
          //     check for mousedragger/hotspot collision
          if (mousetracker_mc.hitTest(hotspot)) {
          _root.hitme = 1; // used in drop script, instantiated on init
          hideGfx(target); // uses _visible boolean = 0
          descTrackerOff(desc); // get rid of any previous instances
          descTrackerOn(desc);
          showGfx(desc); // make visible
           } else {
           _root.hitme =  0;
          descTrackerOff(desc);
          hideDesc(desc);
          showGfx(target);
          target._x = mousetracker_mc._x;
          target._y = mousetracker_mc._y;
           // since onRelease wasn't working I tried tying it to mouse up.
           // it does trap the event, but doesn't completely solve problem
     target.onMouseUp = function () {
         // redefine enerFrame as blank
           target.onEnterFrame = function () {};
           // just in case
          target.stopDrag();
          mousetracker_mc.stopDrag();
          handcursor_mc.stopDrag();
          fistcursor_mc.stopDrag();
          desc.stopDrag();
     /// kill kill kill
          mouseTrackerOff();
          handCursorOff();
          fistCursorOff();
          descTrackerOff(desc);
          hideDesc(desc);
          hideGfx(target);
           // show mouse
           showMouse();
           // on release handler
           doCheck (target, desc);
// ON RELEASE FUNCTION
     doCheck = function (target, desc) {
     // test for hotspot       
          if (_root.hitme == 1) {
          hideGfx(target);
          desc._x = desc.origX; // populated on init
          desc._y = desc.origY;
          showDesc(desc);
           } else {              
          hideDesc(desc);
          target._x = target.origX; // populated on init
          target._y = target.origY;
          showBook(target);
Phew!  Glad you asked? 
My deepest thanks again.

Similar Messages

  • How do you make an object draggable without creating a drag and drop quiz question?

    I'm trying to make objects that can be dragged, scaled, and rotated by the user (not a preset animation).  Any way to do this?

    The only thing that comes to mind is a widget.
    If anyone would have it, it would be Rod Ward.
    Click here to visit the site and see the list
    Cheers... Rick

  • Who'd like to test a new Drag and Drop Interactive Widget?

    It's taken about 6 months of every spare minute we could find but we're finally ready to do a round of Alpha testing for our new Drag and Drop Interactive Widget for Cp4 and 5.  This post is to ask for a handful of volunteers to test the new widget over the next week creating drag and drop interactions in both Cp4 and Cp5.
    If you've already tried our well-known Drag and Drop Lite Question Widget, but were a bit frustrated by the limitations that the quiz question format placed on your creativity, we think you'll be blown away by what this new Interactive Widget can do.  It does everything the current question widget does, aside from the aspects that are unique to question types (Review Area, Retake Quiz, etc) plus a whole lot more.  Due to the extra functionality, this widget has twice as much code as our last one.
    Some of the features:
    You can have as many widgets as you want on a single slide and each can be addressing a different drag and drop scenario.
    You can reference the same drag and target objects from different widgets to create different.
    Since they are interactive widgets, you can use the widget success/failure criteria to trigger Advanced Actions.  This opens up a lot of possibilities for game interactions.
    You can score each widget differently so that OnSuccess they will each report different scores for dragging the same objects.  This means you can have Conditional Scoring and more than one correct answer for a given problem.
    You can set one of the widgets to have its Preferences be used for all widgets on the slide so that you don't need to set all widget preferences individually, thus saving a lot of time.
    You can set Preference Priority for each widget to configure which widgets will have "right of way" if there is a potential conflict in preferences.  For example, if one widget wants one type of snapping behaviour on an object but another widget wants the same object to snap differently, the widget with the higher Preference Priority will dominate.
    You can nominate other interactive objects (including clickboxes or other widgets) to act as Submit button and Clear button to create a simulated quiz question.
    Since this widget is an Interactive widget, it also has the same advanced Pausing override behaviours we built into our Event Handler widget (http://www.infosemantics.com.au/eventhandler)  So you can have users stay on the same slide playing with the drag and drop interaction for as long as they like without progressing to the next slide until they want to.
    Plus other stuff I can't think of right now.
    If you decide to volunteer to participate in this Alpha testing, please don't use this widget for any production Captivate projects you may have.  The Alpha and Beta versions of the widget will be time-bombed to stop working after a couple of weeks so that we don't have buggy versions running around later.
    As I said at the beginning, we only need a handful of testers, we need people using either Cp4 or Cp5, and you need to do this testing over the next week so that we can then address any issues you find and release a debugged Beta version for more testing.
    Anyone wanna play?
    If you do want to volunteer, send me a private message on this forum with your email address so I can send you a widget and instructions.  We'll only be taking the first dozen or so people that are willing to contribute time and feedback.
    Cheers,
    Rod Ward

    Hi Sandy,
    If you hover the mouse over Rod's avatar, there is an e-mail address visible. For a private message; double-click on his avatar and you'll find the button private message in that dialog box,
    Lilybiri

  • Drag and Drop not being recorded properly.

    I'm a fairly experienced Captivate user using version 3.0.  I am trying to record some drag and drop activity in an Oracle application and I just can't get it to work.  To be clear, I am NOT trying to create a drag and drop quiz question (so please don't tell me how to create drag and drop quiz questions, I already know how). I am trying to record the dragging of an icon from one area within the app to another (the actual visual drag). Whether I set the video to record full motion or trigger full motion recording with F9 (and stop it with F10), all I get is the initial click of the object and then the object after it has been set down in it's new location.  The actual drag of the object isn't recorded.  I checked my Flash player - it's version 9.  Any suggestions?
    Thanks!!

    Hi there
    First, I'd suggest performing what I call a simple "sanity check". This should reveal to you whether the issue is with Captivate generically or if it's just that Captivate has issues with this one application.
    So try this. Open Captivate and minimize all apps. Then record dragging an icon from one location to another on your desktop. If Captivate doesn't record that properly, you have a Captivate issue. If it does, you know it's an issue with the application and the way it interacts with Captivate. In that case you need to consider other avenues. Perhaps use something like Camtasia Studio or Jing to capture, save as SWF and drop it where you need it in Captivate.
    Cheers... Rick
    Helpful and Handy Links
    Captivate Wish Form/Bug Reporting Form
    Adobe Certified Captivate Training
    SorcerStone Blog
    Captivate eBooks

  • A question about drag and drop

    I have multiple images which can be dragged and dropped in a canvas. How can I get information about pictures into dataGrid, for instance the name and value (price) of an image? Currently my images are in array like this:
    private function init():void {
    currentExampleImage = imageExampleArray[imgExampleCurrentIndexNumber];
    private var imgExampleCurrentIndexNumber:Number = 0;
    private var imageExampleArray:Array =
    "assets/image1.png",
    "assets/image1.png"
    and they are run with loop like this:
    [Bindable] protected function get currentExampleImage():String {
        return _currentExampleImage;
    protected function set currentExampleImage(value:String) : void {
        _currentExampleImage = value;
    private function nextExampleImage(e:MouseEvent):void {
        if(imgExampleCurrentIndexNumber < imageExampleArray.length - 1)
        imgExampleCurrentIndexNumber++;
        currentExampleImage = imageExampleArray[imgExampleCurrentIndexNumber];
    else
        imgExampleCurrentIndexNumber = 0;
        currentExampleImage = imageExampleArray[imgExampleCurrentIndexNumber];
    So the question is that how can I set and get the name and the value of an image when it is dropped on a canvas and that information to be shown in a separate datagrid? Should I be using objects or classes? This is the drop function:
    private function doDragDrop(event:DragEvent):void
        var img:Image;
        if (event.dragInitiator.parent == whiteBoard)
            img = event.dragInitiator as Image;    
        else
            img = new Image();
            img.source = (event.dragInitiator as Image).source;
            img.addEventListener(MouseEvent.MOUSE_DOWN, doDragStart);
            whiteBoard.addChild(img);        
               img.x = event.localX - (event.dragSource.dataForFormat("localX") as Number);
               img.y = event.localY - (event.dragSource.dataForFormat("localY") as Number)
    Thanks beforehand and feel free to ask more information something is unclear.
    Message was edited by: SerpentChimera

    There's a separate empty datagrid in my application and the main intention is to make the information of each image (those dragged and dropped onto a canvas that is a designing area) being shown in the datagrid's columns Name - Quantity - Price. Those values should be obtained from each image but I'm currently unaware of the technique how the information could be added to the images.
    For instance Example1.png has a price value of 150€ and when that image is moved onto a canvas, the name and price should be shown in the datagrid and thus there should be simultaneous changes in the Quantity-column when I move the same image onto a canvas many times. Those images can also be removed from the canvas area and then the quantity should decrease. Obviously that same function should work on other images we have in a menu from where the images are dragged and then moved and dropped in the canvas. If I move Example1.png four times there should be Example1 in the name column, 4 in the quantity column and 600€ in the price column and of course all of them in the same row.
    Pay attention to the code I put into the first post. You may suggest better options how I can sort-of-import (couldn't invent better term) images to the application.
    Later there will be a row in the end of the datagrid/chart where the total price of every object that are moved on the canvas should be shown but that's another story.
    Hopefully this made some sense to the whole thing.

  • Drag n Drop question

    hi. this is what i want to do:
    drag a file from a windows desktop, drop it into an applet that exists in a browser.
    the applet reads the local path and filename of the dropped object, and uses that to retrieve the file from the local system and uploads it via ftp to the server where the applet was downloaded from.
    i know how to do the basic drag and drop stuff, DropListeners and all, as well as the ftp transferring. but when i drop a Windows object into the applet in the browser and try to find out anything about it (with getTransferData()), i get exceptions thrown (InvalidDndOperationException).
    My question is: how can i get the path and filename of a Windows object dropped into an Applet existing in a browser?
    please reply to my email address if you can: [email protected] . thanks

    hi hool
    Can i ask you a question?? You seem to know a little more then me regarding Drag and drop. In my program i have actually got the basic stuuf working for drag and drop, in saying that i have added a source area to a panel and placed this at the north of my canvas , i have also created a target panel and placed it south to my canvas. SO now i can drag from the source area to my target area. What i want to do is when i hit a RUN button it goes and checks all the components in my target area and maybe carry out an action on what is there. Can this be done or am i just talking goobly gooke. Sorry i can't answer your question.
    Silla_34

  • Is there a way to make drag and drop slides behave like question slides?

    I created a drag and drop interaction that I want to include in an assessment with other quiz questions. I am having two problems
    1. The submit and reset buttons do not display for the full 3.0s duration of the slide. Once the user clicks submit, the feedback caption displays and the buttons disappear.
    2. The slide auto advances to the next question. I want the slide pause until the user "clicks anywhere to continue."
    Does anyone know a work around to get a drag and drop slide to mimic question slide behavior?
    Thanks!

    Hi Itzelm, KurryKid,
    The HTML5 trackers doesn't tell you every feature that is not supported, sorry. It will never tell you that a lot of Effects are not supported either. There is an 'incomplete' list of supported features in the Help documentation. Here is my list (bit rough, no nice layout, sorry)
    Supported effects in HTML5 
    Entrance- Fly-in (all)  - Ease-in (all)Exit  - Fly-out (all)  - Ease-out (all)Motion Path  - Left-to-Right  - Left-to-Right Ease  - Pentagon  - Rectangle  - Right-to-left ease
      - Right-to-left3point  - RightToLeft  - Triangle  - ZigZag
    Audio objects (audio attached to invisible objects)
    If project is paused, audio attached to object that is made visible will not play in HTML whereas it does in SWF
    No rollovers (caption, image, slidelet)
    Questions:
    No Likert, FIB, Short Answer, Matching
    No question pools, random questions
    No right-click, double click
    No Text animations, no SWF animations(animated GIF possible)
    No Slide transitions
    No borders

  • Drag and Drop questions and Serialization in the 1Z0-852 Upgrade exam?

    Hi,
    Does anyone know if the drag and drop items and serialization have been removed from the 1Z0-852 Java SE 6 Programmer Certified Professional UPGRADE exam?
    I know that they have been removed from the 1Z0-851, but not sure about the upgrade exam.
    Thanks in advance,
    Alvaro

    Alvaro wrote:
    Hi,
    Does anyone know if the drag and drop items and serialization have been removed from the 1Z0-852 Java SE 6 Programmer Certified Professional UPGRADE exam?
    I know that they have been removed from the 1Z0-851, but not sure about the upgrade exam.
    Thanks in advance,
    Alvaro(1) Drag and Drop
    .... this question format will have been removed:
    Ref: http://blogs.oracle.com/certification/entry/0596
    (2) Serialization:
    It is best to compare the topics from your notes to the current topics, however according to my reading of the current topics it is in scope at least to some extent:
    http://education.oracle.com/pls/web_prod-plq-dad/db_pages.getpage?page_id=41&p_exam_id=1Z0_852 (Section 3 API Contents):
    Develop code that serializes and/or de-serializes objects using the following APIs from java.io: DataInputStream, DataOutputStream, FileInputStream, FileOutputStream, ObjectInputStream, ObjectOutputStream and Serializable.

  • Next newbie fun - drag and drop

    Well after a very successful last posting - here goes again .... I'm trying to get the dragged images to appear in the box. But for some reason they're not appearing. As you can tell - I is still a newbie!
    Thanks
    <?xml version="1.0" encoding="utf-8"?>
    <mx:Application xmlns:mx="http://www.adobe.com/2006/mxml">
        <mx:Script>
            <![CDATA[
            import mx.controls.Image;  
            import mx.managers.DragManager;
            import mx.core.DragSource;
            private function dragIt(event:MouseEvent, value:uint):void
                // Get the drag initiator component from the event object.
                var dragInitiator:Image = event.currentTarget as Image;
                // Create a DragSource object - stores info about the drag data
                var dragSource:DragSource = new DragSource();
                // Add the data to the object.
                dragSource.addData(value, 'value');
                // Create a copy of the coin image to use as a drag proxy.
                var dragProxy:Image = new Image();
                dragProxy.source = event.currentTarget.source;
                // Call the DragManager doDrag() method to start the drag.
                DragManager.doDrag(dragInitiator, dragSource, event, dragProxy);
               private function preLetGo(event:MouseEvent):void
                   // Get the drop target component from the event object.
                   var dropTarget:VBox = event.currentTarget as VBox;
                // Accept it
                DragManager.acceptDragDrop(dropTarget);
            // Build new array based on what gets dragged over it
            private function letGo(event:MouseEvent):void
                var images:Array = [];
                var newImage:Image = new Image();
                newImage.source = event.currentTarget.source;
                images.push({img:newImage}); 
                content.dataProvider = images;
            ]]>
        </mx:Script>
        <mx:VBox>
            <mx:Image source="images/image1.jpg" mouseDown="dragIt(event,1);" />
            <mx:Image source="images/image2.jpg" mouseDown="dragIt(event,2);" />   
        </mx:VBox>
        <mx:VBox width="400" height="200" id="vbox" backgroundColor="#c0c0c0">
            <mx:Label text="Drop here" />
            <mx:List id="content" dragEnter="preLetGo(event);" dragDrop="letGo(event);" labelField="images" />
        </mx:VBox>
    </mx:Application>

    K-kOo, the List is not the target of the drag and drop, I believe UKuser27 wants the images to show up in the VBox, and for the list to be a tally of which images are now in the VBox.
    I could be wrong, but his AS is setting DragManager.acceptDragDrop(VBox(event.currentTarget)).
    UKuser27, with my assumptions above, I've redone your app to act as so.  Much like in Adobe's example at http://livedocs.adobe.com/flex/3/html/help.html?content=dragdrop_7.html you have to adjust the image's whereabouts.  In their example, they're moving an object already inside a Canvas, so they use the handler to update the xy coords.  In your case, you need to remove the image from the first VBox, and add it to the second one.  It will then show up under the List element (though I'm not sure why you'd want that).
    Here is my interpretation of what you wanted.  Even if it is not exactly what you want, should give you the right direction to move forward with:
    <?xml version="1.0"?>
    <!-- dragdrop\DandDImage.mxml -->
    <mx:Application xmlns:mx="http://www.adobe.com/2006/mxml">
        <mx:Script>
            <![CDATA[
                //Import classes so you don't have to use full names.
                import mx.managers.DragManager;
                import mx.core.DragSource;
                import mx.events.DragEvent;
                import flash.events.MouseEvent;
                import mx.controls.Alert;
                   private var imageList:Array = [];
                // The mouseMove event handler for the Image control
                // initiates the drag-and-drop operation.
                private function mouseMoveHandler(event:MouseEvent):void {               
                    var dragInitiator:Image=Image(event.currentTarget);
                    var ds:DragSource = new DragSource();
                    ds.addData(dragInitiator, "img");              
                    DragManager.doDrag(dragInitiator, ds, event);
                // The dragEnter event handler for the VBox container
                // enables dropping.
                private function dragEnterHandler(event:DragEvent):void {
                    if (event.dragSource.hasFormat("img")) {
                        DragManager.acceptDragDrop(VBox(event.currentTarget));
                // The dragDrop event handler for the VBox container
                // adds image to the target VBox
                private function dragDropHandler(event:DragEvent):void {
                     vbox.addChild(Image(event.dragInitiator));
                     // now update the List
                     imageList.push(Image(event.dragInitiator).source);
                     content.dataProvider = imageList;
            ]]>
        </mx:Script>
        <mx:VBox id="imgbox">
          <mx:Image id="myimg1" source="thebouv_bigger.gif" mouseMove="mouseMoveHandler(event);"/>
          <mx:Image id="myimg2" source="thebouv_bigger.gif" mouseMove="mouseMoveHandler(event);"/>
        </mx:VBox>
        <mx:VBox width="400" height="200"
             id="vbox"
             backgroundColor="#c0c0c0"
             dragEnter="dragEnterHandler(event)"
            dragDrop="dragDropHandler(event)">
            <mx:Label text="Drop here" />
            <mx:List id="content" dropEnabled="true"/>
        </mx:VBox>
    </mx:Application>

  • Drag and drop questions in scjp

    hi all,
    i m planning to write scjp this month..
    can anyone tell me what 'drag n drop' questions like?
    and what kind of questions are generally asked?

    Well you can't change your answer for the drag and drop i mean you can but if you try to go back and try to see your question again for drag and drop then your answer is going to be deleted and then you had to redo the whole thing.
    So i suggest please make your decision at the same time. Drag and drop are not hard i mean something like this
    System.out.printf("Pi is approxmicately", Math.PI);
    Pi is approximately ______
    Place the value for PI 3.14
    3.145
    Something like that Good luck

  • Drag and Drop Questions in ocjp6

    Hi friends, I'm about to take my ocjp6 exam the following month. Does the exam has DRAG AND DROP questions or I have no need to worry about it? Any latest exam takers? or any one who's aware of it kindly help me with your guidance friends.

    If you think that article implies that ALL drag and drop questions were removed from the tests you need to reread it.
    The fact that you are not prepared is manifest from the question that you ask and the lack of preparation that you showed by not having reviewed the official information that was available.
    As has been frequently stated in the past Oracle is always free to include or exclude ANY topic from ANY exam at ANY time without prior notice. Exam takers are expected to have knowledge in ALL of the fundamental areas of their topic.
    Most people preparing for an exam would take one of the many preparatory courses and trial exams that are available.
    The fact that you have not indicated that you have done ANY of that is what indicates your lack of preparation.
    Attempting to 'shoot the messenger' might make you feel better but it won't overcome your lack of preparation.

  • Scoring a sequence/drag n drop question

    I had problems with this in CP4 and never figured out how to resolve them.
    In Captivate 5, I am using a sequence question.  Right now it has 4 objects and a total score of 100 points.
    I would like the user to be awarded 25 points for any answer that is in the correct spot.  I.e. if they have 1 and 4 right, they get 50 points, even if 2 and 3 are wrong.  As far as I can tell, it will only score you as 100 if you are right or 0 if even one is wrong.
    Is there a way around this?
    Thanks!

    Hello,
    Up till now this is not possible in Captivate with the default question slides. If you want partial scoring you'll need to construct the question slides yourself. I worked out an example in this article:
    Question slide with partial scoring
    However drag-and-drop will not be possible with custom question slides, unless you are willing to buy the drag-and-drop widget created by InfoSemantics.
    Lilybiri

  • Adobe Presenter 10 Drag and Drop questions - only grey box when trying to create

    Hi,
    I try to create drag and drop questions in Presenter 10 and after clicking on Add Question -> Drag Drop, the new window opens but where I should be able to define the questions etc, the screen is just grey. Have the same issue on three other systems as well.
    Flash is updated to latest version and so is Presenter 10.
    Weirdly the installed Flash version is 15, but a right-click into the grey box shows me version 11.
    Any ideas?
    Thanks,
    Chris

    Just in case someone else has the same problem, a chat with Adobe brought the solution:
    On the gray screen, Right click and go to Global settings
    Go to advanced tab
    Scroll down and click "Trusted location settings"
    On the "Trusted location settings" window, click "add" on the bottom
    Click "Add Folder" and select "Local disk c"
    Click "Ok" and Confirm on "Trusted location settings" window
    Worked for me (on three different machines) like a charm!

  • Iphoto question. I have 8 images in an event. One is out of order. I have tried to copy and paste, and to drag and drop, but I cannot get it to move. Can anyone help?

    I have an iphoto question. I have 8 images in an event. One is out of order. I have tried to copy and paste, and  i have tried to drag and drop, but it won't move. Any help?

    IPhoto forum:
    https://discussions.apple.com/community/ilife/iphoto

  • How do I add a progress monitor to a drag and drop question in captivate 7

    I need to build a quiz. We have spent a lot of time on the style guide and appearance but I am having difficulty adding a progress monitor to my drag and drop questions. How can I do this?

    A Drag&Drop is not a normal question slide, hence that progress indicator is not added, and it wouldn't even be functional.
    Long time ago I explained how to create a custom progress indicator, maybe it can help you: Customized Progress Indicator - Captivate blog

Maybe you are looking for

  • Issues with Microsoft Vista and Crystal Report XI R2 with SP2

    Hi, I have an application which works fine on XP but fails to work on Vista. When I go to view a report I get the following error: "The request could not be submitted for background processing." I have searched a great deal but most solutions to this

  • 9.1.1 Sample edit/factory menu definite crash bug!!

    this is a definite/repeatable bug in 9.1.1 which causes crash goto sample edit window then select time and pitch or any Factory menu items exiting window by pressing screen set 1 key command crash happens evey time 1 track of audio no plugins cannot

  • Initial testing Multisim + ULTIboard Buglist

    I have been testing Multisim and ULTIboard (V10.0.144) for 1 day to see whether it really works and is usable. I'm still working with Ulticap and Ultiboard V5.7x and consider changing over. I have found the following problems in the process of Schema

  • Emoze Configuration Problem in C 7-00

    When I am trying to install Emoze push mail client in Nokia C-7, it is getting installed and when I am click on the add account it is running for quite long time and getting back with a message no connection.... It was earlier working fine with my No

  • Sybase&networker restore master error

    I'm try restore master database from networker backup software. but always can't success. The ASE version is 15.7. The Networker version is 8.2. I remember original master device size approx 40MB~70MB, master database size 20M~40M. I don't kown actua